diff --git a/src/Microsoft.ML.Data/Transforms/TermEstimator.cs b/src/Microsoft.ML.Data/Transforms/TermEstimator.cs index 9f8135252e..025fcf9fdf 100644 --- a/src/Microsoft.ML.Data/Transforms/TermEstimator.cs +++ b/src/Microsoft.ML.Data/Transforms/TermEstimator.cs @@ -25,8 +25,8 @@ public static class Defaults /// Convenience constructor for public facing API. /// /// Host Environment. - /// Name of the output column. - /// Name of the column to be transformed. If this is null '' will be used. + /// Name of the column to be transformed. + /// Name of the output column. If this is null '' will be used. /// Maximum number of terms to keep per column when auto-training. /// How items should be ordered when vectorized. By default, they will be in the order encountered. /// If by value items are sorted according to their default comparison, e.g., text sorting will be case sensitive (e.g., 'A' then 'Z' then 'a'). diff --git a/src/Microsoft.ML.Transforms/Text/TextStaticExtensions.cs b/src/Microsoft.ML.Transforms/Text/TextStaticExtensions.cs index 4e0821241b..5811b6b0ee 100644 --- a/src/Microsoft.ML.Transforms/Text/TextStaticExtensions.cs +++ b/src/Microsoft.ML.Transforms/Text/TextStaticExtensions.cs @@ -8,6 +8,8 @@ using Microsoft.ML.Runtime.Data; using System; using System.Collections.Generic; +using static Microsoft.ML.Runtime.TextAnalytics.StopWordsRemoverTransform; +using static Microsoft.ML.Runtime.TextAnalytics.TextNormalizerTransform; namespace Microsoft.ML.Transforms.Text { @@ -113,4 +115,481 @@ public override IEstimator Reconcile(IHostEnvironment env, /// Whether to use marker characters to separate words. public static VarVector> TokenizeIntoCharacters(this Scalar input, bool useMarkerCharacters = true) => new OutPipelineColumn(input, useMarkerCharacters); } + + /// + /// Extensions for statically typed stop word remover. + /// + public static class StopwordRemoverExtensions + { + private sealed class OutPipelineColumn : VarVector + { + public readonly VarVector Input; + + public OutPipelineColumn(VarVector input, Language language) + : base(new Reconciler(language), input) + { + Input = input; + } + } + + private sealed class Reconciler : EstimatorReconciler, IEquatable + { + private readonly Language _language; + + public Reconciler(Language language) + { + _language = language; + } + + public bool Equals(Reconciler other) + { + return _language == other._language; + } + + public override IEstimator Reconcile(IHostEnvironment env, + PipelineColumn[] toOutput, + IReadOnlyDictionary inputNames, + IReadOnlyDictionary outputNames, + IReadOnlyCollection usedNames) + { + Contracts.Assert(toOutput.Length == 1); + + var pairs = new List<(string input, string output)>(); + foreach (var outCol in toOutput) + pairs.Add((inputNames[((OutPipelineColumn)outCol).Input], outputNames[outCol])); + + return new StopwordRemover(env, pairs.ToArray(), _language); + } + } + + /// + /// Remove stop words from incoming text. + /// + /// The column to apply to. + /// Langauge of the input text. + public static VarVector RemoveStopwords(this VarVector input, + Language language = Language.English) => new OutPipelineColumn(input, language); + } + + /// + /// Extensions for statically typed text normalizer. + /// + public static class TextNormalizerExtensions + { + private sealed class OutPipelineColumn : Scalar + { + public readonly Scalar Input; + + public OutPipelineColumn(Scalar input, CaseNormalizationMode textCase, bool keepDiacritics, bool keepPunctuations, bool keepNumbers) + : base(new Reconciler(textCase, keepDiacritics, keepPunctuations, keepNumbers), input) + { + Input = input; + } + } + + private sealed class Reconciler : EstimatorReconciler, IEquatable + { + private readonly CaseNormalizationMode _textCase; + private readonly bool _keepDiacritics; + private readonly bool _keepPunctuations; + private readonly bool _keepNumbers; + + public Reconciler(CaseNormalizationMode textCase, bool keepDiacritics, bool keepPunctuations, bool keepNumbers) + { + _textCase = textCase; + _keepDiacritics = keepDiacritics; + _keepPunctuations = keepPunctuations; + _keepNumbers = keepNumbers; + + } + + public bool Equals(Reconciler other) + { + return _textCase == other._textCase && + _keepDiacritics == other._keepDiacritics && + _keepPunctuations == other._keepPunctuations && + _keepNumbers == other._keepNumbers; + } + + public override IEstimator Reconcile(IHostEnvironment env, + PipelineColumn[] toOutput, + IReadOnlyDictionary inputNames, + IReadOnlyDictionary outputNames, + IReadOnlyCollection usedNames) + { + Contracts.Assert(toOutput.Length == 1); + + var pairs = new List<(string input, string output)>(); + foreach (var outCol in toOutput) + pairs.Add((inputNames[((OutPipelineColumn)outCol).Input], outputNames[outCol])); + + return new TextNormalizer(env, pairs.ToArray(), _textCase, _keepDiacritics, _keepPunctuations, _keepNumbers); + } + } + + /// + /// Normalizes input text by changing case, removing diacritical marks, punctuation marks and/or numbers. + /// + /// The column to apply to. + /// Casing text using the rules of the invariant culture. + /// Whether to keep diacritical marks or remove them. + /// Whether to keep punctuation marks or remove them. + /// Whether to keep numbers or remove them. + public static Scalar NormalizeText(this Scalar input, + CaseNormalizationMode textCase = CaseNormalizationMode.Lower, + bool keepDiacritics = false, + bool keepPunctuations = true, + bool keepNumbers = true) => new OutPipelineColumn(input, textCase, keepDiacritics, keepPunctuations, keepNumbers); + } + + /// + /// Extensions for statically typed bag of word converter. + /// + public static class WordBagEstimatorExtensions + { + private sealed class OutPipelineColumn : Vector + { + public readonly Scalar Input; + + public OutPipelineColumn(Scalar input, + int ngramLength, + int skipLength, + bool allLengths, + int maxNumTerms, + NgramTransform.WeightingCriteria weighting) + : base(new Reconciler(ngramLength, skipLength, allLengths, maxNumTerms, weighting), input) + { + Input = input; + } + } + + private sealed class Reconciler : EstimatorReconciler, IEquatable + { + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly int _maxNumTerms; + private readonly NgramTransform.WeightingCriteria _weighting; + + public Reconciler(int ngramLength, int skipLength, bool allLengths, int maxNumTerms, NgramTransform.WeightingCriteria weighting) + { + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _maxNumTerms = maxNumTerms; + _weighting = weighting; + + } + + public bool Equals(Reconciler other) + { + return _ngramLength == other._ngramLength && + _skipLength == other._skipLength && + _allLengths == other._allLengths && + _maxNumTerms == other._maxNumTerms && + _weighting == other._weighting; + } + + public override IEstimator Reconcile(IHostEnvironment env, + PipelineColumn[] toOutput, + IReadOnlyDictionary inputNames, + IReadOnlyDictionary outputNames, + IReadOnlyCollection usedNames) + { + Contracts.Assert(toOutput.Length == 1); + + var pairs = new List<(string[] inputs, string output)>(); + foreach (var outCol in toOutput) + pairs.Add((new[] { inputNames[((OutPipelineColumn)outCol).Input] }, outputNames[outCol])); + + return new WordBagEstimator(env, pairs.ToArray(), _ngramLength, _skipLength, _allLengths, _maxNumTerms, _weighting); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words ) in a given text. + /// It does so by building a dictionary of ngrams and using the id in the dictionary as the index in the bag. + /// + /// The column to apply to. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public static Vector ToBagofWords(this Scalar input, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + => new OutPipelineColumn(input, ngramLength, skipLength, allLengths, maxNumTerms, weighting); + } + + /// + /// Extensions for statically typed bag of wordhash converter. + /// + public static class WordHashBagEstimatorExtensions + { + private sealed class OutPipelineColumn : Vector + { + public readonly Scalar Input; + + public OutPipelineColumn(Scalar input, + int hashBits, + int ngramLength, + int skipLength, + bool allLengths, + uint seed, + bool ordered, + int invertHash) + : base(new Reconciler(hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash), input) + { + Input = input; + } + } + + private sealed class Reconciler : EstimatorReconciler, IEquatable + { + private readonly int _hashBits; + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly uint _seed; + private readonly bool _ordered; + private readonly int _invertHash; + + public Reconciler(int hashBits, int ngramLength, int skipLength, bool allLengths, uint seed, bool ordered, int invertHash) + { + _hashBits = hashBits; + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _seed = seed; + _ordered = ordered; + _invertHash = invertHash; + } + + public bool Equals(Reconciler other) + { + return _hashBits == other._hashBits && + _ngramLength == other._ngramLength && + _skipLength == other._skipLength && + _allLengths == other._allLengths && + _seed == other._seed && + _ordered == other._ordered && + _invertHash == other._invertHash; + } + + public override IEstimator Reconcile(IHostEnvironment env, + PipelineColumn[] toOutput, + IReadOnlyDictionary inputNames, + IReadOnlyDictionary outputNames, + IReadOnlyCollection usedNames) + { + Contracts.Assert(toOutput.Length == 1); + + var pairs = new List<(string[] inputs, string output)>(); + foreach (var outCol in toOutput) + pairs.Add((new[] { inputNames[((OutPipelineColumn)outCol).Input] }, outputNames[outCol])); + + return new WordHashBagEstimator(env, pairs.ToArray(), _hashBits, _ngramLength, _skipLength, _allLengths, _seed, _ordered, _invertHash); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words of length 1-n) in a given text. + /// It does so by hashing each ngram and using the hash value as the index in the bag. + /// + /// The column to apply to. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public static Vector ToBagofHashedWords(this Scalar input, + int hashBits = 16, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) => new OutPipelineColumn(input, hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash); + } + + /// + /// Extensions for statically typed ngram estimator. + /// + public static class NgramEstimatorExtensions + { + private sealed class OutPipelineColumn : Vector + { + public readonly VarVector> Input; + + public OutPipelineColumn(VarVector> input, + int ngramLength, + int skipLength, + bool allLengths, + int maxNumTerms, + NgramTransform.WeightingCriteria weighting) + : base(new Reconciler(ngramLength, skipLength, allLengths, maxNumTerms, weighting), input) + { + Input = input; + } + } + + private sealed class Reconciler : EstimatorReconciler, IEquatable + { + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly int _maxNumTerms; + private readonly NgramTransform.WeightingCriteria _weighting; + + public Reconciler(int ngramLength, int skipLength, bool allLengths, int maxNumTerms, NgramTransform.WeightingCriteria weighting) + { + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _maxNumTerms = maxNumTerms; + _weighting = weighting; + + } + + public bool Equals(Reconciler other) + { + return _ngramLength == other._ngramLength && + _skipLength == other._skipLength && + _allLengths == other._allLengths && + _maxNumTerms == other._maxNumTerms && + _weighting == other._weighting; + } + + public override IEstimator Reconcile(IHostEnvironment env, + PipelineColumn[] toOutput, + IReadOnlyDictionary inputNames, + IReadOnlyDictionary outputNames, + IReadOnlyCollection usedNames) + { + Contracts.Assert(toOutput.Length == 1); + + var pairs = new List<(string inputs, string output)>(); + foreach (var outCol in toOutput) + pairs.Add((inputNames[((OutPipelineColumn)outCol).Input], outputNames[outCol])); + + return new NgramEstimator(env, pairs.ToArray(), _ngramLength, _skipLength, _allLengths, _maxNumTerms, _weighting); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words ) in a given tokenized text. + /// It does so by building a dictionary of ngrams and using the id in the dictionary as the index in the bag. + /// + /// /// is different from + /// in a way that takes tokenized text as input while tokenizes text internally. + /// + /// The column to apply to. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public static Vector ToNgrams(this VarVector> input, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + => new OutPipelineColumn(input, ngramLength, skipLength, allLengths, maxNumTerms, weighting); + } + + /// + /// Extensions for statically typed ngram hash estimator. + /// + public static class NgramHashEstimatorExtensions + { + private sealed class OutPipelineColumn : Vector + { + public readonly VarVector> Input; + + public OutPipelineColumn(VarVector> input, int hashBits, int ngramLength, int skipLength, bool allLengths, uint seed, bool ordered, int invertHash) + : base(new Reconciler(hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash), input) + { + Input = input; + } + } + + private sealed class Reconciler : EstimatorReconciler, IEquatable + { + private readonly int _hashBits; + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly uint _seed; + private readonly bool _ordered; + private readonly int _invertHash; + + public Reconciler(int hashBits, int ngramLength, int skipLength, bool allLengths, uint seed, bool ordered, int invertHash) + { + _hashBits = hashBits; + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _seed = seed; + _ordered = ordered; + _invertHash = invertHash; + } + + public bool Equals(Reconciler other) + { + return _hashBits == other._hashBits && + _ngramLength == other._ngramLength && + _skipLength == other._skipLength && + _allLengths == other._allLengths && + _seed == other._seed && + _ordered == other._ordered && + _invertHash == other._invertHash; + } + + public override IEstimator Reconcile(IHostEnvironment env, + PipelineColumn[] toOutput, + IReadOnlyDictionary inputNames, + IReadOnlyDictionary outputNames, + IReadOnlyCollection usedNames) + { + Contracts.Assert(toOutput.Length == 1); + + var pairs = new List<(string[] inputs, string output)>(); + foreach (var outCol in toOutput) + pairs.Add((new[] { inputNames[((OutPipelineColumn)outCol).Input] }, outputNames[outCol])); + + return new NgramHashEstimator(env, pairs.ToArray(), _hashBits, _ngramLength, _skipLength, _allLengths, _seed, _ordered, _invertHash); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words of length 1-n) in a given tokenized text. + /// It does so by hashing each ngram and using the hash value as the index in the bag. + /// + /// is different from + /// in a way that takes tokenized text as input while tokenizes text internally. + /// + /// The column to apply to. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public static Vector ToNgramsHash(this VarVector> input, + int hashBits = 16, + int ngramLength = 2, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) => new OutPipelineColumn(input, hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash); + } } diff --git a/src/Microsoft.ML.Transforms/Text/WrappedTextTransformers.cs b/src/Microsoft.ML.Transforms/Text/WrappedTextTransformers.cs index 8d4330212d..7e18f1b288 100644 --- a/src/Microsoft.ML.Transforms/Text/WrappedTextTransformers.cs +++ b/src/Microsoft.ML.Transforms/Text/WrappedTextTransformers.cs @@ -4,11 +4,14 @@ using Microsoft.ML.Runtime; using Microsoft.ML.Runtime.Data; +using Microsoft.ML.Runtime.Internal.Utilities; using Microsoft.ML.Runtime.TextAnalytics; using System; using System.Collections.Generic; using System.Linq; using System.Text; +using static Microsoft.ML.Runtime.TextAnalytics.StopWordsRemoverTransform; +using static Microsoft.ML.Runtime.TextAnalytics.TextNormalizerTransform; namespace Microsoft.ML.Transforms { @@ -119,4 +122,614 @@ private static TransformWrapper MakeTransformer(IHostEnvironment env, (string in return new TransformWrapper(env, new CharTokenizeTransform(env, args, emptyData)); } } + + /// + /// Stopword remover removes language-specific lists of stop words (most common words) + /// This is usually applied after tokenizing text, so it compares individual tokens + /// (case-insensitive comparison) to the stopwords. + /// + public sealed class StopwordRemover : TrivialWrapperEstimator + { + /// + /// Removes stop words from incoming token streams in + /// and outputs the token streams without stopwords as . + /// + /// The environment. + /// The column containing text to remove stop words on. + /// The column containing output text. Null means is replaced. + /// Langauge of the input text column . + public StopwordRemover(IHostEnvironment env, string inputColumn, string outputColumn = null, Language language = Language.English) + : this(env, new[] { (inputColumn, outputColumn ?? inputColumn) }, language) + { + } + + /// + /// Removes stop words from incoming token streams in input columns + /// and outputs the token streams without stop words as output columns. + /// + /// The environment. + /// Pairs of columns to remove stop words on. + /// Langauge of the input text columns . + public StopwordRemover(IHostEnvironment env, (string input, string output)[] columns, Language language = Language.English) + : base(Contracts.CheckRef(env, nameof(env)).Register(nameof(StopwordRemover)), MakeTransformer(env, columns, language)) + { + } + + private static TransformWrapper MakeTransformer(IHostEnvironment env, (string input, string output)[] columns, Language language) + { + Contracts.AssertValue(env); + env.CheckNonEmpty(columns, nameof(columns)); + foreach (var (input, output) in columns) + { + env.CheckValue(input, nameof(input)); + env.CheckValue(output, nameof(input)); + } + + // Create arguments. + var args = new StopWordsRemoverTransform.Arguments + { + Column = columns.Select(x => new StopWordsRemoverTransform.Column { Source = x.input, Name = x.output }).ToArray(), + Language = language + }; + + // Create a valid instance of data. + var schema = new SimpleSchema(env, columns.Select(x => new KeyValuePair(x.input, new VectorType(TextType.Instance))).ToArray()); + var emptyData = new EmptyDataView(env, schema); + + return new TransformWrapper(env, new StopWordsRemoverTransform(env, args, emptyData)); + } + } + + /// + /// Text normalizer allows normalizing text by changing case (Upper/Lower case), removing diacritical marks, punctuation marks and/or numbers. + /// + public sealed class TextNormalizer : TrivialWrapperEstimator + { + /// + /// Normalizes incoming text in by changing case, removing diacritical marks, punctuation marks and/or numbers + /// and outputs new text as . + /// + /// The environment. + /// The column containing text to normalize. + /// The column containing output tokens. Null means is replaced. + /// Casing text using the rules of the invariant culture. + /// Whether to keep diacritical marks or remove them. + /// Whether to keep punctuation marks or remove them. + /// Whether to keep numbers or remove them. + public TextNormalizer(IHostEnvironment env, + string inputColumn, + string outputColumn = null, + CaseNormalizationMode textCase = CaseNormalizationMode.Lower, + bool keepDiacritics = false, + bool keepPunctuations = true, + bool keepNumbers = true) + : this(env, new[] { (inputColumn, outputColumn ?? inputColumn) }, textCase, keepDiacritics, keepPunctuations, keepNumbers) + { + } + + /// + /// Normalizes incoming text in input columns by changing case, removing diacritical marks, punctuation marks and/or numbers + /// and outputs new text as output columns. + /// + /// The environment. + /// Pairs of columns to run the text normalization on. + /// Casing text using the rules of the invariant culture. + /// Whether to keep diacritical marks or remove them. + /// Whether to keep punctuation marks or remove them. + /// Whether to keep numbers or remove them. + public TextNormalizer(IHostEnvironment env, + (string input, string output)[] columns, + CaseNormalizationMode textCase = CaseNormalizationMode.Lower, + bool keepDiacritics = false, + bool keepPunctuations = true, + bool keepNumbers = true) + : base(Contracts.CheckRef(env, nameof(env)).Register(nameof(TextNormalizer)), + MakeTransformer(env, columns, textCase, keepDiacritics, keepPunctuations, keepNumbers)) + { + } + + private static TransformWrapper MakeTransformer(IHostEnvironment env, + (string input, string output)[] columns, + CaseNormalizationMode textCase, + bool keepDiacritics, + bool keepPunctuations, + bool keepNumbers) + { + Contracts.AssertValue(env); + env.CheckNonEmpty(columns, nameof(columns)); + foreach (var (input, output) in columns) + { + env.CheckValue(input, nameof(input)); + env.CheckValue(output, nameof(input)); + } + + // Create arguments. + var args = new TextNormalizerTransform.Arguments + { + Column = columns.Select(x => new TextNormalizerTransform.Column { Source = x.input, Name = x.output }).ToArray(), + TextCase = textCase, + KeepDiacritics = keepDiacritics, + KeepPunctuations = keepPunctuations, + KeepNumbers = keepNumbers + }; + + // Create a valid instance of data. + var schema = new SimpleSchema(env, columns.Select(x => new KeyValuePair(x.input, TextType.Instance)).ToArray()); + var emptyData = new EmptyDataView(env, schema); + + return new TransformWrapper(env, new TextNormalizerTransform(env, args, emptyData)); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words) in a given text. + /// It does so by building a dictionary of ngrams and using the id in the dictionary as the index in the bag. + /// + public sealed class WordBagEstimator : TrainedWrapperEstimatorBase + { + private readonly (string[] inputs, string output)[] _columns; + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly int _maxNumTerms; + private readonly NgramTransform.WeightingCriteria _weighting; + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words) in + /// and outputs bag of word vector as + /// + /// The environment. + /// The column containing text to compute bag of word vector. + /// The column containing bag of word vector. Null means is replaced. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public WordBagEstimator(IHostEnvironment env, + string inputColumn, + string outputColumn = null, + int ngramLength = 1, + int skipLength=0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + : this(env, new[] { ( new[] { inputColumn }, outputColumn ?? inputColumn) }, ngramLength, skipLength, allLengths, maxNumTerms, weighting) + { + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words) in + /// and outputs bag of word vector as + /// + /// The environment. + /// The columns containing text to compute bag of word vector. + /// The column containing output tokens. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public WordBagEstimator(IHostEnvironment env, + string[] inputColumns, + string outputColumn, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + : this(env, new[] { (inputColumns, outputColumn) }, ngramLength, skipLength, allLengths, maxNumTerms, weighting) + { + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words) in + /// and outputs bag of word vector for each output in + /// + /// The environment. + /// Pairs of columns to compute bag of word vector. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public WordBagEstimator(IHostEnvironment env, + (string[] inputs, string output)[] columns, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + : base(Contracts.CheckRef(env, nameof(env)).Register(nameof(WordBagEstimator))) + { + foreach (var (input, output) in columns) + { + Host.CheckUserArg(Utils.Size(input) > 0, nameof(input)); + Host.CheckValue(output, nameof(input)); + } + + _columns = columns; + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _maxNumTerms = maxNumTerms; + _weighting = weighting; + } + + public override TransformWrapper Fit(IDataView input) + { + // Create arguments. + var args = new WordBagTransform.Arguments + { + Column = _columns.Select(x => new WordBagTransform.Column { Source = x.inputs, Name = x.output }).ToArray(), + NgramLength = _ngramLength, + SkipLength = _skipLength, + AllLengths = _allLengths, + MaxNumTerms = new[] { _maxNumTerms }, + Weighting = _weighting + }; + + return new TransformWrapper(Host, WordBagTransform.Create(Host, args, input)); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words of length 1-n) in a given text. + /// It does so by hashing each ngram and using the hash value as the index in the bag. + /// + public sealed class WordHashBagEstimator : TrainedWrapperEstimatorBase + { + private readonly (string[] inputs, string output)[] _columns; + private readonly int _hashBits; + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly uint _seed; + private readonly bool _ordered; + private readonly int _invertHash; + + /// + /// Produces a bag of counts of hashed ngrams in + /// and outputs bag of word vector as + /// + /// The environment. + /// The column containing text to compute bag of word vector. + /// The column containing bag of word vector. Null means is replaced. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public WordHashBagEstimator(IHostEnvironment env, + string inputColumn, + string outputColumn = null, + int hashBits = 16, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) + : this(env, new[] { (new[] { inputColumn }, outputColumn ?? inputColumn) }, hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash) + { + } + + /// + /// Produces a bag of counts of hashed ngrams in + /// and outputs bag of word vector as + /// + /// The environment. + /// The columns containing text to compute bag of word vector. + /// The column containing output tokens. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public WordHashBagEstimator(IHostEnvironment env, + string[] inputColumns, + string outputColumn, + int hashBits = 16, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) + : this(env, new[] { (inputColumns, outputColumn) }, hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash) + { + } + + /// + /// Produces a bag of counts of hashed ngrams in + /// and outputs bag of word vector for each output in + /// + /// The environment. + /// Pairs of columns to compute bag of word vector. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public WordHashBagEstimator(IHostEnvironment env, + (string[] inputs, string output)[] columns, + int hashBits = 16, + int ngramLength = 1, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) + : base(Contracts.CheckRef(env, nameof(env)).Register(nameof(WordBagEstimator))) + { + foreach (var (input, output) in columns) + { + Host.CheckUserArg(Utils.Size(input) > 0, nameof(input)); + Host.CheckValue(output, nameof(input)); + } + + _columns = columns; + _hashBits = hashBits; + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _seed = seed; + _ordered = ordered; + _invertHash = invertHash; + } + + public override TransformWrapper Fit(IDataView input) + { + // Create arguments. + var args = new WordHashBagTransform.Arguments + { + Column = _columns.Select(x => new WordHashBagTransform.Column { Source = x.inputs, Name = x.output }).ToArray(), + HashBits = _hashBits, + NgramLength = _ngramLength, + SkipLength = _skipLength, + AllLengths = _allLengths, + Seed = _seed, + Ordered = _ordered, + InvertHash = _invertHash + }; + + return new TransformWrapper(Host, WordHashBagTransform.Create(Host, args, input)); + } + } + + /// + /// Produces a bag of counts of ngrams(sequences of consecutive values of length 1-n) in a given vector of keys. + /// It does so by building a dictionary of ngrams and using the id in the dictionary as the index in the bag. + /// + public sealed class NgramEstimator : TrainedWrapperEstimatorBase + { + private readonly (string inputs, string output)[] _columns; + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly int _maxNumTerms; + private readonly NgramTransform.WeightingCriteria _weighting; + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words) in + /// and outputs bag of word vector as + /// + /// The environment. + /// The column containing text to compute bag of word vector. + /// The column containing bag of word vector. Null means is replaced. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public NgramEstimator(IHostEnvironment env, + string inputColumn, + string outputColumn = null, + int ngramLength = 2, + int skipLength = 0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + : this(env, new[] { ( inputColumn, outputColumn ?? inputColumn) }, ngramLength, skipLength, allLengths, maxNumTerms, weighting) + { + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words) in + /// and outputs bag of word vector for each output in + /// + /// The environment. + /// Pairs of columns to compute bag of word vector. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Maximum number of ngrams to store in the dictionary. + /// Statistical measure used to evaluate how important a word is to a document in a corpus. + public NgramEstimator(IHostEnvironment env, + (string inputs, string output)[] columns, + int ngramLength = 2, + int skipLength = 0, + bool allLengths = true, + int maxNumTerms = 10000000, + NgramTransform.WeightingCriteria weighting = NgramTransform.WeightingCriteria.Tf) + : base(Contracts.CheckRef(env, nameof(env)).Register(nameof(WordBagEstimator))) + { + foreach (var (input, output) in columns) + { + Host.CheckUserArg(Utils.Size(input) > 0, nameof(input)); + Host.CheckValue(output, nameof(input)); + } + + _columns = columns; + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _maxNumTerms = maxNumTerms; + _weighting = weighting; + } + + public override TransformWrapper Fit(IDataView input) + { + // Create arguments. + var args = new NgramTransform.Arguments + { + Column = _columns.Select(x => new NgramTransform.Column { Source = x.inputs, Name = x.output }).ToArray(), + NgramLength = _ngramLength, + SkipLength = _skipLength, + AllLengths = _allLengths, + MaxNumTerms = new[] { _maxNumTerms }, + Weighting = _weighting + }; + + return new TransformWrapper(Host, new NgramTransform(Host, args, input)); + } + } + + /// + /// Produces a bag of counts of ngrams (sequences of consecutive words of length 1-n) in a given text. + /// It does so by hashing each ngram and using the hash value as the index in the bag. + /// + /// is different from in a way that + /// takes tokenized text as input while tokenizes text internally. + /// + public sealed class NgramHashEstimator : TrainedWrapperEstimatorBase + { + private readonly (string[] inputs, string output)[] _columns; + private readonly int _hashBits; + private readonly int _ngramLength; + private readonly int _skipLength; + private readonly bool _allLengths; + private readonly uint _seed; + private readonly bool _ordered; + private readonly int _invertHash; + + /// + /// Produces a bag of counts of hashed ngrams in + /// and outputs ngram vector as + /// + /// is different from in a way that + /// takes tokenized text as input while tokenizes text internally. + /// + /// The environment. + /// The column containing text to compute bag of word vector. + /// The column containing bag of word vector. Null means is replaced. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public NgramHashEstimator(IHostEnvironment env, + string inputColumn, + string outputColumn = null, + int hashBits = 16, + int ngramLength = 2, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) + : this(env, new[] { (new[] { inputColumn }, outputColumn ?? inputColumn) }, hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash) + { + } + + /// + /// Produces a bag of counts of hashed ngrams in + /// and outputs ngram vector as + /// + /// is different from in a way that + /// takes tokenized text as input while tokenizes text internally. + /// + /// The environment. + /// The columns containing text to compute bag of word vector. + /// The column containing output tokens. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public NgramHashEstimator(IHostEnvironment env, + string[] inputColumns, + string outputColumn, + int hashBits = 16, + int ngramLength = 2, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) + : this(env, new[] { (inputColumns, outputColumn) }, hashBits, ngramLength, skipLength, allLengths, seed, ordered, invertHash) + { + } + + /// + /// Produces a bag of counts of hashed ngrams in + /// and outputs ngram vector for each output in + /// + /// is different from in a way that + /// takes tokenized text as input while tokenizes text internally. + /// + /// The environment. + /// Pairs of columns to compute bag of word vector. + /// Number of bits to hash into. Must be between 1 and 30, inclusive. + /// Ngram length. + /// Maximum number of tokens to skip when constructing an ngram. + /// Whether to include all ngram lengths up to or only . + /// Hashing seed. + /// Whether the position of each source column should be included in the hash (when there are multiple source columns). + /// Limit the number of keys used to generate the slot name to this many. 0 means no invert hashing, -1 means no limit. + public NgramHashEstimator(IHostEnvironment env, + (string[] inputs, string output)[] columns, + int hashBits = 16, + int ngramLength = 2, + int skipLength = 0, + bool allLengths = true, + uint seed = 314489979, + bool ordered = true, + int invertHash = 0) + : base(Contracts.CheckRef(env, nameof(env)).Register(nameof(WordBagEstimator))) + { + foreach (var (input, output) in columns) + { + Host.CheckUserArg(Utils.Size(input) > 0, nameof(input)); + Host.CheckValue(output, nameof(input)); + } + + _columns = columns; + _hashBits = hashBits; + _ngramLength = ngramLength; + _skipLength = skipLength; + _allLengths = allLengths; + _seed = seed; + _ordered = ordered; + _invertHash = invertHash; + } + + public override TransformWrapper Fit(IDataView input) + { + // Create arguments. + var args = new NgramHashTransform.Arguments + { + Column = _columns.Select(x => new NgramHashTransform.Column { Source = x.inputs, Name = x.output }).ToArray(), + HashBits = _hashBits, + NgramLength = _ngramLength, + SkipLength = _skipLength, + AllLengths = _allLengths, + Seed = _seed, + Ordered = _ordered, + InvertHash = _invertHash + }; + + return new TransformWrapper(Host, new NgramHashTransform(Host, args, input)); + } + } } diff --git a/test/BaselineOutput/SingleDebug/Text/bag_of_words.tsv b/test/BaselineOutput/SingleDebug/Text/bag_of_words.tsv new file mode 100644 index 0000000000..bc87cda162 --- /dev/null +++ b/test/BaselineOutput/SingleDebug/Text/bag_of_words.tsv @@ -0,0 +1,12 @@ +#@ TextLoader{ +#@ header+ +#@ sep=tab +#@ col=text:TX:0 +#@ col=bag_of_words:R4:1-3941 +#@ col=bag_of_wordshash:R4:3942-69477 +#@ } +text ==RUDE== Dude, you are rude upload that carl picture back, or else. == OK! IM GOING TO VANDALIZE WILD ONES WIKI THEN!!! Stop trolling, zapatancas, calling me a liar merely demonstartes arer Zapatancas. You may choose to chase every legitimate editor from this site and ignore but I am an with record isnt 99% trolling therefore my wishes not be completely ignored by sockpuppet like yourself. The consensus is overwhelmingly against your trollin g lover Zapatancas, ==You're cool== seem really cool guy... *bursts out laughing at sarcasm*. ":::::" Why threatening me? I'm being disruptive, its who disruptive. hey waz up? ummm... the fif four fifty one song... was info inacurate? did i spell something wrong? hmm... cause don't think have right delete ANYTHING accurate peple want read about fool. pushed around especially some little boy. got it? "::::::::::I'm" sure either. it has do ahistorical vs derived pagan myths. Price does believe latter, other CMT proponents. "*::Your" POV propaganda pushing dully noted. However listing interesting facts in netral unacusitory tone POV. confusing Censorship monitoring. see nothing expressed of intersting facts. If contribute more edit wording cited fact make them sound then go ahead. No need CENSOR factual information. "File:Hildebrandt-Greg" Tim.jpg listed for deletion An image media file uploaded altered, Tim.jpg, been "Wikipedia:Files" deletion. Please discussion why (you search title find entry), if interested deleted. "::::::::This" gross exaggeration. Nobody setting kangaroo court. There simple addition concerning airline. It only disputed here. "::No," won't unrevert "edits!""" """sounds" you're writing their MARKETING "material!!""" Don't get bossy me. Or snippy either, Miss religious Bigot! Kindly leave hatred Christianity DailyKos before log there over here as a...er...ahem...NPOV "::::I" heard Mark Kermode say today Turbo rubbish, he's never *cough* wrong! He doesn't F1 he loved Senna liked Rush well. sock puppet? THAT ban reason? This account, thanks ignoring bulk text. Wikipedia IS corrupt AND populated idiots. free this, so please refrain saying anything again. didn't banned personal attacks, because changed article NPOV when far majority editors would rather BNP diatribe denouncing party. twit, revert edits. Power-mad jerks ruining place A tag placed on Jerome leung kam, requesting speedily deleted Wikipedia. done appears person, group people, band, club, company, web content, indicate how subject "notable:" is, should included encyclopedia. Under criteria speedy deletion, articles assert subject's importance significance any time. guidelines what generally accepted notable. can notability subject, contest To add top page (just below existing """db""" tag) note article's talk explaining position. remove yourself, hesitate information confirm under guidelines. For specific types articles, check our biographies, sites, bands, companies. Feel questions this. ==READ THIS== where people come infomation. So tell guy wants John Cena's recent activity WWE can't SOME keep unedited. worth time try bring new infomation month two NERDS just change back. THERE NO POINT WHATSOEVER! put happened Backlash WILL BLODDY WELL PUT WHAT HAPPENED AT BACKLASH! nerds stop me! Administrator Complaint Filed Against requested until assistance sought. But still added fault professionally written article, besides last section having fan flavor it. Before again show which """What" Ram's Fan's "him""" seems point view. adheres Wikpedia standard writing. IF first prove notes. As resource technical person team process adding refernce link source after we will Once false tags, lets wait administrator, administrator look history provided notes him. time, patience wait. also forwarding whom help. Like said before, adminstrator came made necessary changes, she sub-standard, tags. shame here, disgusting you. ":Hello" Cielomobile. belive edits recently United States-Mexico barrier were vandalism. understand topic border polemic, "User:68.2.242.165" vandalizing page. Maybe could use "Talk:United" States–Mexico lay objections those without deleting entirely. they good-faith efforts improve guiding principles Wikipedia, Assume Good Faith. might help though, author register appear IP address. removal content DNA melting removed creating wrong unreferenced. Mutations """weird" "structures""" mutation start single nucleotide mismatch, rapidly detected repaired form stable bonded double-helix structure, subsequent rounds replication match each base complement. Perhaps wrong, perhaps thinking obscure related technology of, give reference going rude. disturbing apparently scientific wikipedia claiming statement based own speculations. wiki shold dye!they ashame!j suggest kill Yes, blocked losing you, constitute attack. Honest outspoken criticism permitted shameless hate speech deserves than vocal criticism. I'll discuss elsewhere. isn't that. Get yourself regarding threats person's edits, unwarranted bot. appeal bot presumption guilt part administrative sign censorship reversion occur second not. baseless self, vulgar pedant. Alright, lack checking denial truth pathetic, staff. making comments, harass assuming everyone agree article. Pathetic. continue report competent employees thing. Telling wouldn't answer question. hypocrit anyone YOUR INFORMATIONS ARE MISLEADING FULL OF ERRORS. THIS THE WAY YOU SERVE PEOPLE, PITY THEM FOR BEING BRAINWASHED WITH LIES YOU. EVEN LINK HIGHLIGHTS VIDEO ON YOUTUBE Wind Sahara rawks, too. Much accessible 7 pillars. "::Excellent," looking into Some socks quite dumb... Hypocrit! newspaper claims reliable. incorporate company ill called TEADRINKERNEWS.com no merit integrity! Conflict interest doing sort harm lady Saman Hasnain.. apparent her name defamed.... Okay problem... Will better source... playing dirty... DOG Sonisona REALLY ANGRY NOW GRRRRRRRRRRRR "::I" found word """humanists""" confusing. preceding defined *do* (i.e. study, teach, medical research) makes sense context talking commonplace book tools. """Humanists""" defines certain ethical ideologywhat function book? Is particularly one's world perspective? akin """many" blogs maintained writers, professors, lawyers, editorialists, "Republicans/Democrats""" blogs. True though be, confuses reader somehow ideologically ":the" category unnecesary, explained summary. Your disgrace wikipedia. you! ==Drovers' Award== Better hear me, early, "suppose:" logo """All" Rights Reserved, Wikimedia Foundation, "Inc.""," governed visual identity guidelines, states """no" derivative published prior approval "Foundation.""" stop. vandalize editing. | removing review?!? "WP:SNOW" apply review since issue controversial. Oooooh thank Mr. DietLimeCola. again, nice job trying pretend authority anybody wannabe admin, even sadder real admin Grow up biased child. ":Saved" renaming; marked rapid del. ==Terrible== Anyone else list garbage? DON'T INTERFERE! Look, telling "you:" INTERFERE between Ohnoitsjamie. filthy hog, oldest enemy, extent insult him fullest extent. good boy, eat potato crisps (Yummy... yummy ... munch crunch. - ":Going" immediate origin much keeping definition """Hispanic" "Latino""." You're acting faith, obviously, Hispanic/Latino ancestry too OR, subjective, seen all you've had do. way include these we're "discussing:" support reliable sources refer Hispanic Latino, ideally list. Pathetic user needs life See Macedonian names, common endings well names Slavic Languages. Hauskalainen|Tom]] RFC Response """criticism""" reads essay adequate references. appropriate tag. "[[User:" And, frankly, pathetic immature, clearly acts annoyance favourite past She's insane zealot. ":" know English """level" "2""," worry, nicely otherwise, judging same taken aback. wanted aware wrote, it's case. write sentence simply """Theoretically" altruist, word, "actions.""." PS. reply page, watchlist. bit education you... Here Bay Lake, Florida. Now, NOT city? Educate such ludicrous ignorant comments CHEATER, "::" a.k.a. (among others) air dates right, rest well-covered cited, Hollywood Kryptonite. """These""" users cannot proper English, gives away """they""" user, despite """their""" denials. ==Reply vandal Wakkeenah== vandals administrators, minor problems, details surrounding Reeves suicided enough, everybody reporting, fight Moore next day, reverted, pure spelling goes Vesa Projects whoever, well, repeating errors occur, counts vandalised administrators And obvious wahkeenah "proof:" All internet Reeves' death detail possible involved, taking everything down, idiotic administratotors reversing it, thus themselves stupid realizing historical Ridiculous It's absolutely RIDICULOUS long detailed is. laughed teachers allow used schoolwork 1)the |diots demonize groups 2) they're revise incident wasn't. agree. Trolling snitches protected. Where days crybabies haven't payed attention ? Eh, waxing nostalgic.... ==Fixed== Hi, fixed Religion Vietnam lead atheism state religion per request, take look. disparity pie chart mainly caused US institute counting 45% ancestor worship traditional beliefs religion, wheras officially non-believers. grey area... Second "question:" What chữ nho Hán? mind Hán Japanese Chinese, Vietnamese-only, Lonely Planet uses. Do view? Cheers! "::You" ashamed wasting adults' ridiculous runt. god, wiped post now. speak coherent sentences. Bascially, busted. "::::I've" beneath unblock request feel comfortable proclamation. indicated realize Banglapedia copyrighted source. bears copyright notice How certain, given that, copy noticing used? myself unblocking promise restriction. grief useful time? Oh Fool SOMETHING AWFUL DEAD contributors Anonymiss Madchen cookie! Cookies promote WikiLove hopefully day better. Spread """WikiLove""" giving someone cookie, whether disagreements friend. spread goodness cookies, someone's friendly message, cookie giver's ! Thank hard work, sorry rough times past. loser. ":::::Actually," cockroach followed board, repeatedly comes back written. FYI. 206.45.24.242 (talk) actions vandalism either pig ignorant, racism paid so. agrees enjoy. likely cares reduce stub supporting prejudices grow son. conversation. farther stooge worst ever seen. repeated shows pathetically insecure individual are. ":::I" apple pretty dated. expression """as" American "pie""" dated baseball's longer most popular sport (football is). Plus, weird flag. ME PROTECT PAGE I'M GONNA KILL USER TOMORROW MORNING ":::Ok," whatever, separate Frankish province existed such, entry disambiguation live current version buddy? care editing Loser. April 2009 attack editors. continue, ":If" shared address, unconstructive consider account avoid further irrelevant warnings. HOW DARE YOU, KUBIGULA, YOU!!!!!!!!!!!! DELETE BRILLIANT ARTICLE NILLIAM """THE" "PHENOMENA""" TOWNSIRIS CAN SENSE PRESENCE ABOUT BOY, AN EVIL PRESENCE, MAY FORCE FROM SPIRIT SEAHORSE UNLEASH EXPECTO PATRONUM UPON MUST EXPRESS KINDNESS TOWNSIRIS, HE OUR SAVIOUR, ANSWER ULLILOQUITY. AS SO MUCH BLINK WHEN READING NEXT ARTICLE, THEN JUST MISS OUT TIGER. , 16 August 2008 (UTC) *I'm terribly disappointed enough disagreeable sincerely hope retire, suck. "14:23" Blind bats Not Obviously rely program eyes. Jealous aren't GAYTOURAGE... probably now WERQ it! Megna James helps. provide notable references providinga respected journalist patient's perspective. created tons references, Also. allegedly """obscure" anti-psychiatry "book.""" vested interests protect. becomes known endanger pocketbook. ==Hello== let nicer through therapy experiences led angry antisocial today. wayyyyy condensed heavily. important tenth has. Shame. ==Image problem "Image:KissBOTI.jpg==" uploading "Image:KissBOTI.jpg." However, currently missing status. takes very seriously. soon, unless determine license image. information, description questions, ask Thanks cooperation. Thanx efe, noticed 800 bytes watchlist went red alert call. Woah! who'd victim his power abuse, *really* surprise e-mailed morning! Sorry couldn't adult powers, Stan Lee decades ago, great responsibility. Of course, big question Matthew Fenton run hide behind gets head handed wanton Jericho Lost pages. Newsletter Indon. tried delivery hehehhe. Have before? not, somewhat hiding P. Cheers List Malcolm Middle characters excellent. Welcome! OH MY CALL ROCK IDIOTS!!!! ":::::::::" 168.209.97.34. On basis acusing user? phrase """anti-Islamic" cut [sic] "troll""" attack? deem acceptable language Wikipedia? Pename ":You" Bailando por un sueño (Argentina) Congratulations! Saw message homepage. reason solution? — 3 July 2005 "05:18" HHHHHHHHHHHHHHAAAAAAHAHA funny.. Na seriously dude. reallyyyyyyy drunknnnk ya're funny! dont u id advise watch ur mouth!! call MacDonald's """culture""?" Nonsense! Spend 10 years France, hint Culture is! "::""Somebody," "one.""" lazy. attacks. strict policy Attack pages images tolerated Users create repost images, violation biographies living persons policy, response matter. Our plan worke charm. We finally negativity control protected! "::This" ridiculous. "::Aside" actually war crime, """some""" characterize one. "::War" crimes serious violations laws war. key words """laws""" """war.""" Unless lives town, legislatures, case ratified them, argued diplomats consultation military's generals. understanding killing large numbers process. peaceniks sitting dreaming moral. "::I'm" section. salvageable. Who poor stolen Pwned! Too bad ISP permban require boards directors, typical officers educations, experiences, contacts, etc. board members. concept directors. Almost entire devoted pointing alleged shortcomings boards, none statements verify them. tagging issues resolved. vandalizing. refuse evidence area. blind Racist calls violence. deranged harrasser yours Project personality onto Meat grinder. reverted. experiment, sandbox. cab ":Don't" "mean:" 'If condom. you.' ":Nothing" portrait, queen 22 years, mostly adult. childhood. Haven't hade yet needed. took criticism, """goal""" grumpy. course positive input appreciated everyone, including earlier. "::Thanks" tip! I've mediation thing already suspect correct wholesale answer... Only complete loser writes Wiki profile themself! 5 "21:21" CHANGES DO AFFECT ANY CONCOCTED OFFENSES HAVE BROUGHT UP! "WP:NPOV" / synthesis "WP:Verifiable" "WP:OR" OWN STANCE, pro orthodox itself BIASED! changes on, BECAUSE STANCE CURRENT SINGH SABHA ideological stance sikhism, WHICH MEANS ONLY ACCEPTS ORTHODOX unorthodox! Which means judgment, CHRISTIAN UNORTHODOX CHURCH, exist, wiki, HAS merit! BIASED APPROACH! HiDrNick Present fatty. Relax. excited, 5000 Rhino meal. [] ==Unblock== Blocking solve anything. meant shall Today allows himself deleate tommorow us class people. Shame rights. messages "Wikipedia:Requests" comment/Lupo know? finish main temple structure. whatever say, arrogant guy. Waaaaahh erase too, reading this? Are insecure? "Wikipedia:Counter" Un-civility Unit wiki-project thought up. wondering idea join backing construct wikiproject, share views subjects concensus, civilty, Reply talkpage interested. Thanks, -MegamanZero|Talk refering Chinese languages dialects. google "tally:" *AIDS denialist 13,100 hits *Big Tobacco denialist/ Big denialism 0 *Holocaust 486 denier 306,000 Holocaust denialists getting gain denailism, deniers denialism? maintain? """Big" "denialism""" gain? forth. ludicrous. Give Taken Bell X1 External Links Flock Album Review WERS.org • Goodbye Cruel World decided myself. My Dad died weeks wish goodbye. ==Kobe Tai== proposed template Kobe Tai, suggesting according contributions appreciated, satisfy Wikipedia's inclusion, explain (see "not""" policy). prevent notice, disagree summary Also, improving address raised. Even process, matches sent Articles Deletion, reached. substantial Tai. '''''' * Yeah however fish off Wrestlinglover420 Pss Rex, DOCUMENT things discovered Kerry awesome INDEPENDENTLY observed (and corrorborate) virtually exactsame pattern liberals. Demonizing conservatives; lionizing ad infinitum, nauseum. proof have, easier persuade fellow brain-dead haters cent WHOLESALE that's exactly what's happen. almost liberal's religion. gonna church practice huh? rumors sending Hippocrite, Fred Bauder, WoohooKitty, Kizzle, FVW, Derex pimply faced 15 year old RedWolf become verklempt schedule appointement psychiatrist...or gynecologist. Daddy- PHASE II Dry funding (on road) functional illiterate, pertinent biography. By way, boyfriend Bertil Videt doing? sensational stuff keeps hiding. Did meet boyfriends yet? . afraid agreed interpretation denotes comment remark insult, I'd stark raving, bloody mad! === Age Modern Humans says age modern humans 200 thousands unsourced material obviously becausee knows. 130,000 years. humans? thousand old, 130 millions science claimed? wasn't grasp english shouldn't attempting censor ":::*Generic" fair rationales are, definition, impossible. ":That" will. ":::" high horse, block unreasonable bored, sick person! knowing seeing full content. Hold horses decide. e-mail debate -Wikipedia Supervisor! "::The" sections """Controversy" "coverage""," major many points Greek debt crisis consists >100 addressed "::*" #4 """>100" pages, "missing?""" #5 """" Greece fiscal austerity midst crisis? #6 LEAD "::Two" least style (as ones article) "::Just" let's #4, joining Euro sufficient financial convergence competitiveness causes crisis. early root Without technically always printed volume drachma. 100 WP lead. lists normal problems """structural" "weaknesses""" """recessions""" (even clear solved drachma inflation needed) naming "::What" (at summary) invited add/change/delete list? strong opponents working coordinated action, significant change, summarize crisis, """Greek" [need have] "prominence"")" describing WP, on. section, lemma (like during years) decline=Nobody moronic edits! Take hike! Hello, welcome Wikipedia! contributions. decide stay. few links "newcomers:" *The five pillars *How *Help *Tutorial *Manual Style enjoy Wikipedian! using tildes (~~~~); automatically produce date. help, "Wikipedia:Questions," {{helpme}} shortly questions. Again, welcome!  Dr. Manfred Gerstenfeld. sentences copied directly Dr Gerstenfeld’s homepage; desirable, creates impression homepage, violation. rewrite kind indication Gerstenfeld (cf. "WP:BIO" "WP:PROFTEST" ideas that). guts oh bet stairs, mummy lunch "PS:" middle-aged losers home parents basements 50 bucks week Samuell, dead, proceed requested. Either we'll beating! dare Block discussions owning issuing SAID Loremaster tyrannical anti-knowledge hater. says, original research. distort words. Myanmar topic. understanding. "::So" admin! excusing above? breaks remember reaction BOMBER Volunteer, total hypocritical? October 2013 understanding? understanding, annoying editor! 6 January 2014 "::::Ok," Anon Tempe, Arizona aka 174.19.166.126 174.19.169.92, Ted Cruz other, conclusively answered question, reasons edited Jennifer Granholm suggestion assume thoughts topic, right? "22:38" glutton punishment. ;-) latest yet, congratulations re-adminship. That's third voted again! -P 30 June "17:17" ":Erm," LOTHAT VON TROTHA WAS POISONED, THAT'S CONTAMINATION IS! GET TYPHOID FEVER THROUGH POISONED FOOD OR DRINK! Robbie Hummel Way article! must black ":Merge" redirect Base 32 Base32 (I Base32, needed Base64 UTF-1). dumb American, degree? Knows engineering? Thinks mathematics """universal""?" Played monopoly school instead learning? far? ":::::::::::You" it; (Incidentally, reasoning above unsound; Rushdie comparison holds up, fail hold literary career failure). understand, decision reversed was). Rather, yelling enforcing policy. Sandifer, BUY puffery, forked penny cause. contribution pennies. Nawlins deflower prepubescent girls? Don’t that’s felony? Vinny Burgoo = suspected puppet withdraw accusation? hit Google 'Vinny Burgoo' (my online nearly ten wholly bogus. Someone posted Wiktionary serial tyrant 'c**t' unambiguously broken Wiki's rules, compounded transparently jocular manner, wasn't) 'supporter' assumed another temporary block. lot whatsoever disruptive "(guilty:" fed you) accused puppeteer nonsense settled (the crime kept changing) happy show. down genuine threat We'll see. Other side bar looks intergrated Providing length shrink pics fit top? reckon die British correspond French nobiliary which, case, defunct, noble titles rendered obsolete century ago. technically, Raine Spencer, retrieved previous surname upon divorce Chambrun. (And marriage, Countess Chambrun, Jean-Francois de and, usage, referred Mme servants so-called inferiors.) Hey jerk "deal:" peace Carl Grissom Bob goon. Also unlock Chase Meridian accept Jack Napier Batman Forever. In articles. wikipedia.org fans racist organizations spam and/or advertize engines name. links? wikipedia.org. blocking publishing advertizing life, american, america. TYRANNY Liberal opinions rules all, Nazis Facists. ok currupt "admin:" desucka,crooked bullet,and krappydude. mental GO DIE STUPID ARSEWHOLE AUTOMATED FILTER ":::The" stands readership aimed at, problem. imagine professional do, easy access material. general access, aim "::Dai" antagonized 'first' move. Then Snowded suggested drunk plain stupid. They attacking public talkpages & 'edi summaries'. bloke, Dai Snowy poke provoke via stalking, harrassment contant ABF. treat dirt, thos rumours started started. Ramsquire caught starting rumour. "*RPJ:" chain custody rifle. "*Ramsquire:" """Yes" "is.""" Where? """Its" "article.""" """I'm" research "you.""" Ramsquire, please, admit whole story """chain" "custody""" ":::This" dead half archived Heta, Stigma Sho effectively, triggering mentioned manifested reverts readding letters "::::::::Oh" seriously, definitely challenging said, legal One backs gutless confront person. mouthing Slim Virgin others backs. Really honorable behaviour. weak *Please RAW. considered WHY ACT HOSTILE INSULTED?!?! LEARN FRIGGIN FIND SOURCES BEFORE THOSE PRICING GAME ARTICLES, GD ":::If" weren't ganging banned. enter yard, hunter rifle blow head. flag vandals. break Mr V. safe restful break. gone long! ) Best wishes, fine. side. shame. Dont FOOL Paula! already! quit popping stuff! Drugs trouble day! (much guys movies! Jonathan told mom, asked spots pants were!) lying, accusing sockpuppetry continents apart, tracks accuse of. shambles, credibility wise. Anyhow, business remotest relation wikipedia? drunk, drugs period ??? place. chronologically historically Otherwise move data cringeworthy donkeys, sprotected mean? – biggest moment """sales" "figures""" earlier years... know, end sales figures 1994, 1994 1996 discredited revised, basically worthless. quoted usually """estimates""" various charts calculated enthusiasts yearly artist singles albums, estimating percentage assigned record). unofficial unverifiable, altogether estimated. records 37th best selling album 1987 sold concentrate best-selling Kingdom Welsh friends is? native speaker cosmopolitan. Personally, favorite ":Spot," up! improved nonsense. SINCE >>>>SOURCED<<<< EDITING VANDALISM??? READ CITED SOURCES! WHERE pray DOES IT SAY IRAN EVER EVER) HAD DEMOCRATICAL ELECTION SORT SHAPE HISTORY?? QUIT CONVERTING WIKIPEDIA INTO TRASH BIN SILLY INFANTILE PRANKS! KISSING EACH OTHER'S REAR ENDS DOESN*T MAKE less Eww, s m e l horrible round here! Ewwww you? man! peee-yewww!go bath something, fleabag! Hi Libra, Gemini else? """front" "page""" show-off. UKDoctor responds Shut Up, David Ruben JdWolff referring TIGERS IN CAGES !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! flying leap deep Pacific Ocean to. WE WHITE DOCTORS TOTALLY ASHAMED GENERAL MEDICAL COUNCIL -and certainly piece fit. @ indicates several defense times. videt vandalazing suit talk. warnings users. man try) deal begging hand. "::::Based" ChrisO's behavior load bull, pretexting Further, NEVER gave """warning""" blocked, RESPONDED abusive placing rule flatly refused respond REDIRECT "Talk:57th" Directors Guild America Awards "::::Ouch!" That sounded criticised behaviour, line. """he" grew Russia, training Russians, talks Russian, Russian President fights, thats identified "interviews""" Russian? stupid, banderlogs course. ideology stupidity ignorance, all. ":Time" """Three" Revert "Rule""," both editted again? left PeeJay2k3 Oragina2 table Resolving Disputes road. flabbergastingly ":Look," becoming encyclopaedia. prepared argument Alan Whicker's position 'absolutely, unequivocally, unquestionably "definitive':" next-door-neighbour Osborne's Manchester city definitive', there's matter Whicker's. ⁿɡ͡b \ Respect earned respect troll stalker. close bother inflammatory garbage posse? ==No Personal Attacks== cover allegations true. P.S. didnt true- were. notorious Hrafn. supporter strange git), Dear Leader, father Great Leader. harmony village, maybe vice versa .. Blerim Shabani. ===hahahahahahaha=== fake filled wont fyrom. prevail ":I" sympathize frustration. comic professionals love can't. linked double-check. conversation Heck guide citation. ==Reversion== Given vandalized changing Nintendo characters, reverted older version. first, """accidental" "suicide""" laugh. accidents suicides die. hurt ASSUME checkers? don't. writer """theorizing""?" Well believed George Hodel killer Black Dahlia. humiliated internets. theory? Theone Martians killed her? Oh, relevant ==Cell (film)== film? movies production. H-E doulbe hocky sticks, production yet. Can answers, "WP:BOLOGNA." So, words, dole. basement leech 11-year old. motivation, job, play fantasy couls video game player. joker European parliament non binding silly reports serious. ruled ancestors centuries negative turks turkey 'revenge'. Go golden dawn there. Ban """Bryansee""" Wikipediocracy. Hey, Zoloft. Wikipediocracy """Well""" dead. """Recover""" """die""." wanting medication increase maker. Check "out:" MODERATORS MOST INGORANT SELF SERVING JERKS NET ":So" quote Ollier Pain, """postorogenic" "part""." Phrase "with:" ":#" later realized processes [deformation creation topography] closely related, Very wrong. Deformation topography, generation topography synchronous deformation. email Dahlen Suppe (1988), send attach PDF. tackle large-scale deformation sedimentary rocks folding thrusting orogenesis. ...fold-belt mountainous "areas...:" """fold-belt""" (AFAIK) collisional mountain-building event. though. youngest, late Cenozoic mountains evident causal rock structure surface landscape. following "sentence:" British, """utter" "twaddle""." above, exposed structures amounts uplift erosion. fact, trajectory different units orogen determined patterns paper, you'll paper (1988). "::::::What" deaf HERE. POWNS NOOBS ALL DAY! ":::And" fully expected, abusing ":Grow" immature brat. warring Eagle Outfitters. so, """bold" "move""" "05:48," December 2013‎ uncontroversial, discussed, "Talk:Run" Devil Run (Girls' Generation song)#Move? (2). ==THEN Attacking comments== SHOWING CONTEMPT OTHER EDITORS VERY UNCIVIL UNEVEN UNFAIR LABELING ME... cure AIDs, bought rich double. sad blame ..... opinion opinion. suck Aids. know. These INSANE. rarely evil days, both. painstakingly scan CD desk showing """Extreme" "Jaime""'s" """Jaime" "Guse""." Additionally, Hiram skits available DaveRyanShow.com Dave Ryan Morning Show CDs. contents viewable Amazon. present authoritative, multiple Administrator, act reckless, inconsistent doubt encyclopedia "bit:" Armed once song possesses classic attributes successful Eurovision catchy, feel-good melody, key-change builds Chiara highly favourites. removed. Chiara's fame worthy mention grocer shopowner corner. cancer. Hard constructive party behaves godking thug. Librier raised term imprecisely accurate. strictly associated Kelb tal-Fenek. ARRHGH! Frederica threatning annon uncivilised conduct. 80% rubbish... Dude mother totally hot. thick (it's response) itself. (whether right) discuss, turn, twist frankly abuse topics detrimental basic goals Wikis particular. Stewart hacks; hurting us. 2 learn SHUT UP DONT FOLLOW EVERYWHERE ":::hey" buddy, guess what? """I""" realy """your""" excuse Roaringflamer obsessed redirects. banned, disruption OOOOHHHH With Intellectually Terrifying Superior """(referenced" Journal Labelled Compounds "Radiopharmaceuticals)""." Could Hey!! possibly """supposed""" ignoramus challenge THREATENING BEHAVIOUR CONSTANT BLOCKING SABOTAGE EDITS TANTAMOUNT STALIKING. STALKING ME? STEVE? YOURE ABOUT, HARRASSING KEEP WIKIPEDIA? TWISTED WACKO, WISH HARM? WHY? ME!!!!!!!!!!! LEAVE ALONE RACIST WACKO!!!!!!!!! ":O:" bigger stronger. fat pig. misunderstanding. biography political for. FURTHERMORE.... VISITED RAGIB'S STUDIED DISCUSSION AREA. RAGIB OBVIOUSLY BANGLADESH SEEMS BE SIMILARLY PAROCHIAL CHAUVINIST EDITOR MANY ASKING UN-NECESSARY DELETIONS ARTICLES LIKE..... GETTING SNUBBED EFFORT!! beg pardon? region, berbers minority. presume people's origins? make-belief world, posts veil truth. contacting immediately largely fictitious, vicious discussion. as, adress Would it.. frenchie threatens badly Foie Gras. protected lobbyists. includes frog eaters. TOO....... ATTACKING ME! 100% DDOS toaster freakin heck mold mould, i've alone already.... Need Kansas bear, """Sultanate" "Rum""," Turkish nationalist dubious books lonelyplanet travel guides. profound anti neutrality agenda, Persianate Sultanate's architecture, renaming """culture""," order terms. kick nationalistic bias tripe bio official website, outdated way. practice. saw watching episode. Stupid! stops massive undiscussed pay Vietnamese history. Jackson perform WMA sing anymore. hasn't toured decade, along bankruptcy. vocals """We've" Had "Enough""" ago voice begin with, comparable King, Elvis Presley. 1998 due declining popularity, inactivity siblings parents. 2002 revealed international banks tune tens dollars, lawsuits May 2003 confirmed verge bankuptcy debts $400 million. Invincible flop album, """Dangerous""," thoroughly mediocre music. Jackson's remaining regard album. 1989 King Pop meaningless, self-proclaimed title. planned buy Graceland demolish megalomania Half songs Dangerous good, unbelievably awful Heal World, million copies strength three albums. Yeah, WJ unique 20-year-olds admire disgraced former Pop. Anyway, Wacko Jacko. Justin Eminem risk offending WJ's fans. perform, while active finished decade ( ==Appears Be Uncontructive?== Since mere feelings evidence? clue hypocrite. unconstructive. WHy ugly fat? "::Is" so? Than questiong incredibly arrogant, entirely inappropriate actions? member community matters? Yep, mouthpiece, law stands. friggin' bad. **And winner douchiest award. 65536 0:"" +==RUDE== Dude, you are rude upload that carl picture back, or else. 69477 0:1 1:1 2:1 3:1 4:1 5:1 6:1 7:1 8:1 9:1 10:1 11:1 9731:1 11932:1 13570:1 23278:1 25070:1 25476:1 27853:1 30628:1 31357:1 33292:1 48076:1 58145:1 +== OK! == IM GOING TO VANDALIZE WILD ONES WIKI THEN!!! 69477 12:2 13:1 14:1 15:1 16:1 17:1 18:1 19:1 20:1 21:1 4812:1 5043:1 20382:1 37328:1 42027:1 49667:1 51688:1 58135:1 61744:2 67879:1 +Stop trolling, zapatancas, calling me a liar merely demonstartes that you arer Zapatancas. You may choose to chase every legitimate editor from this site and ignore me but I am an editor with a record that isnt 99% trolling and therefore my wishes are not to be completely ignored by a sockpuppet like yourself. The consensus is overwhelmingly against you and your trollin g lover Zapatancas, 69477 2:2 3:1 6:2 22:1 23:1 24:1 25:1 26:2 27:3 28:1 29:1 30:1 31:1 32:1 33:1 34:1 35:1 36:2 37:1 38:1 39:1 40:2 41:1 42:1 43:1 44:3 45:1 46:1 47:1 48:1 49:1 50:1 51:1 52:1 53:1 54:1 55:1 56:1 57:1 58:1 59:1 60:1 61:1 62:1 63:1 64:1 65:1 66:1 67:1 68:1 69:1 70:1 71:1 72:1 73:1 74:1 75:1 5652:1 6819:1 8401:1 9153:1 12053:1 13785:1 14106:1 16432:2 16870:1 17820:1 19757:1 20772:1 22199:1 23204:3 23278:2 23343:1 23468:1 23639:1 23679:1 23837:1 24312:1 24593:1 25908:1 27156:1 28202:1 28440:1 29431:3 32557:1 33292:2 35576:1 36868:1 36943:1 37387:1 38857:1 39044:1 41628:1 42159:1 44166:1 44332:1 46396:1 46513:1 47249:1 48206:1 51971:1 52525:1 53139:1 54816:1 55017:1 56632:2 57652:1 58145:1 59218:1 61333:2 61710:1 62277:1 64019:1 66821:1 +==You're cool== You seem like a really cool guy... *bursts out laughing at sarcasm*. 69477 27:1 33:1 64:1 76:1 77:1 78:1 79:1 80:1 81:1 82:1 83:1 84:1 85:1 86:1 7241:1 19929:1 23204:1 26757:1 30186:1 31696:1 36428:1 42159:1 53089:1 53139:1 53934:1 65941:1 68221:1 68354:1 diff --git a/test/BaselineOutput/SingleDebug/Text/ngrams.tsv b/test/BaselineOutput/SingleDebug/Text/ngrams.tsv new file mode 100644 index 0000000000..aca31977c2 --- /dev/null +++ b/test/BaselineOutput/SingleDebug/Text/ngrams.tsv @@ -0,0 +1,13 @@ +#@ TextLoader{ +#@ header+ +#@ sep=tab +#@ col=text:TX:0-** +#@ col={name=terms type=U4 src={ min=-1 var=+} key=0-3940} +#@ col={name=ngrams type=R4 src={ min=-1 max=13111 vector=+}} +#@ col={name=ngramshash type=R4 src={ min=-1 max=65534 vector=+}} +#@ } +==RUDE== ==RUDE==|Dude, Dude, Dude,|you you you|are are are|rude rude rude|upload upload upload|that that that|carl carl carl|picture picture picture|back, back, back,|or or or|else. else. == ==|OK! OK! OK!|== ==|IM IM IM|GOING GOING GOING|TO TO TO|VANDALIZE VANDALIZE VANDALIZE|WILD WILD WILD|ONES ONES ONES|WIKI WIKI WIKI|THEN!!! THEN!!! Stop Stop|trolling, trolling, trolling,|zapatancas, zapatancas, zapatancas,|calling calling calling|me me me|a a a|liar liar liar|merely merely merely|demonstartes demonstartes demonstartes|that that|you you|arer arer arer|Zapatancas. Zapatancas. Zapatancas.|You You You|may may may|choose choose choose|to to to|chase chase chase|every every every|legitimate legitimate legitimate|editor editor editor|from from from|this this this|site site site|and and and|ignore ignore ignore|me me|but but but|I I I|am am am|an an an|editor editor|with with with|a a|record record record|that that|isnt isnt isnt|99% 99% 99%|trolling trolling trolling|and and|therefore therefore therefore|my my my|wishes wishes wishes|are are|not not not|to to|be be be|completely completely completely|ignored ignored ignored|by by by|a a|sockpuppet sockpuppet sockpuppet|like like like|yourself. yourself. yourself.|The The The|consensus consensus consensus|is is is|overwhelmingly overwhelmingly overwhelmingly|against against against|you you|and and|your your your|trollin trollin trollin|g g g|lover lover lover|Zapatancas, Zapatancas, ==You're ==You're|cool== cool== cool==|You You|seem seem seem|like like|a a|really really really|cool cool cool|guy... guy... guy...|*bursts *bursts *bursts|out out out|laughing laughing laughing|at at at|sarcasm*. sarcasm*. ":::::" ":::::|Why" Why Why|are are|you you|threatening threatening threatening|me? me? me?|I'm I'm I'm|not not|being being being|disruptive, disruptive, disruptive,|its its its|you you|who who who|is is|being being|disruptive. disruptive. ==|hey hey hey|waz waz waz|up? up? up?|== hey|ummm... ummm... ummm...|the the the|fif fif fif|four four four|fifty fifty fifty|one one one|song... song... song...|was was was|the the|info info info|inacurate? inacurate? inacurate?|did did did|i i i|spell spell spell|something something something|wrong? wrong? wrong?|hmm... hmm... hmm...|cause cause cause|i i|don't don't don't|think think think|you you|have have have|a a|right right right|to to|delete delete delete|ANYTHING ANYTHING ANYTHING|that that|is is|accurate accurate accurate|and and|that that|peple peple peple|may may|want want want|to to|read read read|about about about|fool. fool. fool.|i don't|like like|being being|pushed pushed pushed|around around around|especially especially especially|by by|some some some|little little little|boy. boy. boy.|got got got|it? it? "::::::::::I'm" "::::::::::I'm|not" not|sure sure sure|either. either. either.|I I|think think|it it it|has has has|something something|to to|do do do|with with|merely merely|ahistorical ahistorical ahistorical|vs vs vs|being being|derived derived derived|from from|pagan pagan pagan|myths. myths. myths.|Price Price Price|does does does|believe believe believe|the the|latter, latter, latter,|I'm sure|about about|other other other|CMT CMT CMT|proponents. proponents. "*::Your" "*::Your|POV" POV POV|and and|propaganda propaganda propaganda|pushing pushing pushing|is is|dully dully dully|noted. noted. noted.|However However However|listing listing listing|interesting interesting interesting|facts facts facts|in in in|a a|netral netral netral|and and|unacusitory unacusitory unacusitory|tone tone tone|is is|not not|POV. POV. POV.|You seem|to be|confusing confusing confusing|Censorship Censorship Censorship|with with|POV POV|monitoring. monitoring. monitoring.|I I|see see see|nothing nothing nothing|POV POV|expressed expressed expressed|in in|the the|listing listing|of of of|intersting intersting intersting|facts. facts. facts.|If If If|you you|want to|contribute contribute contribute|more more more|facts facts|or or|edit edit edit|wording wording wording|of of|the the|cited cited cited|fact fact fact|to to|make make make|them them them|sound sound sound|more more|netral netral|then then then|go go go|ahead. ahead. ahead.|No No No|need need need|to to|CENSOR CENSOR CENSOR|interesting interesting|factual factual factual|information. information. "==|File:Hildebrandt-Greg" "File:Hildebrandt-Greg" "File:Hildebrandt-Greg|and" and|Tim.jpg Tim.jpg Tim.jpg|listed listed listed|for for for|deletion deletion deletion|== ==|An An An|image image image|or or|media media media|file file file|that you|uploaded uploaded uploaded|or or|altered, altered, "altered,|File:Hildebrandt-Greg" and|Tim.jpg, Tim.jpg, Tim.jpg,|has has|been been been|listed listed|at "at|Wikipedia:Files" "Wikipedia:Files" "Wikipedia:Files|for" for|deletion. deletion. deletion.|Please Please Please|see see|the the|discussion discussion discussion|to to|see see|why why why|this this|is is|(you (you (you|may may|have have|to to|search search search|for for|the the|title title title|of the|image image|to to|find find find|its its|entry), entry), entry),|if if if|you are|interested interested interested|in in|it it|not being|deleted. deleted. "::::::::This" "::::::::This|is" is|a a|gross gross gross|exaggeration. exaggeration. exaggeration.|Nobody Nobody Nobody|is is|setting setting setting|a a|kangaroo kangaroo kangaroo|court. court. court.|There There There|was was|a a|simple simple simple|addition addition addition|concerning concerning concerning|the the|airline. airline. airline.|It It It|is is|the the|only only only|one one|disputed disputed disputed|here. here. "::No," "::No,|I" I|won't won't won't|unrevert unrevert unrevert|your "your|edits!""" "edits!""" "edits!""|""sounds" """sounds" """sounds|more" more|like like|you're you're you're|writing writing writing|their their their|MARKETING MARKETING "MARKETING|material!!""" "material!!""" "material!!""|Don't" Don't Don't|get get get|bossy bossy bossy|with with|me. me. me.|Or Or Or|snippy snippy snippy|either, either, either,|Miss Miss Miss|religious religious religious|Bigot! Bigot! Bigot!|Kindly Kindly Kindly|leave leave leave|your your|hatred hatred hatred|for for|Christianity Christianity Christianity|at at|DailyKos DailyKos DailyKos|before before before|you you|log log log|out out|there there there|and and|log log|in in|over over over|here here here|as as as|a...er...ahem...NPOV a...er...ahem...NPOV a...er...ahem...NPOV|editor "::::I" "::::I|heard" heard heard|Mark Mark Mark|Kermode Kermode Kermode|say say say|today today today|that that|Turbo Turbo Turbo|was was|rubbish, rubbish, rubbish,|and and|he's he's he's|never never never|*cough* *cough* *cough*|wrong! wrong! wrong!|He He He|doesn't doesn't doesn't|like like|F1 F1 F1|but but|he he he|loved loved loved|Senna Senna Senna|and and|liked liked liked|Rush Rush Rush|as as|well. well. am|a a|sock sock sock|puppet? puppet? puppet?|THAT THAT THAT|is is|my my|ban ban ban|reason? reason? reason?|This This This|is my|only only|account, account, account,|and and|thanks thanks thanks|for for|ignoring ignoring ignoring|the the|bulk bulk bulk|of of|my my|text. text. text.|Wikipedia Wikipedia Wikipedia|IS IS IS|corrupt corrupt corrupt|AND AND AND|populated populated populated|by by|idiots. idiots. idiots.|I am|free free free|to to|say say|this, this, this,|so so so|please please please|refrain refrain refrain|from from|saying saying saying|anything anything anything|like like|that that|again. again. again.|I I|didn't didn't didn't|get get|banned banned banned|for for|trolling, trolling,|or or|personal personal personal|attacks, attacks, attacks,|I I|got got|banned banned|because because because|I I|changed changed changed|an an|article article article|to to|NPOV NPOV NPOV|when when when|the the|far far far|majority majority majority|of the|editors editors editors|here here|would would would|rather rather rather|the the|see the|BNP BNP BNP|article article|as as|a a|diatribe diatribe diatribe|denouncing denouncing denouncing|the the|party. party. You|twit, twit, twit,|read read|the the|article article|before you|revert revert revert|edits. edits. edits.|Power-mad Power-mad Power-mad|jerks jerks jerks|like like|you are|ruining ruining ruining|this this|place place A A|tag tag tag|has been|placed placed placed|on on on|Jerome Jerome Jerome|leung leung leung|kam, kam, kam,|requesting requesting requesting|that that|it it|be be|speedily speedily speedily|deleted deleted deleted|from from|Wikipedia. Wikipedia. Wikipedia.|This This|has been|done done done|because because|the article|appears appears appears|to be|about about|a a|person, person, person,|group group group|of of|people, people, people,|band, band, band,|club, club, club,|company, company, company,|or or|web web web|content, content, content,|but but|it it|does does|not not|indicate indicate indicate|how how how|or or|why why|the the|subject subject subject|is "is|notable:" "notable:" "notable:|that" that|is, is, is,|why why|an article|about about|that that|subject subject|should should should|be be|included included included|in in|an an|encyclopedia. encyclopedia. encyclopedia.|Under Under Under|the the|criteria criteria criteria|for for|speedy speedy speedy|deletion, deletion, deletion,|articles articles articles|that that|do do|not not|assert assert assert|the the|subject's subject's subject's|importance importance importance|or or|significance significance significance|may may|be be|deleted deleted|at at|any any any|time. time. time.|Please the|guidelines guidelines guidelines|for for|what what what|is is|generally generally generally|accepted accepted accepted|as as|notable. notable. notable.|If you|think think|that you|can can can|assert the|notability notability notability|of the|subject, subject, subject,|you you|may may|contest contest contest|the the|deletion. deletion.|To To To|do do|this, this,|add add add|on on|the the|top top top|of the|page page page|(just (just (just|below below below|the the|existing existing existing|speedy speedy|deletion deletion|or "or|""db""" """db""" """db""|tag)" tag) tag)|and and|leave leave|a a|note note note|on the|article's article's article's|talk talk talk|page page|explaining explaining explaining|your your|position. position. position.|Please Please|do not|remove remove remove|the the|speedy deletion|tag tag|yourself, yourself, yourself,|but but|don't don't|hesitate hesitate hesitate|to to|add add|information information information|to to|the article|that that|would would|confirm confirm confirm|the subject's|notability notability|under under under|Wikipedia Wikipedia|guidelines. guidelines. guidelines.|For For For|guidelines guidelines|on on|specific specific specific|types types types|of of|articles, articles, articles,|you to|check check check|out out|our our our|criteria for|biographies, biographies, biographies,|for for|web web|sites, sites, sites,|for for|bands, bands, bands,|or or|for for|companies. companies. companies.|Feel Feel Feel|free to|leave on|my my|talk page|if have|any any|questions questions questions|about about|this. this. ==READ ==READ|THIS== THIS== THIS==|This is|Wikipedia. Wikipedia.|It a|place place|where where where|people people people|come come come|for for|infomation. infomation. infomation.|So So So|tell tell tell|me me|how how|it it|is is|that that|a a|guy guy guy|wants wants wants|to check|John John John|Cena's Cena's Cena's|recent recent recent|activity activity activity|in the|WWE WWE WWE|can't can't can't|because because|SOME SOME SOME|people people|want to|keep keep keep|the page|unedited. unedited. unedited.|It not|worth worth worth|my my|time time time|to to|try try try|to to|bring bring bring|new new new|infomation infomation infomation|to to|a a|page page|every every|month month month|or or|two two two|if you|NERDS NERDS NERDS|just just just|change change change|it it|back. back. back.|THERE THERE THERE|IS IS|NO NO NO|POINT POINT POINT|WHATSOEVER! WHATSOEVER! WHATSOEVER!|If If|I I|want to|put put put|what what|happened happened happened|at at|Backlash Backlash Backlash|I I|WILL WILL WILL|BLODDY BLODDY BLODDY|WELL WELL WELL|PUT PUT PUT|WHAT WHAT WHAT|HAPPENED HAPPENED HAPPENED|AT AT AT|BACKLASH! BACKLASH! BACKLASH!|Don't Don't|any any|of of|you you|nerds nerds nerds|try try|and and|stop stop stop|me! me! ==|Administrator Administrator Administrator|Complaint Complaint Complaint|Filed Filed Filed|Against Against Against|You You|== ==|I I|requested requested requested|that you|do not|edit edit|the article|until until until|the the|editor editor|assistance assistance assistance|has been|sought. sought. sought.|But But But|you you|still still still|added added added|and and|the the|tag tag|you you|added added|is is|fault fault fault|because because|this a|professionally professionally professionally|written written written|article, article, article,|besides besides besides|the the|last last last|section section section|there there|is is|nothing nothing|about about|the article|having having having|a a|fan fan fan|flavor flavor flavor|to to|it. it. it.|Before Before Before|you you|add add|the the|add add|again again again|please please|do do|show show show|which which which|section section|besides "the|""What" """What" """What|Ram's" Ram's Ram's|Fan's Fan's Fan's|have say|about "about|him""" "him""" "him""|seems" seems seems|written written|from from|a fan|point point point|of of|view. view. view.|This This|article article|besides section|adheres adheres adheres|to the|Wikpedia Wikpedia Wikpedia|standard standard standard|of of|writing. writing. writing.|IF IF IF|not not|please please|first first first|prove prove prove|it it|in in|my my|notes. notes. notes.|As As As|for the|resource resource resource|the the|technical technical technical|person person person|on the|team team team|is is|in the|process process process|of of|adding adding adding|the the|refernce refernce refernce|link link link|to the|source source source|after after after|which which|we we we|will will will|remove remove|that that|tag tag|as well.|Once Once Once|again not|add add|false false false|tags, tags, tags,|lets lets lets|wait wait wait|for editor|and the|administrator, administrator, administrator,|I I|did did|tell tell|the the|administrator administrator administrator|to to|look look look|at at|the the|history history history|and and|have have|provided provided provided|your your|notes notes notes|to to|him. him. him.|So So|at at|this this|time, time, time,|just just|have have|patience patience patience|and and|lets lets|wait. wait. wait.|I am|also also also|forwarding forwarding forwarding|this this|to administrator|from from|whom whom whom|I I|have have|requested requested|help. help. help.|Like Like Like|I I|said said said|before, before, before,|as as|adminstrator adminstrator adminstrator|came came came|to page|and and|made made made|the the|necessary necessary necessary|changes, changes, changes,|she she she|did did|not not|find find|the article|sub-standard, sub-standard, sub-standard,|so from|adding adding|tags. tags. a|shame shame shame|what what|people people|are are|here, here, here,|I am|disgusting disgusting disgusting|of of|you. you. ":Hello" ":Hello|Cielomobile." Cielomobile. Cielomobile.|I say|that that|I I|also also|belive belive belive|that that|the the|edits edits edits|made made|recently recently recently|to the|United United United|States-Mexico States-Mexico States-Mexico|barrier barrier barrier|page page|were were were|not not|vandalism. vandalism. vandalism.|I I|understand understand understand|that the|topic topic topic|of the|border border border|can can|be be|polemic, polemic, polemic,|but I|don't "that|User:68.2.242.165" "User:68.2.242.165" "User:68.2.242.165|was" was|vandalizing vandalizing vandalizing|the the|page. page. page.|Maybe Maybe Maybe|you you|could could could|use use use|the the|talk "page|Talk:United" "Talk:United" "Talk:United|States–Mexico" States–Mexico States–Mexico|barrier barrier|to to|lay lay lay|out out|your your|objections objections objections|to to|those those those|edits edits|without without without|deleting deleting deleting|them them|entirely. entirely. entirely.|I think|they they they|were were|good-faith good-faith good-faith|efforts efforts efforts|to to|improve improve improve|the the|article, article,|and is|also also|one one|of the|guiding guiding guiding|principles principles principles|of of|Wikipedia, Wikipedia, Wikipedia,|to to|Assume Assume Assume|Good Good Good|Faith. Faith. Faith.|It It|might might might|help help help|though, though, though,|if if|the the|author author author|of of|those edits|were were|to to|register register register|with with|Wikipedia Wikipedia|so so|the edits|won't won't|appear appear appear|merely merely|with with|an an|IP IP IP|address. address. ==|my my|removal removal removal|of of|your your|content content content|on on|DNA DNA DNA|melting melting melting|== I|removed removed removed|the the|content content|you you|placed placed|when when|creating creating creating|the article|because because|it it|was was|wrong wrong wrong|and and|unreferenced. unreferenced. unreferenced.|Mutations Mutations Mutations|do not|have "have|""weird" """weird" """weird|structures""" "structures""" "structures""|a" a|point point|mutation mutation mutation|might might|start start start|with a|single single single|nucleotide nucleotide nucleotide|mismatch, mismatch, mismatch,|but but|those those|are are|rapidly rapidly rapidly|detected detected detected|and and|repaired repaired repaired|to to|form form form|a a|stable stable stable|bonded bonded bonded|double-helix double-helix double-helix|structure, structure, structure,|and and|subsequent subsequent subsequent|rounds rounds rounds|of of|DNA DNA|replication replication replication|match match match|each each each|base base base|with with|its its|complement. complement. complement.|Perhaps Perhaps Perhaps|your your|wording wording|was was|wrong, wrong, wrong,|perhaps perhaps perhaps|you you|were were|thinking thinking thinking|of of|an an|obscure obscure obscure|related related related|technology technology technology|that have|heard heard|of, of, of,|but but|you you|didn't didn't|give give give|a a|reference reference reference|and and|I'm not|going going going|to to|help help|you you|with with|this, this,|because because|you're you're|being being|rude. rude. rude.|I I|find find|it it|disturbing disturbing disturbing|that you|apparently apparently apparently|made made|this this|scientific scientific scientific|page page|on on|wikipedia wikipedia wikipedia|claiming claiming claiming|a a|statement statement statement|of of|fact fact|that that|was was|in in|merely merely|based based based|on on|your your|own own own|speculations. speculations. wiki wiki|shold shold shold|dye!they dye!they dye!they|should be|ashame!j ashame!j I|suggest suggest suggest|you you|kill kill kill|yourself. Yes, Yes,|I I|was was|blocked blocked blocked|for for|losing losing losing|patience patience|with with|you, you, you,|and and|what what|I did|then then|would would|constitute constitute constitute|personal personal|attack. attack. attack.|Honest Honest Honest|outspoken outspoken outspoken|criticism criticism criticism|that is|based on|fact fact|is is|permitted permitted permitted|though, though,|and the|shameless shameless shameless|hate hate hate|speech speech speech|expressed expressed|here here|deserves deserves deserves|more more|than than than|just just|vocal vocal vocal|criticism. criticism. criticism.|As for|you, you,|I'll I'll I'll|discuss discuss discuss|you you|elsewhere. elsewhere. elsewhere.|This This|isn't isn't isn't|the the|place place|for for|that. that. Get Get|yourself yourself yourself|some some|help. ==|regarding regarding regarding|threats threats threats|== ==|is not|revert revert|of of|person's person's person's|edits, edits, edits,|only only|unwarranted unwarranted unwarranted|edit edit|by by|bot. bot. bot.|appeal appeal appeal|has been|made made|to to|bot bot bot|but but|presumption presumption presumption|of of|guilt guilt guilt|on on|part part part|of of|administrative administrative administrative|base base|is is|sign sign sign|of of|censorship censorship censorship|so so|made made|edits edits|again again|to see|if if|reversion reversion reversion|would would|occur occur occur|second second second|time. time.|has has|not. not. not.|please please|keep keep|baseless baseless baseless|threats threats|to to|self, self, self,|vulgar vulgar vulgar|pedant. pedant. Alright, Alright,|your your|lack lack lack|of fact|checking checking checking|and and|denial denial denial|of of|truth truth truth|is is|pathetic, pathetic, pathetic,|especially by|your your|staff. staff. staff.|Stop Stop|making making making|comments, comments, comments,|just just|to to|harass harass harass|me. me.|You You|are are|assuming assuming assuming|I'm I'm|everyone everyone everyone|who who|doesn't doesn't|agree agree agree|with with|your your|wiki wiki|article. article. article.|Pathetic. Pathetic. Pathetic.|I I|will will|continue continue continue|to to|report report report|them them|until until|your your|competent competent competent|employees employees employees|do do|the the|right right|thing. thing. Telling Telling|that you|wouldn't wouldn't wouldn't|answer answer answer|my my|question. question. question.|You are|a a|hypocrit hypocrit hypocrit|as as|anyone anyone anyone|can can|see ==|YOUR YOUR YOUR|INFORMATIONS INFORMATIONS INFORMATIONS|ARE ARE ARE|MISLEADING MISLEADING MISLEADING|AND AND|FULL FULL FULL|OF OF OF|ERRORS. ERRORS. ERRORS.|== ERRORS.|IF IF|THIS THIS THIS|IS IS|THE THE THE|WAY WAY WAY|YOU YOU YOU|SERVE SERVE SERVE|PEOPLE, PEOPLE, PEOPLE,|I I|PITY PITY PITY|THEM THEM THEM|FOR FOR FOR|BEING BEING BEING|BRAINWASHED BRAINWASHED BRAINWASHED|WITH WITH WITH|LIES LIES LIES|OF OF|YOU. YOU. AND|I I|EVEN EVEN EVEN|PUT PUT|A A|LINK LINK LINK|TO TO|A A|HIGHLIGHTS HIGHLIGHTS HIGHLIGHTS|VIDEO VIDEO VIDEO|ON ON ON|YOUTUBE YOUTUBE Wind Wind|in the|Sahara Sahara Sahara|rawks, rawks, rawks,|too. too. too.|Much Much Much|more more|accessible accessible accessible|than than|7 7 7|pillars. pillars. "::Excellent," "::Excellent,|thanks" for|looking looking looking|into into into|it. it.|Some Some Some|socks socks socks|are are|quite quite quite|dumb... dumb... Hypocrit! Hypocrit!|you you|just just|cited cited|a a|newspaper newspaper newspaper|that that|claims claims claims|to be|reliable. reliable. reliable.|i i|will will|incorporate incorporate incorporate|and and|make make|a newspaper|company company company|then then|ill ill ill|site site|it. it.|its its|called called called|TEADRINKERNEWS.com TEADRINKERNEWS.com TEADRINKERNEWS.com|this site|has has|no no no|merit merit merit|and and|you have|no no|integrity! integrity! ==|Conflict Conflict Conflict|of of|interest interest interest|== ==|You a|person person|who is|doing doing doing|some some|sort sort sort|of of|harm harm harm|to to|this this|lady lady lady|Saman Saman Saman|Hasnain.. Hasnain.. Hasnain..|It is|apparent apparent apparent|that are|making making|sure sure|that that|her her her|name name name|is is|defamed.... defamed.... defamed....|Okay Okay Okay|no no|problem... problem... problem...|Will Will Will|get get|a a|better better better|source... source... source...|you are|playing playing playing|dirty... dirty... dirty...|DOG DOG DOG|Sonisona Sonisona REALLY REALLY|REALLY REALLY|ANGRY ANGRY ANGRY|NOW NOW NOW|GRRRRRRRRRRRR GRRRRRRRRRRRR "::I" "::I|also" also|found found found|use use|of the|word word "word|""humanists""" """humanists""" """humanists""|confusing." confusing. confusing.|The The|types of|people people|listed listed|preceding preceding "preceding|""humanists""" """humanists""|are" are|defined defined defined|by by|what what|they they|*do* *do* *do*|(i.e. (i.e. (i.e.|study, study, study,|teach, teach, teach,|do do|medical medical medical|research) research) research)|which which|makes makes makes|sense sense sense|in the|context context context|of of|talking talking talking|about the|commonplace commonplace commonplace|book book book|as as|one of|their their|tools. tools. "tools.|""Humanists""" """Humanists""" """Humanists""|defines" defines defines|people people|of of|a a|certain certain certain|ethical ethical ethical|ideologywhat ideologywhat ideologywhat|does does|that that|have with|the the|function function function|of a|commonplace commonplace|book? book? book?|Is Is Is|the the|use book|particularly particularly particularly|defined by|one's one's one's|world world world|perspective? perspective? perspective?|To To|me me|this this|would would|be be|akin akin akin|to to|writing "writing|""many" """many" """many|blogs" blogs blogs|are are|maintained maintained maintained|by by|writers, writers, writers,|professors, professors, professors,|lawyers, lawyers, lawyers,|editorialists, editorialists, editorialists,|and "and|Republicans/Democrats""" "Republicans/Democrats""" "Republicans/Democrats""|in" about|blogs. blogs. blogs.|True True True|though though though|it it|may may|be, be, be,|it it|confuses confuses confuses|the the|reader reader reader|into into|thinking thinking|that subject|being being|written written|about about|is is|somehow somehow somehow|ideologically ideologically ideologically|specific specific|when when|it is|not. ":the" ":the|category" category category|was was|unnecesary, unnecesary, unnecesary,|as as|explained explained explained|in my|edit edit|summary. summary. summary.|Your Your Your|threats threats|are are|disgrace disgrace disgrace|to to|wikipedia. wikipedia. I|hate hate|you. you.|== you.|I hate|you! you! ==Drovers' ==Drovers'|Award== Award== Award==|Better Better Better|you you|hear hear hear|it it|from from|me, me, me,|and and|early, early, early,|I "I|suppose:" "suppose:" "suppose:|The" The|Wikipedia Wikipedia|logo logo logo|is "is|""All" """All" """All|Rights" Rights Rights|Reserved, Reserved, Reserved,|Wikimedia Wikimedia Wikimedia|Foundation, Foundation, "Foundation,|Inc.""," "Inc.""," "Inc."",|and" and|use of|it is|governed governed governed|by by|the the|Wikimedia Wikimedia|visual visual visual|identity identity identity|guidelines, guidelines, guidelines,|which which|states states states|that "that|""no" """no" """no|derivative" derivative derivative|of Wikimedia|logo logo|can be|published published published|without without|prior prior prior|approval approval approval|from from|the "the|Foundation.""" "Foundation.""" Please|stop. stop. stop.|If you|continue to|vandalize vandalize vandalize|Wikipedia, Wikipedia,|you you|will will|be be|blocked blocked|from from|editing. editing. editing.|| | ==|removing removing removing|a a|deletion deletion|review?!? review?!? review?!?|== "==|WP:SNOW" "WP:SNOW" "WP:SNOW|doesn't" doesn't|apply apply apply|to to|my my|deletion deletion|review review review|since since since|the the|issue issue issue|is is|controversial. controversial. Oooooh Oooooh|thank thank thank|you you|Mr. Mr. Mr.|DietLimeCola. DietLimeCola. DietLimeCola.|Once Once|again, again, again,|nice nice nice|job job job|trying trying trying|to to|pretend pretend pretend|you have|some some|authority authority authority|over over|anybody anybody anybody|here. here.|You a|wannabe wannabe wannabe|admin, admin, admin,|which which|is is|even even even|sadder sadder sadder|than than|a a|real real real|admin admin Grow Grow|up up up|you you|biased biased biased|child. child. ":Saved" ":Saved|without" without|renaming; renaming; renaming;|marked marked marked|for for|rapid rapid rapid|del. del. ==Terrible== ==Terrible==|Anyone Anyone Anyone|else else else|agree agree|this this|list list list|is is|garbage? garbage? ==|DON'T DON'T DON'T|INTERFERE! INTERFERE! INTERFERE!|== ==|Look, Look, Look,|I am|telling telling "telling|you:" "you:" "you:|YOU" YOU|DON'T DON'T|INTERFERE INTERFERE INTERFERE|between between between|me me|and and|Ohnoitsjamie. Ohnoitsjamie. Ohnoitsjamie.|He He|is a|filthy filthy filthy|hog, hog, hog,|an an|oldest oldest oldest|enemy, enemy, enemy,|and and|i i|can can|go go|to to|any any|extent extent extent|to to|insult insult insult|him him him|to the|fullest fullest fullest|extent. extent. extent.|So So|be be|a a|good good good|boy, boy, boy,|and and|eat eat eat|potato potato potato|crisps crisps crisps|(Yummy... (Yummy... (Yummy...|yummy yummy yummy|... ... ...|munch munch munch|crunch. crunch. crunch.|- - ":Going" ":Going|by" by|immediate immediate immediate|place place|of of|origin origin origin|is is|much much much|more more|in in|keeping keeping keeping|with the|definition definition definition|of "of|""Hispanic" """Hispanic" """Hispanic|or" "or|Latino""." "Latino""." "Latino"".|You're" You're You're|acting acting acting|in in|good good|faith, faith, faith,|obviously, obviously, obviously,|but but|claiming claiming|every every|Hispanic/Latino Hispanic/Latino Hispanic/Latino|person person|based on|ancestry ancestry ancestry|is is|too too too|OR, OR, OR,|too too|subjective, subjective, subjective,|as as|can be|seen seen seen|from from|all all all|that that|explaining explaining|you've you've you've|had had had|to to|do. do. do.|There There|is a|way way way|to to|include include include|these these these|people people|we're we're "we're|discussing:" "discussing:" "discussing:|with" the|support support support|of of|reliable reliable reliable|sources sources sources|that that|refer refer refer|to to|them them|as as|Hispanic Hispanic Hispanic|or or|Latino, Latino, Latino,|something something|that that|ideally ideally ideally|should be|done done|for for|everyone everyone|on the|list. list. ==|Pathetic Pathetic Pathetic|== ==|This This|user user user|needs needs needs|a a|life life See See|the the|section section|below below|about the|Macedonian Macedonian Macedonian|last last|names, names, names,|and and|common common common|endings endings endings|of names,|as as|well well well|some some|common last|names names names|in the|Slavic Slavic Slavic|Languages. Languages. Hauskalainen|Tom]] Hauskalainen|Tom]]|RFC RFC RFC|Response Response Response|The "The|""criticism""" """criticism""" """criticism""|section" section|reads reads reads|like a|POV POV|essay essay essay|without without|adequate adequate adequate|references. references. references.|I have|added added|the the|appropriate appropriate appropriate|tag. tag. "tag.|[[User:" "[[User:" And, And,|frankly, frankly, frankly,|you are|just just|as as|pathetic pathetic pathetic|and and|immature, immature, immature,|clearly clearly clearly|these these|acts acts acts|of of|annoyance annoyance annoyance|are are|your your|favourite favourite favourite|past past past|time. She's She's|insane insane insane|and and|a a|zealot. zealot. ":" ":|I" I|know know know|you you|listed listed|your your|English English English|as as|on "the|""level" """level" """level|2""," "2""," "2"",|but" don't|worry, worry, worry,|you you|seem be|doing doing|nicely nicely nicely|otherwise, otherwise, otherwise,|judging judging judging|by the|same same same|page page|- -|so so|don't don't|be be|taken taken taken|aback. aback. aback.|I I|just just|wanted wanted wanted|to to|know know|if were|aware aware aware|of of|what what|you you|wrote, wrote, wrote,|and and|think think|it's it's it's|an an|interesting interesting|case. case. "case.|:" I|would would|write write write|that that|sentence sentence sentence|simply simply simply|as "as|""Theoretically" """Theoretically" """Theoretically|I" an|altruist, altruist, altruist,|but but|only only|by by|word, word, word,|not not|by by|my "my|actions.""." "actions.""." "actions."".|:" ":|PS." PS. PS.|You You|can can|reply reply reply|to to|me me|on on|this this|same same|page, page, page,|as as|I have|it it|on my|watchlist. watchlist. ==|A A|bit bit bit|of of|education education education|for for|you... you... you...|== ==|Here Here Here|is the|link to|Bay Bay Bay|Lake, Lake, Lake,|Florida. Florida. Florida.|Now, Now, Now,|what what|was was|that were|saying saying|about about|it it|NOT NOT NOT|being being|a a|city? city? city?|Educate Educate Educate|yourself yourself|a a|bit bit|before you|make make|such such such|ludicrous ludicrous ludicrous|ignorant ignorant ignorant|comments comments a|CHEATER, CHEATER, CHEATER,|and article|should should|say say|that. "::" "::|a.k.a." a.k.a. a.k.a.|(among (among (among|others) others) others)|can't can't|even even|get get|the the|air air air|dates dates dates|right, right, right,|and the|rest rest rest|is POV|that is|well-covered well-covered well-covered|in the|interesting interesting|book book|I I|cited, cited, cited,|Hollywood Hollywood Hollywood|Kryptonite. Kryptonite. "Kryptonite.|""These""" """These""" """These""|users" users users|also also|cannot cannot cannot|write write|proper proper proper|English, English, English,|which is|what what|gives gives gives|away away away|that "that|""they""" """they""" """they""|are" are|the same|user, user, user,|despite despite "despite|""their""" """their""" """their""|denials." denials. denials.|==Reply ==Reply ==Reply|to to|vandal vandal vandal|Wakkeenah== Wakkeenah== Wakkeenah==|To To|all all|the the|vandals vandals vandals|and and|so so|called called|just just|administrators, administrators, administrators,|the dates|are are|minor minor minor|problems, problems, problems,|the the|facts facts|and and|details details details|surrounding surrounding surrounding|Reeves Reeves Reeves|suicided suicided suicided|are written|well well|enough, enough, enough,|as as|everybody everybody everybody|else else|is is|reporting, reporting, reporting,|the the|fact that|Reeves Reeves|was was|to to|fight fight fight|Moore Moore Moore|next next next|day, day, day,|is also|being being|reverted, reverted, reverted,|this is|pure pure pure|vandalism. vandalism.|As As|far far|as as|spelling spelling spelling|goes goes goes|by by|Vesa Vesa Vesa|or or|Projects Projects Projects|or or|whoever, whoever, whoever,|well, well, well,|if you|keep keep|on on|repeating repeating repeating|yourself yourself|and no|time, time,|some some|spelling spelling|errors errors errors|might might|occur, occur, occur,|but but|it's it's|not not|the the|spelling spelling|that that|counts counts counts|but but|content content|which being|vandalised vandalised vandalised|by by|so just|users users|and and|administrators administrators administrators|of of|this this|so just|wikipedia. wikipedia.|And And And|it is|obvious obvious obvious|wahkeenah wahkeenah wahkeenah|has has|some some|personal personal|interest interest|in in|this, "this,|proof:" "proof:" "proof:|All" All All|over over|internet internet internet|we we|have have|Reeves' Reeves' Reeves'|death death death|explained in|detail detail detail|and and|possible possible possible|people people|involved, involved, involved,|but but|over here|he he|is is|taking taking taking|everything everything everything|down, down, down,|the the|idiotic idiotic idiotic|administratotors administratotors administratotors|are are|reversing reversing reversing|it, it, it,|thus thus thus|making making|themselves themselves themselves|look look|stupid stupid stupid|and and|ignorant ignorant|by by|not not|realizing realizing realizing|the the|historical historical historical|facts. ==|Ridiculous Ridiculous Ridiculous|== ==|It's It's It's|absolutely absolutely absolutely|RIDICULOUS RIDICULOUS RIDICULOUS|how how|long long long|and and|detailed detailed detailed|this this|article article|is. is. is.|This is|why why|Wikipedia Wikipedia|is is|laughed laughed laughed|at at|and and|why why|teachers teachers teachers|won't won't|allow allow allow|Wikipedia Wikipedia|to be|used used used|in in|schoolwork schoolwork schoolwork|1)the 1)the 1)the||diots |diots |diots|writing writing|this article|are are|trying to|demonize demonize demonize|certain certain|groups groups groups|and and|2) 2) 2)|they're they're they're|trying to|revise revise revise|the facts|of the|incident incident incident|to make|it it|seem seem|something it|wasn't. wasn't. "::I|agree." agree. agree.|Trolling Trolling Trolling|snitches snitches snitches|should be|protected. protected. protected.|Where Where Where|are are|these these|days days days|when when|crybabies crybabies crybabies|just just|haven't haven't haven't|been been|payed payed payed|attention attention attention|to to|? ? ?|Eh, Eh, Eh,|I'm I'm|waxing waxing waxing|nostalgic.... nostalgic.... ==Fixed== ==Fixed==|Hi, Hi, Hi,|I I|fixed fixed fixed|up up|the the|Religion Religion Religion|in in|Vietnam Vietnam Vietnam|lead lead lead|with with|atheism atheism atheism|as as|state state state|religion religion religion|first first|as as|per per per|your your|request, request, request,|please please|take take take|a a|look. look. look.|The The|disparity disparity disparity|in the|pie pie pie|chart chart chart|seems seems|mainly mainly mainly|caused caused caused|by by|that that|US US US|institute institute institute|counting counting counting|45% 45% 45%|ancestor ancestor ancestor|worship worship worship|and and|traditional traditional traditional|beliefs beliefs beliefs|as as|religion, religion, religion,|wheras wheras wheras|officially officially officially|that that|45% 45%|are are|non-believers. non-believers. non-believers.|It's It's|a a|grey grey grey|area... area... area...|Second Second "Second|question:" "question:" "question:|What" What What|do do|you think|is is|better better|title title|chữ chữ chữ|nho nho nho|or or|chữ chữ|Hán? Hán? Hán?|To To|my my|mind mind mind|chữ chữ|Hán Hán Hán|can can|still still|include include|Japanese Japanese Japanese|and and|Chinese, Chinese, Chinese,|but but|chữ nho|is is|clearly clearly|Vietnamese-only, Vietnamese-only, Vietnamese-only,|and and|is what|Lonely Lonely Lonely|Planet Planet Planet|uses. uses. uses.|Do Do Do|you any|view? view? view?|Cheers! Cheers! "::You" "::You|should" be|ashamed ashamed ashamed|of of|yourself yourself|for for|wasting wasting wasting|adults' adults' adults'|time, time,|you you|ridiculous ridiculous ridiculous|runt. runt. Good|god, god, god,|you you|wiped wiped wiped|out out|my my|post post post|just just|now. now. now.|You You|can't even|speak speak speak|in in|coherent coherent coherent|sentences. sentences. sentences.|Bascially, Bascially, Bascially,|you've you've|been been|busted. busted. "::::I've" "::::I've|explained" explained|beneath beneath beneath|your your|unblock unblock unblock|request request request|that I|do not|feel feel feel|comfortable comfortable comfortable|with your|proclamation. proclamation. proclamation.|You You|indicated indicated indicated|that you|did not|realize realize realize|Banglapedia Banglapedia Banglapedia|was a|copyrighted copyrighted copyrighted|source. source. source.|This This|source source|bears bears bears|copyright copyright copyright|notice notice notice|on on|every every|page. page.|How How How|can can|we we|be be|certain, certain, certain,|given given given|that, that, that,|that will|not not|copy copy copy|from from|other other|copyrighted copyrighted|sources sources|without without|noticing noticing noticing|that that|they they|cannot cannot|be be|used? used? used?|I I|myself myself myself|do comfortable|unblocking unblocking unblocking|you you|until until|you you|promise promise promise|not to|copy from|any any|source source|that you|cannot cannot|prove prove|to be|without without|copyright copyright|restriction. restriction. ":|Good" Good|grief grief grief|have have|you you|nothing nothing|useful useful useful|to your|time? time? time?|Oh Oh Oh|well, well,|I'll I'll|add add|you you|to list.|Fool Fool SOMETHING SOMETHING|AWFUL AWFUL AWFUL|IS IS|DEAD DEAD DEAD|DEAD ==|To To|the the|contributors contributors contributors|of article|== ==|Anonymiss Anonymiss Anonymiss|Madchen Madchen Madchen|has has|given given|you you|a a|cookie! cookie! cookie!|Cookies Cookies Cookies|promote promote promote|WikiLove WikiLove WikiLove|and and|hopefully hopefully hopefully|this this|one one|has has|made made|your your|day day day|better. better. better.|You can|Spread Spread Spread|the "the|""WikiLove""" """WikiLove""" """WikiLove""|by" by|giving giving giving|someone someone someone|else else|a a|cookie, cookie, cookie,|whether whether whether|it be|someone someone|you have|had had|disagreements disagreements disagreements|with with|in the|past past|or or|a good|friend. friend. friend.|To To|spread spread spread|the the|goodness goodness goodness|of of|cookies, cookies, cookies,|you can|add add|to to|someone's someone's someone's|talk page|with a|friendly friendly friendly|message, message, message,|or or|eat eat|this this|cookie cookie cookie|on the|giver's giver's giver's|talk with|! ! !|Thank Thank Thank|you you|for for|your your|hard hard hard|work, work, work,|and and|sorry sorry sorry|about about|rough rough rough|times times times|in the|past. past. past.|I'm I'm|going to|go go|edit edit|other other|articles articles|now. "now.|:" ==|get life|loser. loser. loser.|== ":::::Actually," ":::::Actually,|you" the|cockroach cockroach cockroach|that that|followed followed followed|me me|to the|notice notice|board, board, board,|and and|repeatedly repeatedly repeatedly|comes comes comes|back back back|to to|revert revert|what I|had had|written. written. written.|FYI. FYI. FYI.|206.45.24.242 206.45.24.242 206.45.24.242|(talk) (talk) I|believe believe|your your|actions actions actions|to be|pure pure|vandalism vandalism vandalism|either either either|based on|pig pig pig|ignorant, ignorant, ignorant,|racism racism racism|or or|because because|you are|being being|paid paid paid|to do|so. so. so.|But But|if if|no no|one one|else else|agrees agrees agrees|enjoy. enjoy. enjoy.|It's It's|more more|likely likely likely|no else|cares cares cares|either either|way way|you will|reduce reduce reduce|this a|stub stub stub|or or|start start|supporting supporting supporting|your own|prejudices prejudices prejudices|here. here.|It's It's|only only|wiki wiki|grow grow grow|up up|son. son. son.|This not|a a|conversation. conversation. conversation.|The The|promise promise|was a|ban ban|without without|farther farther farther|notice notice|so please|don't don't|give give|me me|any any|more more|notice notice|you you|pathetic pathetic|stooge stooge are|one the|worst worst worst|page page|vandals vandals|I have|ever ever ever|seen. seen. seen.|Your Your|repeated repeated repeated|vandalism vandalism|of a|user user|page page|shows shows shows|what what|a a|pathetically pathetically pathetically|insecure insecure insecure|individual individual individual|you you|are. are. ":::I" ":::I|think" think|the the|apple apple apple|pie pie|image image|is is|pretty pretty pretty|dated. dated. dated.|The The|expression expression "expression|""as" """as" """as|American" American American|as as|apple "apple|pie""" "pie""" "pie""|is" is|dated dated dated|and and|baseball's baseball's baseball's|no no|longer longer longer|the the|most most most|popular popular popular|sport sport sport|in the|US US|(football (football (football|is). is). is).|Plus, Plus, Plus,|it's it's|sort of|weird weird weird|having having|them them|on the|flag. flag. flag.|- ME ME|IF IF|YOU YOU|PROTECT PROTECT PROTECT|THIS THIS|PAGE PAGE PAGE|I'M I'M I'M|GONNA GONNA GONNA|KILL KILL KILL|YOUR YOUR|USER USER USER|PAGE PAGE|TOMORROW TOMORROW TOMORROW|MORNING MORNING ":::Ok," ":::Ok,|whatever," whatever, whatever,|but but|if if|this this|separate separate separate|Frankish Frankish Frankish|province province province|existed existed existed|as as|such, such, such,|then then|I I|still still|believe believe|that it|should included|as as|separate separate|entry entry entry|into into|disambiguation disambiguation disambiguation|page, page,|but I|can can|live live live|with the|current current current|version version version|of page|as threatening|me, me,|buddy? buddy? buddy?|I didn't|do do|anything anything|to to|you! you!|And And|like like|I I|care care care|about about|editing editing editing|Wikipedia. Wikipedia.|Loser. Loser. ==|April April April|2009 2009 2009|== ==|Please not|attack attack attack|other other|editors. editors. editors.|If you|continue, continue, continue,|you from|editing "Wikipedia.|:If" ":If" ":If|this" a|shared shared shared|IP IP|address, address, address,|and didn't|make make|any any|unconstructive unconstructive unconstructive|edits, edits,|consider consider consider|creating creating|an an|account account account|for for|yourself yourself|so so|you can|avoid avoid avoid|further further further|irrelevant irrelevant irrelevant|warnings. warnings. ==|HOW HOW HOW|DARE DARE DARE|YOU, YOU, YOU,|HOW DARE|YOU YOU|KUBIGULA, KUBIGULA, KUBIGULA,|HOW DARE|YOU!!!!!!!!!!!! YOU!!!!!!!!!!!! YOU!!!!!!!!!!!!|== YOU|DELETE DELETE DELETE|BRILLIANT BRILLIANT BRILLIANT|ARTICLE ARTICLE ARTICLE|ON ON|NILLIAM NILLIAM "NILLIAM|""THE" """THE" """THE|PHENOMENA""" "PHENOMENA""" "PHENOMENA""|TOWNSIRIS" TOWNSIRIS TOWNSIRIS|I I|CAN CAN CAN|SENSE SENSE SENSE|A A|PRESENCE PRESENCE PRESENCE|ABOUT ABOUT ABOUT|YOU YOU|BOY, BOY, BOY,|AN AN AN|EVIL EVIL EVIL|PRESENCE, PRESENCE, PRESENCE,|MAY MAY MAY|THE THE|FORCE FORCE FORCE|FROM FROM FROM|THE THE|SPIRIT SPIRIT SPIRIT|OF OF|A A|SEAHORSE SEAHORSE SEAHORSE|UNLEASH UNLEASH UNLEASH|THE THE|EXPECTO EXPECTO EXPECTO|PATRONUM PATRONUM PATRONUM|UPON UPON UPON|YOU, YOU,|YOU YOU|MUST MUST MUST|EXPRESS EXPRESS EXPRESS|KINDNESS KINDNESS KINDNESS|TO TO|NILLIAM NILLIAM|TOWNSIRIS, TOWNSIRIS, TOWNSIRIS,|FOR FOR|HE HE HE|IS IS|OUR OUR OUR|SAVIOUR, SAVIOUR, SAVIOUR,|THE THE|ANSWER ANSWER ANSWER|TO TO|OUR OUR|ULLILOQUITY. ULLILOQUITY. ULLILOQUITY.|IF YOU|AS AS AS|SO SO SO|MUCH MUCH MUCH|BLINK BLINK BLINK|WHEN WHEN WHEN|READING READING READING|THE THE|NEXT NEXT NEXT|ARTICLE, ARTICLE, ARTICLE,|THEN THEN THEN|YOU YOU|WILL WILL|JUST JUST JUST|MISS MISS MISS|OUT OUT OUT|THERE THERE|TIGER. TIGER. , ,|16 16 16|August August August|2008 2008 2008|(UTC) (UTC) (UTC)|*I'm *I'm *I'm|terribly terribly terribly|disappointed disappointed disappointed|by by|this. this.|There There|are are|enough enough enough|disagreeable disagreeable disagreeable|people people|on on|wikipedia. wikipedia.|I I|sincerely sincerely sincerely|hope hope hope|you you|change change|your your|mind mind|again again|and and|retire, retire, retire,|again. again.|You You|suck. suck. "suck.|14:23" "14:23" ==|Blind Blind Blind|as as|bats bats bats|== ==|Not Not Not|one you|has has|seen seen|what have|done done|to this|page. page.|Obviously Obviously Obviously|you you|rely rely rely|on on|some some|form form|of of|program program program|to revert|vandalism vandalism|and and|not not|your own|eyes. eyes. just|Jealous Jealous Jealous|== ==|that you|aren't aren't aren't|a a|part the|GAYTOURAGE... GAYTOURAGE... GAYTOURAGE...|you you|probably probably probably|don't don't|even even|now now now|how how|to to|WERQ WERQ WERQ|it! it! it!|Megna Megna Megna|James James I|hope hope|this this|helps. helps. "::I|did" did|provide provide provide|a a|notable notable notable|source source|for the|references references references|I was|providinga providinga providinga|book book|written written|by a|respected respected respected|journalist journalist journalist|from a|patient's patient's patient's|perspective. perspective. perspective.|I I|created created created|a a|separate separate|article article|for for|it, it,|with with|tons tons tons|of of|references, references, references,|and and|merely merely|put put|a reference|to to|it it|under under|See See|Also. Also. Also.|You You|deleted deleted|even even|that that|because because|it's it's|allegedly allegedly allegedly|an "an|""obscure" """obscure" """obscure|anti-psychiatry" anti-psychiatry "anti-psychiatry|book.""" "book.""" "book.""|The" The|fact are|biased biased|because have|vested vested vested|interests interests interests|to to|protect. protect. protect.|It is|people people|like who|make make|sure sure|the the|truth truth|never never|becomes becomes becomes|known known known|because it|would would|endanger endanger endanger|your your|pocketbook. pocketbook. ==Hello== ==Hello==|I to|let let let|you you|know know|how how|you a|nicer nicer nicer|person person|through through through|therapy therapy therapy|and and|talking about|your your|past past|experiences experiences experiences|that that|led led led|you be|an an|angry angry angry|antisocial antisocial antisocial|person person|today. today. Yes,|and and|this this|page page|is is|wayyyyy wayyyyy wayyyyy|too too|long long|as well.|It It|really really|needs needs|to be|condensed condensed condensed|heavily. heavily. heavily.|There are|much more|important important important|shows shows|that that|don't don't|have a|tenth tenth tenth|of what|this article|has. has. has.|Shame. Shame. ==Image ==Image|copyright copyright|problem problem problem|with "with|Image:KissBOTI.jpg==" "Image:KissBOTI.jpg==" "Image:KissBOTI.jpg==|Thank" for|uploading uploading "uploading|Image:KissBOTI.jpg." "Image:KissBOTI.jpg." "Image:KissBOTI.jpg.|However," However, However,|it it|currently currently currently|is is|missing missing missing|information information|on on|its its|copyright copyright|status. status. status.|Wikipedia Wikipedia|takes takes takes|copyright copyright|very very very|seriously. seriously. seriously.|It It|may deleted|soon, soon, soon,|unless unless unless|we we|can can|determine determine determine|the the|license license license|and source|of the|image. image. image.|If know|this this|information, information, information,|then then|you add|a a|copyright copyright|tag tag|to image|description description description|page. page.|If any|questions, questions, questions,|please please|feel feel|free to|ask ask ask|them them|at the|media media|copyright copyright|questions questions|page. page.|Thanks Thanks Thanks|again again|for your|cooperation. cooperation. Thanx Thanx|efe, efe, efe,|i i|noticed noticed noticed|you you|remove remove|800 800 800|bytes bytes bytes|of of|info info|on my|watchlist watchlist watchlist|so so|i i|went went went|into into|red red red|alert alert alert|but good|call. call. ==|Woah! Woah! Woah!|== ==|As As|someone someone|who'd who'd who'd|been been|the the|victim victim victim|of of|his his his|power power power|abuse, abuse, abuse,|this this|*really* *really* *really*|came came|as a|surprise surprise surprise|to me|when when|someone someone|e-mailed e-mailed e-mailed|this this|info info|to this|morning! morning! morning!|Sorry Sorry Sorry|he he|couldn't couldn't couldn't|be be|more more|adult adult adult|with with|his his|admin admin|powers, powers, powers,|but but|as as|Stan Stan Stan|Lee Lee Lee|said said|over over|four four|decades decades decades|ago, ago, ago,|with with|great great great|power power|comes comes|great great|responsibility. responsibility. responsibility.|Of Of Of|course, course, course,|the the|big big big|question question question|now now|is is|who who|Matthew Matthew Matthew|Fenton Fenton Fenton|will will|run run run|and and|hide hide hide|behind behind behind|when when|he he|gets gets gets|his his|head head head|handed handed handed|to to|him him|over over|his his|wanton wanton wanton|edits edits|of the|Jericho Jericho Jericho|and and|Lost Lost Lost|pages. pages. ==|Newsletter Newsletter Newsletter|== ==|Thanks Thanks|Indon. Indon. Indon.|I I|tried tried tried|to to|hide hide|it it|until the|delivery delivery delivery|day, day,|hehehhe. hehehhe. hehehhe.|Have Have Have|you you|seen seen|it it|before? before? before?|If If|not, not, not,|then done|a a|somewhat somewhat somewhat|good good|job job|of of|hiding hiding hiding|it it|P. P. P.|Cheers Cheers ==|List List List|of of|Malcolm Malcolm Malcolm|in the|Middle Middle Middle|characters characters characters|== ==|Your Your|addition addition|to to|List characters|was was|excellent. excellent. excellent.|Welcome! Welcome! OH OH|MY MY MY|just just|CALL CALL CALL|THEM THEM|ROCK ROCK ROCK|YOU YOU|IDIOTS!!!! IDIOTS!!!! ":::::::::" ":::::::::|I" am|not not|user user|168.209.97.34. 168.209.97.34. 168.209.97.34.|On On On|what what|basis basis basis|are you|acusing acusing acusing|me me|of of|being being|that that|user? user? user?|Please Please|answer answer|the the|very very|simple "simple|question:" "question:|Is" the|phrase phrase "phrase|""anti-Islamic" """anti-Islamic" """anti-Islamic|cut" cut cut|and and|past past|[sic] [sic] "[sic]|troll""" "troll""" "troll""|a" a|personal personal|attack attack|or or|is is|it personal|attack? attack? attack?|Do you|deem deem deem|this be|acceptable acceptable acceptable|language language language|on on|Wikipedia? Wikipedia? Wikipedia?|Pename Pename ":You" ":You|did" did|a a|great great|job job|in the|Bailando Bailando Bailando|por por por|un un un|sueño sueño sueño|(Argentina) (Argentina) (Argentina)|article. article.|Congratulations! Congratulations! ":|Saw" Saw Saw|your your|message message message|on my|homepage. homepage. homepage.|Is Is|there there|some some|reason reason reason|you you|don't like|my my|solution? solution? solution?|— — —|3 3 3|July July July|2005 2005 "2005|05:18" "05:18" "05:18|(UTC)" HHHHHHHHHHHHHHAAAAAAHAHA HHHHHHHHHHHHHHAAAAAAHAHA|you're you're|funny.. funny.. funny..|Na Na Na|seriously seriously seriously|dude. dude. dude.|I'm I'm|reallyyyyyyy reallyyyyyyy reallyyyyyyy|drunknnnk drunknnnk drunknnnk|but but|ya're ya're ya're|funny! funny! dont dont|u u u|speak speak|to me|like that|id id id|advise advise advise|u u|to to|watch watch watch|ur ur ur|mouth!! mouth!! ":You|call" call call|MacDonald's MacDonald's MacDonald's|a "your|""culture""?" """culture""?" """culture""?|Nonsense!" Nonsense! Nonsense!|Spend Spend Spend|some some|10 10 10|years years years|in in|France, France, France,|and and|then will|have a|hint hint hint|of what|Culture Culture Culture|is! is! "::""Somebody," "::""Somebody,|go" go|write "write|one.""" "one.""" "one.""|Do" Do|it it|yourself yourself|lazy. lazy. not|make make|personal personal|attacks. attacks. attacks.|Wikipedia Wikipedia|has has|a a|strict strict strict|policy policy policy|against against|personal attacks.|Attack Attack Attack|pages pages pages|and and|images images images|are not|tolerated tolerated tolerated|by by|Wikipedia Wikipedia|and and|are are|speedily speedily|deleted. deleted.|Users Users Users|who who|continue to|create create create|or or|repost repost repost|such such|pages and|images, images, images,|especially especially|those those|in in|violation violation violation|of of|our our|biographies biographies biographies|of of|living living living|persons persons persons|policy, policy, policy,|will Wikipedia.|Thank Thank|you. Thanks|for your|response response response|in in|this this|matter. matter. matter.|Our Our Our|plan plan plan|worke worke worke|like a|charm. charm. charm.|We We We|finally finally finally|got got|the article|negativity negativity negativity|under under|control control control|and then|got got|it it|protected! protected! "::This" "::This|is" is|ridiculous. ridiculous. "ridiculous.|::Aside" "::Aside" "::Aside|from" the|reference reference|not not|actually actually actually|calling calling|it it|a a|war war war|crime, crime, crime,|saying saying|that "that|""some""" """some""" """some""|characterize" characterize characterize|it it|as one|doesn't doesn't|make it|one. one. "one.|::War" "::War" "::War|crimes" crimes crimes|are are|serious serious serious|violations violations violations|of the|laws laws laws|of of|war. war. war.|The The|key key key|words words words|here here|are "are|""laws""" """laws""" """laws""|and" "and|""war.""" """war.""" """war.""|Unless" Unless Unless|one one|lives lives lives|in a|corrupt corrupt|town, town, town,|laws laws|are are|made made|by by|legislatures, legislatures, legislatures,|or or|in this|case case case|ratified ratified ratified|by by|them, them, them,|after after|being written|and and|argued argued argued|over over|by by|diplomats diplomats diplomats|in in|consultation consultation consultation|with with|their their|military's military's military's|generals. generals. generals.|The The|laws of|war war|were were|written written|with the|understanding understanding understanding|that that|killing killing killing|large large large|numbers numbers numbers|of people|may a|legitimate legitimate|and and|necessary necessary|part of|that that|process. process. process.|The not|written by|corrupt corrupt|and ignorant|peaceniks peaceniks peaceniks|sitting sitting sitting|around around|dreaming dreaming dreaming|up up|what they|think think|would be|moral. moral. "moral.|::I'm" "::I'm" "::I'm|deleting" deleting|this this|section. section. section.|It's It's|not not|salvageable. salvageable. "salvageable.|::" ==|Who Who Who|he he|really really|is is|== This|poor poor poor|guy guy|had had|his his|IP IP|stolen stolen stolen|by by|me. me.|Pwned! Pwned! Pwned!|Too Too Too|bad bad bad|his his|ISP ISP ISP|will will|permban permban permban|him. ==|POV POV|issue issue|== article|does not|tell tell|about laws|that that|require require require|boards boards boards|of of|directors, directors, directors,|typical typical typical|officers officers officers|on on|a a|board, board,|typical typical|educations, educations, educations,|experiences, experiences, experiences,|contacts, contacts, contacts,|etc. etc. etc.|of of|board board board|members. members. members.|There also|nothing history|of the|concept concept concept|of of|boards of|directors. directors. directors.|Almost Almost Almost|the the|entire entire entire|article article|is is|devoted devoted devoted|to to|pointing pointing pointing|out out|the the|alleged alleged alleged|shortcomings shortcomings shortcomings|of of|boards, boards, boards,|and and|none none none|of the|statements statements statements|have have|sources sources|to to|verify verify verify|them. them. them.|I'm I'm|tagging tagging tagging|this as|POV POV|until until|these these|issues issues issues|are are|resolved. resolved. I'm|Not Not|vandalizing. vandalizing. vandalizing.|You You|refuse refuse refuse|my my|evidence evidence evidence|on talk|area. area. area.|You be|blind blind blind|in in|your your|support a|Racist Racist Racist|who who|calls calls calls|for for|violence. violence. the|deranged deranged deranged|harrasser harrasser harrasser|here. You|and and|yours yours yours|are. are.|Project Project Project|your your|personality personality personality|onto onto onto|someone someone|else. Please|refrain from|making making|unconstructive unconstructive|edits edits|to to|Wikipedia, Wikipedia,|as as|you did|to to|Meat Meat Meat|grinder. grinder. grinder.|Your Your|edits edits|appear appear|to to|constitute constitute|vandalism have|been been|reverted. reverted. reverted.|If you|would would|like like|to to|experiment, experiment, experiment,|please please|use the|sandbox. sandbox. sandbox.|Thank you.|cab cab cab|(talk) "(talk)|:Don't" ":Don't" ":Don't|you" "you|mean:" "mean:" "mean:|'If" 'If 'If|you use|a a|condom. condom. condom.|Thank Thank|you.' you.' ":Nothing" ":Nothing|wrong" wrong|with with|that that|portrait, portrait, portrait,|but but|she she|was was|queen queen queen|for for|22 22 22|years, years, years,|mostly mostly mostly|as as|an an|adult. adult. adult.|It's It's|great great|for section|on on|her her|childhood. childhood. childhood.|Haven't Haven't Haven't|hade hade hade|time at|your English|yet yet yet|and and|help with|that, that,|if if|needed. needed. needed.|I don't|see why|you you|only only|took took took|this this|as as|criticism, criticism, criticism,|question question|my "my|""goal""" """goal""" """goal""|and" and|got got|so so|grumpy. grumpy. grumpy.|Of Of|course course course|all all|your your|positive positive positive|input input input|to is|appreciated appreciated appreciated|by by|everyone, everyone, everyone,|including including including|me. me.|I have|tried do|my my|bit bit|earlier. earlier. "::Thanks" "::Thanks|for" the|tip! tip! tip!|I've I've I've|been been|looking looking|at the|mediation mediation mediation|thing thing thing|a bit|already already already|- -|and and|suspect suspect suspect|you be|correct correct correct|that a|wholesale wholesale wholesale|revert revert|may be|the the|answer... answer... Only Only|a a|complete complete complete|loser loser loser|writes writes writes|a a|Wiki Wiki Wiki|profile profile profile|about about|themself! themself! themself!|5 5 5|July "2005|21:21" "21:21" "21:21|(UTC)" MY|CHANGES CHANGES CHANGES|DO DO DO|NOT NOT|AFFECT AFFECT AFFECT|ANY ANY ANY|OF OF|THE THE|CONCOCTED CONCOCTED CONCOCTED|OFFENSES OFFENSES OFFENSES|YOU YOU|HAVE HAVE HAVE|BROUGHT BROUGHT BROUGHT|UP! UP! "UP!|WP:NPOV" "WP:NPOV" "WP:NPOV|issues" issues|/ / /|synthesis synthesis "synthesis|WP:Verifiable" "WP:Verifiable" "WP:Verifiable|WP:OR" "WP:OR" "WP:OR|I" bring|your your|OWN OWN OWN|STANCE, STANCE, STANCE,|as as|being being|pro pro pro|orthodox orthodox orthodox|which which|in in|itself itself itself|is is|BIASED! BIASED! BIASED!|i i|am am|again again|going put|the the|changes changes changes|back back|on, on, on,|BECAUSE BECAUSE BECAUSE|I your|STANCE STANCE STANCE|IS IS|TO TO|PROTECT PROTECT|THE THE|CURRENT CURRENT CURRENT|SINGH SINGH SINGH|SABHA SABHA SABHA|ideological ideological ideological|stance stance stance|on on|sikhism, sikhism, sikhism,|WHICH WHICH WHICH|MEANS MEANS MEANS|that that|wikipedia wikipedia|ONLY ONLY ONLY|ACCEPTS ACCEPTS ACCEPTS|ORTHODOX ORTHODOX ORTHODOX|POV and|NOT NOT|unorthodox! unorthodox! unorthodox!|Which Which Which|means means means|going going|by OWN|judgment, judgment, judgment,|that the|CHRISTIAN CHRISTIAN CHRISTIAN|UNORTHODOX UNORTHODOX UNORTHODOX|CHURCH, CHURCH, CHURCH,|which which|exist, exist, exist,|on on|real real|life life|and and|on on|wiki, wiki, wiki,|HAS HAS HAS|NO NO|merit! merit! merit!|THAT THAT|IS IS|A A|BIASED BIASED BIASED|APPROACH! APPROACH! ==|HiDrNick HiDrNick HiDrNick|== ==|Present Present Present|for for|you you|fatty. fatty. fatty.|Relax. Relax. Relax.|don't don't|get get|too too|excited, excited, excited,|it's a|5000 5000 5000|Rhino Rhino Rhino|meal. meal. meal.|[] [] []|[] ==Unblock== ==Unblock==|Blocking Blocking Blocking|me me|will not|solve solve solve|anything. anything. anything.|I I|meant meant meant|what I|called called|that that|person person|and and|I I|shall shall shall|not not|take take|it back.|Today Today Today|he he|allows allows allows|himself himself himself|to to|deleate deleate deleate|all all|of our|images, images,|tommorow tommorow tommorow|all articles,|then then|he he|calls calls|us us us|second second|class class class|people. people. people.|Shame Shame Shame|on on|you for|giving giving|such such|users users|admin admin|rights. rights. rights.|See See|my my|messages messages messages|on "on|Wikipedia:Requests" "Wikipedia:Requests" "Wikipedia:Requests|for" for|comment/Lupo comment/Lupo ==|you you|know? know? know?|== I|already already|finish finish finish|the the|main main main|temple temple temple|structure. structure. structure.|whatever whatever whatever|you you|say, say, say,|arrogant arrogant arrogant|guy. guy. Waaaaahh Waaaaahh|erase erase erase|comments comments|on page|too, too, too,|do you|really really|think think|anybody anybody|is is|reading reading reading|this? this? this?|Are Are Are|you you|that that|insecure? insecure? "==|Wikipedia:Counter" "Wikipedia:Counter" "Wikipedia:Counter|Un-civility" Un-civility Un-civility|Unit Unit Unit|== Unit|is a|new new|wiki-project wiki-project wiki-project|I have|thought thought thought|up. up. up.|I was|wondering wondering wondering|if you|thought thought|it good|idea idea idea|and and|if you|wanted to|join join join|up. I|need need|some some|users users|backing backing backing|me me|before before|I I|construct construct construct|a a|wikiproject, wikiproject, wikiproject,|and to|share share share|my my|views views views|on on|subjects subjects subjects|such such|as as|concensus, concensus, concensus,|civilty, civilty, civilty,|etc. etc.|Reply Reply Reply|on my|talkpage talkpage talkpage|if if|you're you're|interested. interested. interested.|Thanks, Thanks, Thanks,|-MegamanZero|Talk -MegamanZero|Talk am|refering refering refering|to of|Chinese Chinese Chinese|languages languages languages|and and|dialects. dialects. A|rough rough|google google "google|tally:" "tally:" "tally:|*AIDS" *AIDS *AIDS|denialist denialist denialist|13,100 13,100 13,100|hits hits hits|*Big *Big *Big|Tobacco Tobacco Tobacco|denialist/ denialist/ denialist/|Big Big Big|Tobacco Tobacco|denialism denialism denialism|0 0 0|hits hits|*Holocaust *Holocaust *Holocaust|denialist denialist|486 486 486|hits *Holocaust|denier denier denier|306,000 306,000 306,000|hits hits|So So|there there|are are|486 hits|on on|Holocaust Holocaust Holocaust|denialists denialists denialists|who who|are are|getting getting getting|some personal|gain gain gain|from from|their their|denailism, denailism, denailism,|but but|306,000 306,000|google google|hits Holocaust|deniers deniers deniers|who not|getting getting|personal their|denialism? denialism? denialism?|Is Is|that that|what you|maintain? maintain? maintain?|And "And|""Big" """Big" """Big|Tobacco" "Tobacco|denialism""" "denialism""" "denialism""|actually" actually|gets gets|0 0|google hits|because is|so so|well well|known known|those those|denialists denialists|are are|doing doing|it it|for for|personal personal|gain? gain? gain?|And And|so so|on on|and so|forth. forth. forth.|This is|ludicrous. ludicrous. ludicrous.|Give Give Give|it it|up. ==|Taken Taken Taken|from from|Bell Bell Bell|X1 X1 X1|External External External|Links Links Links|section section|== ==|Bell X1|Flock Flock Flock|Album Album Album|Review Review Review|at at|WERS.org WERS.org WERS.org|• • ==|Goodbye Goodbye Goodbye|Cruel Cruel Cruel|World World World|== have|decided decided decided|to to|kill kill|myself. myself. myself.|My My My|Dad Dad Dad|died died died|two two|weeks weeks weeks|ago, ago,|and I|wish wish wish|to join|him. him.|I say|goodbye. goodbye. ==Kobe ==Kobe|Tai== Tai== Tai==|A A|proposed proposed proposed|deletion deletion|template template template|has been|added added|to article|Kobe Kobe Kobe|Tai, Tai, Tai,|suggesting suggesting suggesting|that deleted|according according according|to the|proposed deletion|process. process.|All All|contributions contributions contributions|are are|appreciated, appreciated, appreciated,|but but|this article|may may|not not|satisfy satisfy satisfy|Wikipedia's Wikipedia's Wikipedia's|criteria for|inclusion, inclusion, inclusion,|and the|deletion deletion|notice notice|should should|explain explain explain|why why|(see (see (see|also "also|""What" """What|Wikipedia" "is|not""" "not""" "not""|and" and|Wikipedia's Wikipedia's|deletion deletion|policy). policy). policy).|You may|prevent prevent prevent|the deletion|by by|removing removing|the the|notice, notice, notice,|but but|please please|explain you|disagree disagree disagree|with deletion|in your|edit edit|summary summary summary|or or|on its|talk talk|page. page.|Also, Also, Also,|please please|consider consider|improving improving improving|the to|address address address|the the|issues issues|raised. raised. raised.|Even Even Even|though though|removing notice|will will|prevent prevent|deletion deletion|through through|the deletion|process, process, process,|the may|still still|be deleted|if if|it it|matches matches matches|any deletion|criteria criteria|or or|it it|can be|sent sent sent|to to|Articles Articles Articles|for for|Deletion, Deletion, Deletion,|where where|it if|consensus consensus|to delete|is is|reached. reached. reached.|If you|agree deletion|of only|person who|has made|substantial substantial substantial|edits the|page, page,|please please|add of|Kobe Kobe|Tai. Tai. Tai.|'''''' '''''' ''''''|* * Yeah Yeah|thanks thanks|to to|however however however|did did|that because|now now|the the|stupid stupid|fish fish fish|guy guy|can can|get get|off off off|on on|stupid stupid|information information|Wrestlinglover420 Wrestlinglover420 Pss Pss|Rex, Rex, Rex,|be be|sure sure|to to|DOCUMENT DOCUMENT DOCUMENT|all the|things things things|you've you've|discovered discovered discovered|on the|John John|Kerry Kerry Kerry|page page|etc. etc.|It's It's|awesome awesome awesome|that I|INDEPENDENTLY INDEPENDENTLY INDEPENDENTLY|observed observed observed|(and (and (and|can can|corrorborate) corrorborate) corrorborate)|virtually virtually virtually|the the|exactsame exactsame exactsame|pattern pattern pattern|by by|these these|liberals. liberals. liberals.|Demonizing Demonizing Demonizing|conservatives; conservatives; conservatives;|lionizing lionizing lionizing|liberals. liberals.|It's It's|repeated repeated|ad ad ad|infinitum, infinitum, infinitum,|ad ad|nauseum. nauseum. nauseum.|The The|more more|proof proof proof|we we|have, have, have,|the the|easier easier easier|it it|will be|to to|persuade persuade persuade|all all|but but|their their|fellow fellow fellow|brain-dead brain-dead brain-dead|truth truth|haters haters haters|to to|give a|red red|cent cent cent|to to|Wikipedia. Wikipedia.|And, And,|until until|WHOLESALE WHOLESALE WHOLESALE|changes changes|are made|from top|down, down,|that's that's that's|exactly exactly exactly|what's what's what's|about about|to to|happen. happen. happen.|It's It's|almost almost almost|like like|this the|liberal's liberal's liberal's|religion. religion. religion.|Too bad|they're they're|gonna gonna gonna|have find|a a|church church church|other other|than than|Wikipedia to|practice practice practice|their their|faith, faith,|huh? huh? huh?|I've I've|heard heard|rumors rumors rumors|that that|my my|actions actions|are are|already already|sending sending sending|users users|Hippocrite, Hippocrite, Hippocrite,|Fred Fred Fred|Bauder, Bauder, Bauder,|WoohooKitty, WoohooKitty, WoohooKitty,|Kizzle, Kizzle, Kizzle,|FVW, FVW, FVW,|Derex Derex Derex|and and|especially especially|the the|pimply pimply pimply|faced faced faced|15 15 15|year year year|old old old|RedWolf RedWolf RedWolf|to to|become become become|so so|verklempt verklempt verklempt|they they|don't don't|know know|whether whether|to to|schedule schedule schedule|an an|appointement appointement appointement|with their|psychiatrist...or psychiatrist...or psychiatrist...or|their their|gynecologist. gynecologist. gynecologist.|Big Big|Daddy- Daddy- Daddy-|PHASE PHASE PHASE|II II II|Dry Dry Dry|up the|funding funding funding|(on (on (on|the the|road) road) Your|ignorant comments|Before Before|acting acting|as a|functional functional functional|illiterate, illiterate, illiterate,|you you|should should|have have|read the|pertinent pertinent pertinent|prior prior|discussion discussion|already already|took took|place place|in the|removed removed|content which|has no|place a|biography. biography. biography.|By By By|the the|way, way, way,|how how|is is|your your|boyfriend boyfriend boyfriend|Bertil Bertil Bertil|Videt Videt Videt|doing? doing? doing?|I I|read read|sensational sensational sensational|stuff stuff stuff|on on|his his|talk page|which which|he he|keeps keeps keeps|hiding. hiding. hiding.|Did Did Did|you you|get get|to to|meet meet meet|with his|other other|boyfriends boyfriends boyfriends|yet? yet? . .|I'm I'm|afraid afraid afraid|to that|if if|anyone anyone|agreed agreed agreed|with your|interpretation interpretation interpretation|on on|what what|denotes denotes denotes|a a|comment comment comment|or or|remark remark remark|by by|one one|to an|insult, insult, insult,|well well|I'd I'd I'd|have that|you're you're|all all|stark stark stark|raving, raving, raving,|bloody bloody bloody|mad! mad! === ===|Age Age Age|of of|Modern Modern Modern|Humans Humans Humans|=== ===|The The|article article|says says says|the the|age age age|of of|modern modern modern|humans humans humans|is is|200 200 200|thousands thousands thousands|years years|which is|unsourced unsourced unsourced|material material material|obviously obviously obviously|becausee becausee becausee|no one|knows. knows. knows.|However However|the source|provided provided|says says|130,000 130,000 130,000|years. years. years.|So So|how how|old old|are are|humans? humans? humans?|200 200|thousand thousand thousand|years years|old, old, old,|130 130 130|years old,|or or|the the|millions millions millions|of of|other other|numbers numbers|that that|science science science|has has|claimed? claimed? It|wasn't wasn't wasn't|a attack.|If If|your your|grasp grasp grasp|of of|english english english|is so|poor poor|you you|shouldn't shouldn't shouldn't|be be|attempting attempting attempting|to to|censor censor censor|people. ":::*Generic" ":::*Generic|fair" fair fair|use use|rationales rationales rationales|are, are, are,|by by|definition, definition, definition,|impossible. impossible. ":That" ":That|isnt" isnt|going to|work, you|dont dont|seem seem|stupid stupid|enough enough|to to|think it|will. will. will.|'''''' ''''''|- ":::" ":::|Get" Get|off off|your your|high high high|horse, horse, horse,|or or|block block block|me. You're|very very|unreasonable unreasonable unreasonable|and and|bored, bored, bored,|sick sick sick|person! person! person!|If no|reason reason|to delete|an article|without without|knowing knowing knowing|or or|seeing seeing seeing|the the|full full full|content. content. content.|Hold Hold Hold|your your|horses horses horses|and then|decide. decide. decide.|If have|an an|e-mail e-mail e-mail|address address|I'd I'd|like to|debate debate debate|this this|with with|you. you.|-Wikipedia -Wikipedia -Wikipedia|Supervisor! Supervisor! "::The" "::The|problem" problem|is not|only only|with the|sections sections sections|concerning "concerning|""Controversy" """Controversy" """Controversy|about" about|media "media|coverage""," "coverage""," "coverage"",|the" the|major major major|problem that|many many many|major major|points points points|about the|Greek Greek Greek|debt debt debt|crisis crisis crisis|are are|missing missing|in the|lead lead|and article,|even even|though it|consists consists consists|of of|>100 >100 >100|pages. pages.|This is|addressed addressed addressed|in "in|::*" "::*" "::*|section" section|#4 #4 #4|- "-|"">100" """>100" """>100|pages," pages, pages,|but but|still still|main main|points "points|missing?""" "missing?""" "missing?""|::*" section|#5 #5 #5|- "-|""" """" """|Why" Why|did did|Greece Greece Greece|need need|fiscal fiscal fiscal|austerity austerity austerity|in the|midst midst midst|of of|its its|crisis? crisis? "crisis?|""" """|::*" section|#6 #6 #6|- """|POV" POV|/ /|LEAD LEAD LEAD|debate "debate|""" """|::Two" "::Two" "::Two|weeks" ago,|I I|proposed proposed|in this|section #4|to to|have have|the points|at at|least least least|in in|summary summary|style style style|in lead|(as (as (as|important important|ones ones ones|are not|even even|in the|article) article) "article)|::Just" "::Just" "::Just|let's" let's let's|only only|take take|the the|first first|point point|listed listed|in in|#4, #4, #4,|being being|joining joining joining|the the|Euro Euro Euro|without without|sufficient sufficient sufficient|financial financial financial|convergence convergence convergence|and and|competitiveness competitiveness competitiveness|in the|summary summary|list list|of of|causes causes causes|for debt|crisis. crisis. crisis.|It major|single single|and and|early early early|root root root|cause cause|for crisis.|Without Without Without|this this|root cause|Greece Greece|could could|technically technically technically|not had|this this|debt crisis|because it|could could|always always always|have have|printed printed printed|itself itself|out out|of of|every every|debt debt|volume volume volume|as as|they they|did did|before before|with the|drachma. drachma. drachma.|But But|this this|cause cause|is the|100 100 100|WP WP WP|pages and|in the|WP WP|lead. lead. lead.|The The|current current|lead lead|only only|lists lists lists|normal normal normal|problems problems problems|like "like|""structural" """structural" """structural|weaknesses""" "weaknesses""" "weaknesses""|and" "and|""recessions""" """recessions""" """recessions""|(even" (even (even|though is|clear clear clear|that that|Greece Greece|faced faced|those those|normal problems|for for|decades decades|and and|always always|solved solved solved|them them|with with|high high|drachma drachma drachma|inflation inflation inflation|if if|needed) needed) needed)|- so|without without|naming naming naming|the the|root cause|there is|no no|cause "crisis.|::What" "::What" "::What|happened" happened|after after|I proposed|to points|in article|(at (at (at|least lead|as a|summary) summary) summary)|and and|also also|invited invited invited|everybody everybody|to to|add/change/delete add/change/delete add/change/delete|from from|my my|proposed proposed|the main|point point|list? list? list?|There There|were were|strong strong strong|opponents opponents opponents|working working working|in a|coordinated coordinated coordinated|action, action, action,|threatening threatening|to fight|any any|significant significant significant|change, change, change,|saying saying|one one|can can|not not|summarize summarize summarize|a a|Greek debt|crisis, crisis, crisis,|saying "saying|""Greek" """Greek" """Greek|interests" interests|[need [need [need|to to|have] have] have]|a "a|prominence"")" "prominence"")" "prominence"")|when" when|describing describing describing|the the|debt crisis|in in|WP, WP, WP,|saying saying|they they|will not|let let|other other|editors editors|summarize summarize|it, it,|and so|on. on. on.|So So|we have|almost almost|100 100|new new|pages pages|in talk|section, section, section,|and and|main the|lemma lemma lemma|not not|in article|(like (like (like|it was|during during during|the last|5 5|years) years) "years)|::" ||decline=Nobody decline=Nobody decline=Nobody|on on|Wikipedia Wikipedia|wants wants|your your|moronic moronic moronic|edits! edits! edits!|Take Take Take|a a|hike! hike! Welcome!|Hello, Hello, Hello,|, ,|and and|welcome welcome welcome|to to|Wikipedia! Wikipedia! Wikipedia!|Thank your|contributions. contributions. contributions.|I you|like like|the place|and and|decide decide decide|to to|stay. stay. stay.|Here Here|are a|few few few|good good|links links links|for "for|newcomers:" "newcomers:" "newcomers:|*The" *The *The|five five five|pillars pillars pillars|of of|Wikipedia Wikipedia|*How *How *How|to to|edit edit|a page|*Help *Help *Help|pages pages|*Tutorial *Tutorial *Tutorial|*How to|write write|a great|article article|*Manual *Manual *Manual|of of|Style Style Style|I you|enjoy enjoy enjoy|editing editing|here here|and and|being a|Wikipedian! Wikipedian! Wikipedian!|Please Please|sign sign|your your|name name|on on|talk talk|pages pages|using using using|four four|tildes tildes tildes|(~~~~); (~~~~); (~~~~);|this this|will will|automatically automatically automatically|produce produce produce|your name|and the|date. date. date.|If you|need need|help, help, help,|check "out|Wikipedia:Questions," "Wikipedia:Questions," "Wikipedia:Questions,|ask" ask|me talk|page, page,|or or|place place|{{helpme}} {{helpme}} {{helpme}}|on your|talk and|someone someone|will will|show show|up up|shortly shortly shortly|to to|answer answer|your your|questions. questions. questions.|Again, Again, Again,|welcome!  welcome!  welcome! |By way,|I I|noticed have|created created|the article|Dr. Dr. Dr.|Manfred Manfred Manfred|Gerstenfeld. Gerstenfeld. Gerstenfeld.|Some Some|of the|sentences sentences sentences|there there|seem seem|copied copied copied|directly directly directly|from from|Dr Dr Dr|Gerstenfeld’s Gerstenfeld’s Gerstenfeld’s|homepage; homepage; homepage;|this not|desirable, desirable, desirable,|because it|creates creates creates|the the|impression impression impression|that article|was was|copied copied|from the|homepage, homepage, homepage,|which which|might might|be be|be copyright|violation. violation. violation.|Perhaps Perhaps|you should|try to|rewrite rewrite rewrite|the article|a bit|to to|avoid avoid|that. that.|Also, Also,|some some|kind kind kind|of of|indication indication indication|about about|why why|Dr Dr|Gerstenfeld Gerstenfeld Gerstenfeld|is is|notable notable|would be|nice nice|to have|(cf. (cf. "(cf.|WP:BIO" "WP:BIO" "WP:BIO|and" "and|WP:PROFTEST" "WP:PROFTEST" "WP:PROFTEST|for" for|ideas ideas ideas|on on|how do|that). that). that).|— ==|i i|hate hate|your your|guts guts guts|== i|hope you|feel feel|good good|about "::|oh" oh oh|i i|bet bet bet|you are|little boy.|now now|go go|up up|stairs, stairs, stairs,|your your|mummy mummy mummy|made your|lunch lunch "PS:" "PS:|you're" all|middle-aged middle-aged middle-aged|losers losers losers|at at|home home home|in your|parents parents parents|basements basements basements|living living|off off|50 50 50|bucks bucks bucks|a a|week week Samuell, Samuell,|if not|want the|one one|dead, dead, dead,|better better|proceed proceed proceed|as as|requested. requested. requested.|Either Either Either|that that|or or|we'll we'll we'll|keep keep|beating! beating! i|dare dare dare|you you|== ==|Block Block Block|me. will|do do|it it|again, again,|i to|reply my|discussions discussions discussions|rather rather|owning owning owning|articles articles|and and|issuing issuing issuing|warnings. WELL|SAID SAID SAID|Loremaster Loremaster Loremaster|you not|own own|the article,|you you|tyrannical tyrannical tyrannical|anti-knowledge anti-knowledge anti-knowledge|hater. hater. didn't|say myself|don't don't|agree with|what what|the reference|says, says, says,|or or|I myself|know know|better better|than than|what says,|so so|I am|going to|correct correct|it it|or or|remove remove|it it|based my|own own|original original original|research. research. research.|Do Do|not not|distort distort distort|my my|words. words. words.|I said|Myanmar Myanmar Myanmar|has has|nothing nothing|to the|topic. topic. topic.|You You|have have|problems problems|with with|understanding. understanding. "::So" "::So|you" than|the the|admin! admin! admin!|Are you|excusing excusing excusing|all the|above? above? above?|Are you|ignoring ignoring|all his|breaks breaks breaks|on mediation|- -|do you|not not|remember remember remember|your your|reaction reaction reaction|when when|I changed|BOMBER BOMBER BOMBER|to to|Volunteer, Volunteer, Volunteer,|you seem|very very|quite quite|of of|this, this,|do not|think is|total total total|hypocritical? hypocritical? ==|October October October|2013 2013 2013|== You|want want|ME ME|for for|understanding? understanding? understanding?|I'll I'll|give give|you you|understanding, understanding, understanding,|you you|annoying annoying annoying|editor! editor! ,|6 6 6|January January January|2014 2014 2014|(UTC) "(UTC)|::::Ok," "::::Ok," "::::Ok,|so" so|Anon Anon Anon|IP IP|from from|Tempe, Tempe, Tempe,|Arizona Arizona Arizona|aka aka aka|174.19.166.126 174.19.166.126 174.19.166.126|aka aka|174.19.169.92, 174.19.169.92, 174.19.169.92,|who who|apparently apparently|only only|edits edits|the the|Ted Ted Ted|Cruz Cruz Cruz|article article|and and|no no|other, other, other,|now now|that have|conclusively conclusively conclusively|answered answered answered|your your|question, question, question,|please please|provide provide|me me|reasons reasons reasons|that be|edited edited edited|just just|like like|Jennifer Jennifer Jennifer|Granholm Granholm Granholm|article. article.|It It|was was|your your|suggestion suggestion suggestion|I I|assume assume assume|you some|thoughts thoughts thoughts|on this|topic, topic, topic,|right? right? "right?|22:38" "22:38" You're|a real|glutton glutton glutton|for for|punishment. punishment. punishment.|;-) ;-) I'm|the the|latest latest latest|yet, yet, yet,|but but|congratulations congratulations congratulations|on your|re-adminship. re-adminship. re-adminship.|That's That's That's|the the|third third third|time time|I've I've|voted voted voted|for you,|don't don't|make make|me me|do it|again! again! again!|-P -P -P|30 30 30|June June June|2005 "2005|17:17" "17:17" "17:17|(UTC)" ":Erm," ":Erm,|thank" thank|you. ":|LOTHAT" LOTHAT LOTHAT|VON VON VON|TROTHA TROTHA TROTHA|WAS WAS WAS|POISONED, POISONED, POISONED,|THAT'S THAT'S THAT'S|WHAT WHAT|CONTAMINATION CONTAMINATION CONTAMINATION|IS! IS! IS!|YOU YOU|GET GET GET|TYPHOID TYPHOID TYPHOID|FEVER FEVER FEVER|ONLY ONLY|THROUGH THROUGH THROUGH|POISONED POISONED POISONED|FOOD FOOD FOOD|OR OR OR|DRINK! DRINK! ==|Robbie Robbie Robbie|Hummel Hummel Hummel|== ==|Way Way Way|to to|speedy speedy|delete delete|my my|Robbie Hummel|article! article! article!|It's It's|now now|a real|article you|can't can't|do anything|about about|it. it.|I I|can't can't|believe believe|you would|do do|this to|me. You|must must must|hate hate|black black black|people. ":Merge" ":Merge|and" and|redirect redirect redirect|as per|, ,|also also|for for|Base Base Base|32 32 32|into into|Base32 Base32 Base32|(I (I (I|just just|edited edited|Base32, Base32, Base32,|and and|needed needed needed|Base64 Base64 Base64|in in|UTF-1). UTF-1). a|dumb dumb dumb|American, American, American,|right? right?|No No|degree? degree? degree?|Knows Knows Knows|nothing nothing|of of|engineering? engineering? engineering?|Thinks Thinks Thinks|mathematics mathematics mathematics|is "is|""universal""?" """universal""?" """universal""?|Played" Played Played|monopoly monopoly monopoly|in in|high high|school school school|instead instead instead|of of|learning? learning? learning?|How How|am am|I I|doing doing|so so|far? far? ":::::::::::You" ":::::::::::You|read" read|it; it; it;|your your|note note|addressed addressed|something something|else. else.|(Incidentally, (Incidentally, (Incidentally,|your your|reasoning reasoning reasoning|above above above|is is|unsound; unsound; unsound;|whether whether|or or|not not|my my|Rushdie Rushdie Rushdie|comparison comparison comparison|holds holds holds|up, up, up,|it not|fail fail fail|to to|hold hold hold|up up|because because|his his|literary literary literary|career career career|is a|failure). failure). failure).|But But|I you|understand, understand, understand,|I not|trying to|get get|any any|decision decision decision|reversed reversed reversed|(and (and|never never|was). was). was).|Rather, Rather, Rather,|I am|yelling yelling yelling|at at|you for|enforcing enforcing enforcing|a a|stupid stupid|policy. policy. policy.|- Sandifer, Sandifer,|I'm going|BUY BUY BUY|my my|way way|back back|into into|wikipedia. wikipedia.|For For|all your|puffery, puffery, puffery,|I'll I'll|bet bet|you've you've|never never|forked forked forked|over over|a a|penny penny penny|to the|cause. cause. cause.|And And|even even|you you|have, have,|I'll I'll|make make|your your|contribution contribution contribution|seem like|pennies. pennies. ==|Hello, Hello,|Nawlins Nawlins Nawlins|== ==|Why Why|do to|deflower deflower deflower|prepubescent prepubescent prepubescent|girls? girls? girls?|Don’t Don’t Don’t|you know|that’s that’s that’s|a a|felony? felony? Vinny Vinny|Burgoo Burgoo Burgoo|= = =|suspected suspected suspected|sock sock|puppet puppet puppet|Are you|ever ever|going to|withdraw withdraw withdraw|this this|accusation? accusation? accusation?|It's It's|currently currently|the the|second second|hit hit hit|with a|Google Google Google|search search|with with|'Vinny 'Vinny 'Vinny|Burgoo' Burgoo' Burgoo'|(my (my (my|one one|and and|only only|online online online|identity identity|for for|nearly nearly nearly|ten ten ten|years) years)|and and|it's it's|wholly wholly wholly|bogus. bogus. bogus.|Someone Someone Someone|posted posted posted|something something|in in|support of|something something|very very|stupid stupid|I had|done done|at at|Wiktionary Wiktionary Wiktionary|(I (I|called called|a a|serial serial serial|Wiki Wiki|tyrant tyrant tyrant|a a|'c**t' 'c**t' 'c**t'|after after|he he|had had|unambiguously unambiguously unambiguously|broken broken broken|Wiki's Wiki's Wiki's|rules, rules, rules,|then I|compounded compounded compounded|this this|by by|threatening threatening|him him|in in|what I|thought thought|at the|time a|transparently transparently transparently|jocular jocular jocular|manner, manner, manner,|but but|wasn't) wasn't) wasn't)|and this|'supporter' 'supporter' 'supporter'|was was|assumed assumed assumed|to be|me me|using using|another another another|identity identity|and and|another another|IP IP|trying get|around around|a a|temporary temporary temporary|block. block. block.|I still|use use|Wikipedia Wikipedia|a a|lot lot lot|but but|have no|interest interest|whatsoever whatsoever whatsoever|in in|editing editing|it it|ever ever|again, again,|so so|by by|all all|means means|say for|disruptive disruptive disruptive|editing "editing|(guilty:" "(guilty:" "(guilty:|I" got|fed fed fed|up up|with the|lot lot|of of|you) you) you)|or or|whatever whatever|else else|I was|accused accused accused|of of|before before|this this|puppeteer puppeteer puppeteer|nonsense nonsense nonsense|was was|settled settled settled|on on|(the (the (the|crime crime crime|kept kept kept|changing) changing) changing)|but but|I'm not|happy happy happy|with you|currently currently|show. show. show.|Take Take|it it|down down down|or else.|A A|genuine genuine genuine|threat threat threat|this this|time? time?|We'll We'll We'll|see. see. Other Other|than than|that could|see see|how how|the the|side side side|bar bar bar|looks looks looks|intergrated intergrated intergrated|into into|the top|welcome welcome|section right|and it|just just|one one|section. section.|Providing Providing Providing|you it|the same|length length length|and and|shrink shrink shrink|the the|other other|pics pics pics|down down|a a|little little|it should|fit fit fit|in the|top? top? I|reckon reckon reckon|you should|die die is|British British British|form form|and and|does not|correspond correspond correspond|to to|French French French|nobiliary nobiliary nobiliary|rules, rules,|which, which, which,|in in|any any|case, case, case,|are are|defunct, defunct, defunct,|given given|that that|French French|noble noble noble|titles titles titles|were were|rendered rendered rendered|obsolete obsolete obsolete|more a|century century century|ago. ago. ago.|I think|that, that,|technically, technically, technically,|she she|is is|merely merely|Raine Raine Raine|Spencer, Spencer, Spencer,|having having|retrieved retrieved retrieved|her her|previous previous previous|surname surname surname|upon upon upon|her her|divorce divorce divorce|from from|Chambrun. Chambrun. Chambrun.|(And (And (And|during the|French French|marriage, marriage, marriage,|she was|not not|Countess Countess Countess|of of|Chambrun, Chambrun, Chambrun,|she was|Countess Countess|Jean-Francois Jean-Francois Jean-Francois|de de de|Chambrun, Chambrun,|and, and, and,|as per|French French|usage, usage, usage,|would be|referred referred referred|to to|as as|Mme Mme Mme|de Chambrun,|with title|used used|only by|servants servants servants|and and|so-called so-called so-called|inferiors.) inferiors.) Hey Hey|jerk jerk jerk|we we|may may|do do|a "a|deal:" "deal:" "deal:|please" please|let let|in in|peace peace peace|the the|articles articles|of of|Carl Carl Carl|Grissom Grissom Grissom|and and|Bob Bob Bob|the the|goon. goon. goon.|Also Also Also|unlock unlock unlock|the the|Chase Chase Chase|Meridian Meridian Meridian|articles and|accept accept accept|that that|Jack Jack Jack|Napier Napier Napier|are are|in in|Batman Batman Batman|Forever. Forever. Forever.|In In In|change change|I I|let let|of of|vandalize vandalize|the the|user user|articles. articles. wikipedia.org wikipedia.org|for for|my my|fans fans fans|i i|leave leave|for for|one one|second second|and and|Wikipedia has|blocked blocked|my my|published published|content content|for for|racist racist racist|organizations organizations organizations|who who|spam spam spam|and/or and/or and/or|advertize advertize advertize|in the|search search|engines engines engines|under under|wikipedia.org wikipedia.org|name. name. name.|would would|you like|me to|should should|you you|the the|links links|or the|world world|the the|links? links? links?|I am|sick sick|of the|racism racism|on on|wikipedia.org. wikipedia.org. wikipedia.org.|stop stop|blocking blocking blocking|my my|publishing publishing publishing|that in|fact fact|not not|spam spam|and not|advertizing advertizing advertizing|anything. anything.|It my|life, life, life,|a real|american, american, american,|in in|america. america. again|the the|TYRANNY TYRANNY TYRANNY|of of|Liberal Liberal Liberal|opinions opinions opinions|rules rules rules|over over|all, all, all,|just the|Nazis Nazis Nazis|or or|Facists. Facists. ok ok|so so|its its|the the|currupt currupt "currupt|admin:" "admin:" "admin:|desucka,crooked" desucka,crooked desucka,crooked|bullet,and bullet,and bullet,and|krappydude. krappydude. krappydude.|made made|a a|mental mental mental|note PAGE|GO GO GO|DIE DIE DIE|YOU YOU|STUPID STUPID STUPID|ARSEWHOLE ARSEWHOLE ARSEWHOLE|AUTOMATED AUTOMATED AUTOMATED|FILTER FILTER ":::The" ":::The|article" as|it it|stands stands stands|is is|of of|almost almost|no no|use use|to the|readership readership readership|it's it's|aimed aimed aimed|at, at, at,|that's that's|the the|problem. problem. problem.|I can't|imagine imagine imagine|why why|any any|medical medical|professional professional professional|would would|choose to|use use|Wikipedia, Wikipedia,|but but|even even|if if|they they|do, do, do,|they they|have have|easy easy easy|access access access|to to|better better|source source|material. material. material.|The The|general general general|reader reader|doesn't doesn't|have have|that that|easy easy|access, access, access,|so so|it would|make make|sense sense|to to|aim aim aim|to article|at at|them. "::Dai" "::Dai|antagonized" antagonized antagonized|me me|with with|he he|comment comment|of my|'first' 'first' 'first'|page page|move. move. move.|Then Then Then|Snowded Snowded Snowded|suggested suggested suggested|I a|either either|a a|drunk drunk drunk|or or|just just|plain plain plain|stupid. stupid. stupid.|They They They|should be|attacking attacking attacking|me on|those those|public public public|talkpages talkpages talkpages|& & &|through through|their their|'edi 'edi 'edi|summaries'. summaries'. summaries'.|I I|used used|to a|happy happy|bloke, bloke, bloke,|but but|Dai Dai Dai|& &|Snowy Snowy Snowy|continue to|poke poke poke|& &|provoke provoke provoke|me, me,|via via via|stalking, stalking, stalking,|harrassment harrassment harrassment|& &|contant contant contant|ABF. ABF. ABF.|They They|treat treat treat|me like|dirt, dirt, dirt,|on on|thos thos thos|public public|pages. ==|How How|rumours rumours rumours|get get|started started started|== is|how how|rumours get|started. started. started.|Ramsquire Ramsquire Ramsquire|is is|caught caught caught|again again|starting starting starting|a a|rumour. rumour. "rumour.|*RPJ:" "*RPJ:" "*RPJ:|There" no|chain chain chain|of of|custody custody custody|on the|rifle. rifle. "rifle.|*Ramsquire:" "*Ramsquire:" "*Ramsquire:|""Yes" """Yes" """Yes|there" "there|is.""" "is.""" "is.""|*RPJ:" "*RPJ:|Where?" Where? "Where?|*Ramsquire:" "*Ramsquire:|""Its" """Its" """Its|not" "the|article.""" "article.""" "article.""|and" "and|""I'm" """I'm" """I'm|not" do|any any|research research research|for "for|you.""" "you.""" "you.""|*RPJ:" "*RPJ:|Ramsquire," Ramsquire, Ramsquire,|please, please, please,|just just|admit admit admit|you you|made the|whole whole whole|story story story|up up|about a|there there|being "being|""chain" """chain" """chain|of" "of|custody""" "custody""" "custody""|on" ":::This" ":::This|discussion" discussion|was was|dead dead dead|from from|more than|half half half|of of|month month|when I|archived archived archived|it. I|really really|want see|Heta, Heta, Heta,|Stigma Stigma Stigma|and and|Sho Sho Sho|in in|article, article,|but I|cannot cannot|add add|them them|again again|effectively, effectively, effectively,|because because|of of|threat threat|of of|edit edit|war war|triggering triggering triggering|mentioned mentioned mentioned|above above|by by|me, me,|which is|manifested manifested manifested|by by|reverts reverts reverts|made by|other editors|after after|readding readding readding|these these|letters letters letters|by "::::::::Oh" "::::::::Oh|seriously," seriously, seriously,|you're you're|definitely definitely definitely|a a|challenging challenging challenging|one. one.|As As|I I|said, said, said,|it's it's|a a|legal legal legal|matter. One One|thing thing|I hate|is people|who who|talk talk|about other|people people|behind behind|their their|backs backs backs|because because|they they|are are|too too|gutless gutless gutless|to to|confront confront confront|them them|in in|person. person. person.|You You|go go|bad bad|mouthing mouthing mouthing|people and|Slim Slim Slim|Virgin Virgin Virgin|and and|others others others|off off|behind behind|our our|backs. backs. backs.|Really Really Really|honorable honorable honorable|behaviour. behaviour. behaviour.|You a|weak weak weak|person. *Please *Please|refrain adding|nonsense nonsense|to to|WWE WWE|RAW. RAW. RAW.|It is|considered considered considered|vandalism. vandalism.|If experiment,|use ==|... ...|== ==|WHY WHY WHY|DO DO|YOU YOU|ACT ACT ACT|SO SO|HOSTILE HOSTILE HOSTILE|WHEN WHEN|YOU GET|INSULTED?!?! INSULTED?!?! INSULTED?!?!|LEARN LEARN LEARN|TO TO|FRIGGIN FRIGGIN FRIGGIN|FIND FIND FIND|SOURCES SOURCES SOURCES|BEFORE BEFORE BEFORE|YOU DELETE|THOSE THOSE THOSE|PRICING PRICING PRICING|GAME GAME GAME|ARTICLES, ARTICLES, ARTICLES,|GD GD ":::If" ":::If|you" you|two two|weren't weren't weren't|ganging ganging ganging|up up|on on|me me|I'd I'd|get report|you you|first first|and and|get get|you you|banned. banned. is|really really|world world|you you|enter enter enter|my my|yard, yard, yard,|I will|use use|my my|hunter hunter hunter|rifle rifle rifle|blow blow blow|out out|you you|head. head. head.|but but|we we|are in|wiki, wiki,|so will|flag flag flag|you you|as as|vandals. vandals. Your|break break break|== ==|Hey Hey|Mr Mr Mr|V. V. V.|I a|safe safe safe|and and|restful restful restful|break. break. break.|But But|don't be|gone gone gone|for for|too too|long! long! long!|) ) )|Best Best Best|wishes, wishes, My|edits edits|are are|fine. fine. fine.|You You|people are|on the|losing losing|side. side. side.|You no|shame. shame. ==|Dont Dont Dont|go go|on on|making making|a a|FOOL FOOL FOOL|of yourself|, ,|Paula! Paula! Paula!|The The|whole whole|school school|is is|laughing laughing|already! already! already!|== ==|Too bad|that cannot|quit quit quit|popping popping popping|that that|stuff! stuff! stuff!|Drugs Drugs Drugs|are are|gonna gonna|get you|in in|trouble trouble trouble|one one|day! day! day!|(much (much (much|more more|then then|the the|stuff stuff|you with|half half|the the|guys guys guys|in in|our our|class class|, ,|at the|movies! movies! movies!|Jonathan Jonathan Jonathan|told told told|his his|mom, mom, mom,|when when|she she|asked asked asked|what the|spots spots spots|on his|pants pants pants|were!) were!) were!)|Stop Stop|lying, lying, lying,|stop stop|accusing accusing accusing|people of|sockpuppetry sockpuppetry sockpuppetry|who who|seem seem|continents continents continents|apart, apart, apart,|stop stop|hiding hiding|exactly exactly|those those|tracks tracks tracks|about about|you you|accuse accuse accuse|others others|of. of. of.|You You|get get|yourself yourself|into into|a a|shambles, shambles, shambles,|credibility credibility credibility|wise. wise. wise.|Anyhow, Anyhow, Anyhow,|what what|business business business|of of|yours yours|is it|what people|without without|remotest remotest remotest|relation relation relation|to to|you do|on on|wikipedia? wikipedia? wikipedia?|You seem|drunk, drunk, drunk,|on on|drugs drugs drugs|and and|having having|your your|period period period|??? ??? The|place is|now now|it's it's|the the|correct correct|place. place. place.|It's It's|chronologically chronologically chronologically|and and|historically historically historically|correct correct|as is|now. now.|Otherwise Otherwise Otherwise|you to|move move move|also also|your your|data data data|as Before|I I|accuse accuse|you you|of of|cringeworthy cringeworthy cringeworthy|acts acts|with with|donkeys, donkeys, donkeys,|what what|does does|sprotected sprotected sprotected|mean? mean? the|reply reply|– – –|my my|biggest biggest biggest|issue issue|at the|moment moment moment|is is|whether "include|""sales" """sales" """sales|figures""" "figures""" "figures""|for" for|earlier earlier earlier|years... years... years...|as as|far I|know, know, know,|there there|were were|no no|published published|end end end|of of|year year|sales sales sales|figures figures figures|before before|1994, 1994, 1994,|and the|sales sales|published published|at time|for for|1994 1994 1994|to to|1996 1996 1996|have have|since since|been been|discredited discredited discredited|and and|revised, revised, revised,|so so|are are|basically basically basically|worthless. worthless. worthless.|The The|figures figures|currently currently|quoted quoted quoted|in articles|up up|to 1996|are are|usually usually "usually|""estimates""" """estimates""" """estimates""|that" been|taken taken|from from|various various various|charts charts charts|message message|boards, boards,|calculated calculated calculated|by by|enthusiasts enthusiasts enthusiasts|from from|officially officially|published published|yearly yearly yearly|sales figures|per per|artist artist artist|(i.e. (i.e.|sales sales|could could|be be|made made|up up|of of|one one|or or|more more|singles singles singles|or or|albums, albums, albums,|and and|estimating estimating estimating|what what|percentage percentage percentage|of of|sales sales|were were|assigned assigned assigned|to to|each each|record). record). record).|As As|these these|are are|completely completely|unofficial unofficial unofficial|and and|unverifiable, unverifiable, unverifiable,|I am|thinking thinking|to to|remove remove|them them|altogether altogether altogether|or or|at least|add note|that that|all all|figures figures|are are|unofficial and|estimated. estimated. estimated.|In In|any any|case case|I think|most most|people in|how how|many many|records records records|the the|37th 37th 37th|best best best|selling selling selling|album album album|of of|1987 1987 1987|sold sold sold|that that|year year|– –|it it|makes makes|more more|sense to|concentrate concentrate concentrate|efforts efforts|into into|keeping keeping|List of|best-selling best-selling best-selling|singles singles|in United|Kingdom Kingdom Kingdom|up to|date. do|have have|Welsh Welsh Welsh|friends friends friends|there there|ask them|how how|my my|Welsh Welsh|is? is? is?|I cannot|tell tell|you you|if if|I'm I'm|a a|native native native|speaker speaker speaker|or not|- -|I I|could could|be, be,|I'm a|cosmopolitan. cosmopolitan. cosmopolitan.|Personally, Personally, Personally,|my my|favorite favorite favorite|version version|was was|. ":Spot," ":Spot,|grow" grow|up! up! up!|The being|improved improved improved|with the|new new|structure. structure.|Please Please|stop stop|your your|nonsense. nonsense. SINCE SINCE|WHEN WHEN|IS IS|>>>>SOURCED<<<< >>>>SOURCED<<<< >>>>SOURCED<<<<|EDITING EDITING EDITING|VANDALISM??? VANDALISM??? VANDALISM???|READ READ READ|THE THE|CITED CITED CITED|SOURCES! SOURCES! SOURCES!|WHERE WHERE WHERE|pray pray pray|tell me|DOES DOES DOES|IT IT IT|SAY SAY SAY|THAT THAT|IRAN IRAN IRAN|EVER EVER EVER|(I (I|SAY SAY|EVER) EVER) EVER)|HAD HAD HAD|A A|DEMOCRATICAL DEMOCRATICAL DEMOCRATICAL|ELECTION ELECTION ELECTION|OF OF|ANY ANY|SORT SORT SORT|OR OR|SHAPE SHAPE SHAPE|in in|HISTORY?? HISTORY?? HISTORY??|QUIT QUIT QUIT|CONVERTING CONVERTING CONVERTING|WIKIPEDIA WIKIPEDIA WIKIPEDIA|INTO INTO INTO|A A|TRASH TRASH TRASH|BIN BIN BIN|with with|YOUR YOUR|SILLY SILLY SILLY|AND AND|INFANTILE INFANTILE INFANTILE|PRANKS! PRANKS! PRANKS!|KISSING KISSING KISSING|EACH EACH EACH|OTHER'S OTHER'S OTHER'S|REAR REAR REAR|ENDS ENDS ENDS|DOESN*T DOESN*T DOESN*T|MAKE MAKE MAKE|POV POV|less less less|POV ==|Eww, Eww, Eww,|I can|s s s|m m m|e e e|l l l|l l|something something|horrible horrible horrible|round round round|here! here! here!|== ==|Ewwww Ewwww Ewwww|is that|you? you? you?|i l|you you|from from|here, here,|man! man! man!|peee-yewww!go peee-yewww!go peee-yewww!go|take a|bath bath bath|or or|something, something, something,|fleabag! fleabag! ==|Hi Hi Hi|== How|dare dare|you? you?|try words.|Are you|Libra, Libra, Libra,|Gemini Gemini Gemini|or or|some some|haters haters|else? else? else?|The The|picture picture|on "the|""front" """front" """front|page""" "page""" "page""|was" was|so so|show-off. show-off. UKDoctor UKDoctor|responds responds responds|Shut Shut Shut|Up, Up, Up,|David David David|Ruben Ruben Ruben|- -|can't can't|you you|see see|JdWolff JdWolff JdWolff|referring referring referring|to to|others others|as as|TIGERS TIGERS TIGERS|IN IN IN|CAGES CAGES CAGES|!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!|David Ruben|is not|any any|better better|and and|should should|go go|take a|flying flying flying|leap leap leap|into the|deep deep deep|end the|Pacific Pacific Pacific|Ocean Ocean Ocean|if if|he he|wants wants|to. to. to.|. .|. .|WE WE WE|WHITE WHITE WHITE|DOCTORS DOCTORS DOCTORS|ARE ARE|TOTALLY TOTALLY TOTALLY|ASHAMED ASHAMED ASHAMED|OF THE|GENERAL GENERAL GENERAL|MEDICAL MEDICAL MEDICAL|COUNCIL COUNCIL COUNCIL|-and -and -and|we we|certainly certainly certainly|have say|our our|piece piece piece|in any|way way|fit. fit. comments|== ==|In In|response response|to to|your your|Please remove|content content|from you.|— —|@ @ @|Your Your|record record|indicates indicates indicates|that were|banned banned|as a|vandal vandal|several several several|times times|and and|asked asked|for for|a a|defense defense defense|several several|times. times. times.|Also, Also,|your your|record that|Bertil Bertil|videt videt videt|asked asked|you revert|some some|legitimate legitimate|changes changes|without without|reason reason|and did|it it|because because|he he|asked asked|you, you,|vandalazing vandalazing vandalazing|good good|content content|that that|did not|suit suit suit|him him|or or|you. you.|You You|should should|talk. talk. talk.|Also Also|please please|read read|your own|talk page|regarding regarding|many many|other other|warnings warnings warnings|given given|to you|by other|users. users. users.|Also Also|be a|man man man|(at least|try) try) try)|and and|deal deal deal|with page|rather rather|than than|begging begging begging|others others|to hold|your your|hand. hand. hand.|Before "::::Based" "::::Based|on" on|ChrisO's ChrisO's ChrisO's|behavior behavior behavior|that's that's|a a|load load load|of of|bull, bull, bull,|he's he's|just just|pretexting pretexting pretexting|to to|attack attack|me. me.|Further, Further, Further,|he he|NEVER NEVER NEVER|gave gave gave|me "a|""warning""" """warning""" """warning""|about" about|being being|blocked, blocked, blocked,|the "only|""warning""" """warning""|I" had|was was|this this|and I|RESPONDED RESPONDED RESPONDED|to the|abusive abusive abusive|jerk jerk|by by|placing placing placing|a a|question question|of his|interpretation interpretation|of the|rule rule rule|which he|flatly flatly flatly|refused refused refused|to to|respond respond respond|to. REDIRECT "REDIRECT|Talk:57th" "Talk:57th" "Talk:57th|Directors" Directors Directors|Guild Guild Guild|of of|America America America|Awards Awards "::::Ouch!" "::::Ouch!|That" That That|sounded sounded sounded|like a|threat threat|and and|since since|I didn't|actually actually|attack attack|you you|but but|instead instead|criticised criticised criticised|your your|behaviour, behaviour, behaviour,|I see|you are|again again|out of|line. line. line.|/ """he" """he|grew" grew grew|up up|in in|Russia, Russia, Russia,|he he|was was|training training training|with with|Russians, Russians, Russians,|he he|talks talks talks|Russian, Russian, Russian,|even even|Russian Russian Russian|President President President|came see|his his|fights, fights, fights,|thats thats thats|why why|he he|repeatedly repeatedly|has has|identified identified identified|himself himself|as as|Russian Russian|in "in|interviews""" "interviews""" "interviews""|And" And|that that|doesn't make|him him|Russian? Russian? Russian?|You You|really really|are are|very very|stupid, stupid, stupid,|as as|the the|banderlogs banderlogs banderlogs|are, are,|of of|course. course. course.|your your|whole whole|ideology ideology ideology|is on|stupidity stupidity stupidity|and and|ignorance, ignorance, ignorance,|after after|all. all. ":Time" ":Time|to" to|call call|in "the|""Three" """Three" """Three|Revert" Revert "Revert|Rule""," "Rule""," "Rule"",|as" see|both both both|have have|editted editted editted|it it|again? again? again?|I have|left left left|a a|message message|for for|both both|PeeJay2k3 PeeJay2k3 PeeJay2k3|and and|Oragina2 Oragina2 Oragina2|to to|not not|change change|the the|table table table|again, again,|until until|a a|consensus is|come come|to to|here here|on not,|we we|might might|need move|down down|the the|Resolving Resolving Resolving|Disputes Disputes Disputes|road. road. and|to to|suggest suggest|that is|flabbergastingly flabbergastingly flabbergastingly|arrogant ":Look," ":Look,|you" are|clearly clearly|trolling trolling|now now|and am|becoming becoming becoming|more little|fed you|wasting wasting|the time|of those|of of|us us|who are|here here|to good|encyclopaedia. encyclopaedia. encyclopaedia.|I am|of of|course course|prepared prepared prepared|to to|accept accept|your your|argument argument argument|that that|Alan Alan Alan|Whicker's Whicker's Whicker's|position position position|is is|'absolutely, 'absolutely, 'absolutely,|unequivocally, unequivocally, unequivocally,|and and|unquestionably unquestionably "unquestionably|definitive':" "definitive':" "definitive':|but" only|if are|prepared my|next-door-neighbour next-door-neighbour next-door-neighbour|Mr Mr|Osborne's Osborne's Osborne's|position position|that that|Manchester Manchester Manchester|is second|city city city|is also|'absolutely, unquestionably|definitive', definitive', definitive',|since since|there's there's there's|just as|much much|reason to|take take|his his|word word|on the|matter matter matter|as as|Mr Mr|Whicker's. Whicker's. Whicker's.|ⁿɡ͡b ⁿɡ͡b ⁿɡ͡b|\ \ ==|Respect Respect Respect|is is|earned earned earned|by by|respect respect respect|== ==|That That|user user|IS IS|a a|troll troll troll|and a|stalker. stalker. stalker.|They They|are not|respected respected|and are|close close close|to to|being being|banned. banned.|Did you|bother bother bother|to the|inflammatory inflammatory inflammatory|garbage garbage garbage|that they|write write|on wikipedia?|Or Or|are just|part troll|posse? posse? ==No ==No|Personal Personal Personal|Attacks== Attacks== Attacks==|Stop Stop|trying to|cover cover cover|up truth|about about|Wikipedia. Wikipedia.|I I|asked asked|the user|a question|about about|whether the|allegations allegations allegations|in in|that that|article article|were were|true. true. true.|I didn't|write that|article. article.|P.S. P.S. P.S.|I I|actually actually|didnt didnt didnt|need to|even even|ask ask|if were|true- true- true-|its its|obvious obvious|that they|were. were. ":|you" a|notorious notorious notorious|troll and|vandal vandal|too too|Hrafn. Hrafn. just|want to|point point|something something|out out|(and (and|I'm I'm|in in|no no|way way|a a|supporter supporter supporter|of the|strange strange strange|old old|git), git), git),|but is|referred as|Dear Dear Dear|Leader, Leader, Leader,|and and|his his|father father father|was was|referred as|Great Great Great|Leader. Leader. harmony harmony|between between|people this|village, village, village,|or or|maybe maybe maybe|vice vice vice|versa versa versa|... ...|.. .. ..|/ /|Blerim Blerim Blerim|Shabani. Shabani. Shabani.|/ ===hahahahahahaha=== ===hahahahahahaha===|Your Your|fake fake fake|information information|u u|have have|filled filled filled|wikipedia wikipedia|wont wont wont|be be|tolerated tolerated|, ,|stop stop|spread spread|propaganda propaganda|in in|wikipedia wikipedia|, ,|all all|information information|is is|fake fake|as the|fake fake|state state|of of|fyrom. fyrom. fyrom.|The The|truth truth|shall shall|prevail prevail ":I" ":I|can" can|sympathize sympathize sympathize|with your|frustration. frustration. frustration.|I know|many many|comic comic comic|book book|professionals professionals professionals|and know|a of|things things|I would|love love love|to include|in in|articles articles|but I|can't. can't. can't.|I a|linked linked linked|source that|other people|can can|double-check. double-check. double-check.|Your Your|conversation conversation conversation|with with|Heck Heck Heck|is is|useful useful|in can|let let|it it|guide guide guide|you you|look look|for for|sources can|link link|as as|references, references,|but but|in in|Wikipedia, Wikipedia,|a personal|conversation conversation|is not|an an|appropriate appropriate|source for|citation. citation. ==Reversion== ==Reversion==|Given Given Given|that that|some some|jerk jerk|vandalized vandalized vandalized|the the|characters characters|section section|by by|changing changing changing|the the|names names|to to|various various|Nintendo Nintendo Nintendo|characters, characters, characters,|I have|reverted reverted reverted|to a|much much|older older older|version. version. well|first, first, "first,|""accidental" """accidental" """accidental|suicide""" "suicide""" "suicide""|made" made|me me|laugh. laugh. laugh.|There are|accidents accidents accidents|and you|die die|and then|there are|suicides suicides suicides|and you|die. die. die.|Second Second|the the|next next|sentences sentences|hurt hurt hurt|my my|head. head.|You You|ASSUME ASSUME ASSUME|checkers? checkers? checkers?|I I|don't. don't. don't.|Some Some|writer writer writer|is "is|""theorizing""?" """theorizing""?" """theorizing""?|Well" Well Well|this this|guy guy|believed believed believed|that that|George George George|Hodel Hodel Hodel|was the|killer killer killer|of the|Black Black Black|Dahlia. Dahlia. Dahlia.|He He|has been|humiliated humiliated humiliated|for for|being being|wrong wrong|up up|and and|down the|internets. internets. internets.|So So|why why|not not|put put|down down|MY MY|theory? theory? theory?|Theone Theone Theone|in in|which which|Martians Martians Martians|killed killed killed|her? her? her?|Oh, Oh, Oh,|right, right,|because not|relevant relevant ==Cell ==Cell|(film)== (film)== (film)==|Why Why|is it|such such|a a|horrible horrible|thing thing|for for|me create|a page|for the|film? film? film?|I've I've|seen seen|pages pages|for for|other other|movies movies movies|that that|are are|currently currently|in in|production. production. production.|H-E H-E H-E|doulbe doulbe doulbe|hocky hocky hocky|sticks, sticks, sticks,|I've for|movies that|aren't aren't|even in|production production production|yet. yet. yet.|Can Can Can|I I|get get|some some|answers, answers, answers,|and and|don't don't|just just|tell read|some some|other "other|WP:BOLOGNA." "WP:BOLOGNA." So, So,|in in|other other|words, words, words,|you are|professionally professionally|on the|dole. dole. dole.|You must|live live|in parents|basement basement basement|and and|leech leech leech|off off|of of|them, them,|like a|11-year 11-year 11-year|old. old. old.|Maybe Maybe|if you|had had|a of|motivation, motivation, motivation,|you could|look real|job, job, job,|and not|play play play|your your|fantasy fantasy fantasy|as Wiki|boy. boy.|I'm I'm|sure sure|you you|couls couls couls|start start|a a|career career|as a|video video video|game game game|player. player. What|a a|joker joker joker|you are.|European European European|parliament parliament parliament|has no|power power|to do|anything. is|non non non|binding binding binding|because not|serious serious|and and|silly silly silly|reports reports reports|like not|meant meant|to be|serious. serious. serious.|what is|more important|is that|we we|ruled ruled ruled|your your|ancestors ancestors ancestors|for for|centuries centuries centuries|and and|trying put|negative negative negative|images images|of of|turks turks turks|in the|turkey turkey turkey|page to|change change|that. that.|This get|your your|'revenge'. 'revenge'. 'revenge'.|Go Go Go|and and|edit the|golden golden golden|dawn dawn dawn|wikipedia wikipedia|because because|your your|ideas ideas|will will|only only|be be|welcome welcome|there. there. ==|Ban Ban Ban|of "of|""Bryansee""" """Bryansee""" """Bryansee""|from" from|Wikipediocracy. Wikipediocracy. Wikipediocracy.|== ==|Hey, Hey, Hey,|you are|Zoloft. Zoloft. Zoloft.|The The|one one|who who|banned banned|me me|from from|Wikipediocracy Wikipediocracy Wikipediocracy|with threat|that I|die. "die.|""Well""" """Well""" """Well""|means" means|dead. dead. "dead.|""Recover""" """Recover""" """Recover""|means" "means|""die""." """die""." """die"".|You" are|wanting wanting wanting|me to|die die|by a|medication medication medication|increase increase increase|or or|meet meet|my my|maker. maker. maker.|Check Check Check|this "this|out:" "out:" MODERATORS MODERATORS|ARE ARE|SOME SOME|OF THE|MOST MOST MOST|INGORANT INGORANT INGORANT|AND AND|SELF SELF SELF|SERVING SERVING SERVING|JERKS JERKS JERKS|YOU WILL|FIND FIND|ON ON|THE THE|NET NET ":So" ":So|I" will|start a|criticism criticism|of the|quote quote quote|from from|Ollier Ollier Ollier|and and|Pain, Pain, Pain,|with with|whom have|more more|general general|issues issues|than "the|""postorogenic" """postorogenic" """postorogenic|part""." "part""." "part"".|Phrase" Phrase Phrase|by by|phrase phrase|that I|disagree "disagree|with:" "with:" "with:|:#" ":#" ":#|Only" Only|much much|later later later|was was|it it|realized realized realized|that the|two two|processes processes processes|[deformation [deformation [deformation|and the|creation creation creation|of of|topography] topography] topography]|were were|mostly mostly|not not|closely closely closely|related, related, related,|either either|in in|origin origin|or in|time. time.|Very Very Very|wrong. wrong. wrong.|Deformation Deformation Deformation|causes causes|topography, topography, topography,|and the|generation generation generation|of of|topography topography topography|is is|synchronous synchronous synchronous|with with|deformation. deformation. deformation.|I will|email email email|you a|copy copy|of of|Dahlen Dahlen Dahlen|and and|Suppe Suppe Suppe|(1988), (1988), (1988),|which which|shows that|this the|case case|- -|send send send|me message|so have|your your|address address|and and|can can|attach attach attach|a a|PDF. PDF. PDF.|They They|tackle tackle tackle|the the|large-scale large-scale large-scale|deformation deformation deformation|of of|sedimentary sedimentary sedimentary|rocks rocks rocks|via via|folding folding folding|and and|thrusting thrusting thrusting|during during|orogenesis. orogenesis. "orogenesis.|:#" ":#|...fold-belt" ...fold-belt ...fold-belt|mountainous mountainous "mountainous|areas...:" "areas...:" "areas...:|""fold-belt""" """fold-belt""" """fold-belt""|isn't" isn't|used used|professionally professionally|(AFAIK) (AFAIK) (AFAIK)|to to|refer a|collisional collisional collisional|mountain-building mountain-building mountain-building|event. event. event.|A A|minor minor|thing thing|though. though. "though.|:#" Only|in very|youngest, youngest, youngest,|late late late|Cenozoic Cenozoic Cenozoic|mountains mountains mountains|is is|there there|any any|evident evident evident|causal causal causal|relation relation|between between|rock rock rock|structure structure structure|and and|surface surface surface|landscape. landscape. landscape.|and the|following following "following|sentence:" "sentence:" "sentence:|If" I|were were|British, British, British,|I would|call call|this "this|""utter" """utter" """utter|twaddle""." "twaddle""." "twaddle"".|As" I|mentioned mentioned|above, above, above,|there way|for for|many many|of the|exposed exposed exposed|structures structures structures|to the|surface surface|without without|large large|amounts amounts amounts|of of|rock rock|uplift uplift uplift|and and|erosion. erosion. erosion.|And And|as a|matter matter|of of|fact, fact, fact,|the the|trajectory trajectory trajectory|of of|different different different|units units units|of rock|through through|an an|orogen orogen orogen|is in|part part|determined determined determined|by by|patterns patterns patterns|of of|surface surface|erosion. erosion.|To To|keep keep|it it|simple simple|and and|send send|you you|one one|paper, paper, paper,|you'll you'll you'll|find find|this this|in in|and and|at the|end the|paper paper paper|by by|Dahlen Suppe|(1988). (1988). "(1988).|:" "::::::What" "::::::What|are" you|deaf deaf deaf|can't hear|? WAS|HERE. HERE. HERE.|HE HE|POWNS POWNS POWNS|NOOBS NOOBS NOOBS|ALL ALL ALL|DAY! DAY! ":::And" ":::And|as" as|fully fully fully|expected, expected, expected,|yet yet|another another|abusive abusive|admin admin|gets gets|away away|with with|abusing abusing abusing|their ":Grow" ":Grow|up," up,|you you|immature immature immature|little little|brat. brat. brat.|This This|edit edit|warring warring warring|seems seems|to only|thing thing|you do|around around|here. not|vandalize vandalize|pages, pages,|as did|with with|this this|edit edit|to to|American American|Eagle Eagle Eagle|Outfitters. Outfitters. Outfitters.|If do|so, so, so,|you *|The "The|""bold" """bold" """bold|move""" "move""" "move""|was" was|at "at|05:48," "05:48," "05:48,|3" 3|December December December|2013‎ 2013‎ 2013‎|by by|. .|Someone Someone|listed listed|this this|move move|back back|as as|uncontroversial, uncontroversial, uncontroversial,|and have|changed changed|it it|into into|discussed, discussed, discussed,|at "at|Talk:Run" "Talk:Run" "Talk:Run|Devil" Devil Devil|Run Run Run|(Girls' (Girls' (Girls'|Generation Generation Generation|song)#Move? song)#Move? song)#Move?|(2). (2). ==THEN ==THEN|WHY WHY|IS IS|Attacking Attacking Attacking|my my|edits edits|by removing|my page|comments== comments== comments==|THAT IS|SHOWING SHOWING SHOWING|CONTEMPT CONTEMPT CONTEMPT|FOR FOR|OTHER OTHER OTHER|EDITORS EDITORS EDITORS|AND AND|IS IS|VERY VERY VERY|UNCIVIL UNCIVIL UNCIVIL|AS AS|WELL WELL|AS AS|YOU YOU|UNEVEN UNEVEN UNEVEN|AND AND|UNFAIR UNFAIR UNFAIR|LABELING LABELING LABELING|ME... ME... If|there there|was a|cure cure cure|for for|AIDs, AIDs, AIDs,|it would|probably probably|be be|bought bought bought|up up|by by|rich rich rich|jerks jerks|and and|sold sold|for for|double. double. double.|I if|u have|AIDs, AIDs,|then then|that is|sad sad sad|for you,|but but|many many|people people|have have|said said|that the|ones ones|to to|blame blame blame|are are|..... ..... .....|well, well,|I I|wont wont|go go|into into|that that|here. here.|many have|there there|own own|opinion opinion opinion|of of|who who|it it|is. is.|But But|that is|just just|my my|opinion. opinion. opinion.|It It|must must|suck suck suck|to person|with with|Aids. Aids. Aids.|I would|not not|know. know. These These|people are|INSANE. INSANE. INSANE.|== But|then I|rarely rarely rarely|get get|my my|evil evil evil|way way|with with|anything anything|these these|days, days, days,|must must|be be|getting getting|old old|or or|lazy. lazy.|Or Or|perhaps perhaps|both. both. ":I|have" have|painstakingly painstakingly painstakingly|taken taken|the to|scan scan scan|in the|CD CD CD|on my|desk desk desk|showing showing showing|that "that|""Extreme" """Extreme" """Extreme|Jaime""'s" "Jaime""'s" "Jaime""'s|name" "is|""Jaime" """Jaime" """Jaime|Guse""." "Guse""." "Guse"".|Additionally," Additionally, Additionally,|I I|continue point|out out|that that|Hiram Hiram Hiram|skits skits skits|are are|available available available|both both|at at|DaveRyanShow.com DaveRyanShow.com DaveRyanShow.com|and the|Best Best|of of|The The|Dave Dave Dave|Ryan Ryan Ryan|in the|Morning Morning Morning|Show Show Show|CDs. CDs. CDs.|The The|contents contents contents|are are|viewable viewable viewable|on on|Amazon. Amazon. Amazon.|Additionally, have|taken taken|some some|time to|review review|your your|edits edits|and and|history history|on on|Wikipedia. It|appears appears|you to|present present present|yourself yourself|as as|authoritative, authoritative, authoritative,|when when|you are|not. not.|You tried|multiple multiple multiple|times times|to become|an an|Administrator, Administrator, Administrator,|but to|act act act|in in|such a|reckless, reckless, reckless,|inconsistent inconsistent inconsistent|and and|immature immature|manner, manner,|I I|doubt doubt doubt|that will|ever ever|happen. an|encyclopedia encyclopedia encyclopedia|article, article,|especially especially|this "this|bit:" "bit:" "bit:|Armed" Armed Armed|once once once|again again|with a|song song song|that that|possesses possesses possesses|all the|classic classic classic|attributes attributes attributes|of a|successful successful successful|Eurovision Eurovision Eurovision|entry entry|- -|a a|catchy, catchy, catchy,|feel-good feel-good feel-good|melody, melody, melody,|and a|key-change key-change key-change|that that|builds builds builds|up a|big big|finish finish|- -|Chiara Chiara Chiara|is is|highly highly highly|likely likely|to to|enter enter|the the|contest contest|as the|favourites. favourites. favourites.|This newspaper|article. It|should be|removed. removed. removed.|Chiara's Chiara's Chiara's|fame fame fame|is also|not not|worthy worthy worthy|of of|mention mention mention|in encyclopedia.|We We|might might|as well|start start|writing writing|about the|grocer grocer grocer|or or|shopowner shopowner shopowner|round round|the the|corner. corner. die|from from|cancer. cancer. Hard Hard|to be|constructive constructive constructive|when other|party party party|behaves behaves behaves|like a|godking godking godking|thug. thug. ==|Librier Librier Librier|== ==|Anon Anon|raised raised raised|this this|issue issue|in in|their their|edit summary.|I I|agree agree|that this|term term term|seems seems|imprecisely imprecisely imprecisely|added not|accurate. accurate. accurate.|It not|generally generally|or or|strictly strictly strictly|associated associated associated|with the|Kelb Kelb Kelb|tal-Fenek. tal-Fenek. ==|ARRHGH! ARRHGH! ARRHGH!|== ==|Frederica Frederica Frederica|is most|annoying annoying|talking talking|head head|ever Someone|is is|threatning threatning threatning|an an|annon annon annon|and is|uncivilised uncivilised uncivilised|wiki wiki|conduct. conduct. bet|80% 80% 80%|of what|she did|was was|rubbish... rubbish... ==Hello==|Dude Dude Dude|your your|mother mother mother|is is|totally totally totally|hot. hot. doubt|this will|get get|through through|your your|thick thick thick|head head|(it's (it's (it's|not insult,|it's an|opinion opinion|based your|response) response) response)|but but|the the|problem issue|itself. itself. itself.|It's It's|that that|people to|enjoy enjoy|(whether (whether (whether|or your|side side|gets gets|it it|right) right) right)|to to|discuss, discuss, discuss,|turn, turn, turn,|twist twist twist|and and|frankly frankly frankly|abuse abuse abuse|topics topics topics|like this|which which|are are|detrimental detrimental detrimental|to the|basic basic basic|goals goals goals|of of|Wikis Wikis Wikis|in in|general general|and Wikipedia|in in|particular. particular. particular.|As As|John John|Stewart Stewart Stewart|said said|to to|two two|hacks; hacks; hacks;|You're You're|hurting hurting hurting|us. us. 2 2|words words|learn learn learn|them them|SHUT SHUT SHUT|UP UP UP|DONT DONT DONT|FOLLOW FOLLOW FOLLOW|ME ME|EVERYWHERE EVERYWHERE ":::hey" ":::hey|buddy," buddy, buddy,|hey hey|buddy, buddy,|guess guess guess|what? what? "what?|""I""" """I""" """I""|dont" dont|care care|realy realy realy|what "what|""your""" """your""" """your""|excuse" excuse excuse|is, is,|and and|couldn't couldn't|care care|less less|what what|Roaringflamer Roaringflamer Roaringflamer|says, says,|but are|obviously obviously|obsessed obsessed obsessed|with with|redirects. redirects. redirects.|If is|anybody anybody|that that|should be|banned, banned, banned,|its for|vandalism and|disruption disruption disruption|so so|there OOOOHHHH OOOOHHHH|With With With|a big|long long|Intellectually Intellectually Intellectually|Terrifying Terrifying Terrifying|and and|Superior Superior Superior|name name|like "like|""(referenced" """(referenced" """(referenced|to" to|Journal Journal Journal|of of|Labelled Labelled Labelled|Compounds Compounds Compounds|and "and|Radiopharmaceuticals)""." "Radiopharmaceuticals)""." "Radiopharmaceuticals)"".|How" How|Could Could Could|the quote|be be|wrong wrong|Hey!! Hey!! Hey!!|How dare|I I|even even|question question|it, it,|or or|possibly possibly possibly|be be|right, right,|in in|saying saying|the "the|""supposed""" """supposed""" """supposed""|quote" quote|is is|wrong. wrong.|What stupid|ignoramus ignoramus ignoramus|I I|must to|challenge challenge challenge|that. YOUR|THREATENING THREATENING THREATENING|BEHAVIOUR BEHAVIOUR BEHAVIOUR|== ==|== YOUR|CONSTANT CONSTANT CONSTANT|BLOCKING BLOCKING BLOCKING|AND AND|SABOTAGE SABOTAGE SABOTAGE|OF OF|MY MY|EDITS EDITS EDITS|IS IS|TANTAMOUNT TANTAMOUNT TANTAMOUNT|TO TO|STALIKING. STALIKING. STALIKING.|ARE ARE|YOU YOU|STALKING STALKING STALKING|ME? ME? ME?|ARE YOU|THREATENING THREATENING|ME ME|STEVE? STEVE? STEVE?|IS IS|THIS THIS|WHAT WHAT|YOURE YOURE YOURE|ABOUT, ABOUT, ABOUT,|THREATENING THREATENING|AND AND|HARRASSING HARRASSING HARRASSING|ME? ME?|WHY YOU|KEEP KEEP KEEP|STALKING STALKING|ME ME|THROUGH THROUGH|WIKIPEDIA? WIKIPEDIA? WIKIPEDIA?|ARE YOU|A A|TWISTED TWISTED TWISTED|WACKO, WACKO, WACKO,|DO YOU|WISH WISH WISH|ME ME|HARM? HARM? HARM?|WHY? WHY? WHY?|WHY WHY|ARE YOU|HARRASSING HARRASSING|ME!!!!!!!!!!! ME!!!!!!!!!!! ME!!!!!!!!!!!|LEAVE LEAVE LEAVE|ME ME|ALONE ALONE ALONE|YOU YOU|RACIST RACIST RACIST|WACKO!!!!!!!!! WACKO!!!!!!!!! WACKO!!!!!!!!!|== ":O:" ":O:|I" thought|that call|you you|such a|thing. thing.|I a|cookie cookie|so could|get get|bigger bigger bigger|and and|stronger. stronger. stronger.|Obviously Obviously|it it|wasn't wasn't|because you're|a a|fat fat fat|pig. pig. pig.|I'm I'm|sorry sorry|for the|misunderstanding. misunderstanding. It's|those those|biography biography biography|and and|political political political|articles articles|you should|watch watch|out out|for. for. FURTHERMORE.... FURTHERMORE....|I I|HAVE HAVE|JUST JUST|VISITED VISITED VISITED|RAGIB'S RAGIB'S RAGIB'S|PAGE PAGE|AND AND|STUDIED STUDIED STUDIED|THE THE|DISCUSSION DISCUSSION DISCUSSION|AREA. AREA. AREA.|RAGIB RAGIB RAGIB|IS IS|OBVIOUSLY OBVIOUSLY OBVIOUSLY|FROM FROM|BANGLADESH BANGLADESH BANGLADESH|AND AND|SEEMS SEEMS SEEMS|TO TO|BE BE BE|A A|SIMILARLY SIMILARLY SIMILARLY|PAROCHIAL PAROCHIAL PAROCHIAL|CHAUVINIST CHAUVINIST CHAUVINIST|EDITOR EDITOR EDITOR|OF OF|MANY MANY MANY|OTHER OTHER|ARTICLES, ARTICLES,|EVEN EVEN|ASKING ASKING ASKING|FOR FOR|UN-NECESSARY UN-NECESSARY UN-NECESSARY|DELETIONS DELETIONS DELETIONS|OF OF|ARTICLES ARTICLES ARTICLES|THAT THAT|HE HE|DOES DOES|NOT NOT|LIKE..... LIKE..... LIKE.....|AND AND|GETTING GETTING GETTING|SNUBBED SNUBBED SNUBBED|FOR FOR|THE THE|EFFORT!! EFFORT!! I|beg beg beg|your your|pardon? pardon? pardon?|I am|from the|region, region, region,|and and|berbers berbers berbers|are a|minority. minority. minority.|How you|presume presume presume|to know|people's people's people's|origins? origins? origins?|you your|make-belief make-belief make-belief|world, world, world,|but but|do not|post post|it as|fact fact|and don't|delete my|posts posts posts|either either|to to|further further|veil veil veil|the the|truth. truth. truth.|I am|contacting contacting contacting|Wikipedia Wikipedia|immediately immediately immediately|concerning concerning|this this|largely largely largely|fictitious, fictitious, fictitious,|vicious vicious vicious|article and|discussion. discussion. ,|as, as, as,|this my|IP IP|adress adress Would Would|you you|believe believe|it.. it.. it..|This This|frenchie frenchie frenchie|threatens threatens threatens|to to|ban ban|me me|because I|talk talk|badly badly badly|upon upon|Foie Foie Foie|Gras. Gras. Gras.|I already|said said|once once|that is|protected protected protected|by by|lobbyists. lobbyists. lobbyists.|That That|includes includes includes|frog frog frog|eaters. eaters. YOU,|TOO....... TOO....... TOO.......|== YOU|FOR FOR|ATTACKING ATTACKING ATTACKING|ME! ME! is|for for|removing post|on on|100% 100% 100%|== ==|I'm to|DDOS DDOS DDOS|your your|toaster toaster toaster|for for|this. you've|made your|point point|freakin freakin freakin|heck heck heck|what what|do want|me do|huh? I've|explained explained|why why|i i|changed changed|mold mold mold|to to|mould, mould, mould,|i've i've i've|made user|name name|now now|leave leave|me me|alone alone alone|already.... already.... already....|what your|problem. ==|Need Need Need|your your|help help|in Hi|Kansas Kansas Kansas|bear, bear, bear,|I need|your article|called "called|""Sultanate" """Sultanate" """Sultanate|of" "of|Rum""," "Rum""," "Rum"",|vandalized" vandalized|by by|Turkish Turkish Turkish|nationalist nationalist nationalist|and and|even even|including including|dubious dubious dubious|sources sources|from from|books books books|like like|lonelyplanet lonelyplanet lonelyplanet|travel travel travel|guides. guides. guides.|The The|guy guy|has a|profound profound profound|anti anti anti|neutrality neutrality neutrality|agenda, agenda, agenda,|even even|removing the|Persianate Persianate Persianate|description description|of the|state state|and and|changing changing|a a|section section|about about|Sultanate's Sultanate's Sultanate's|architecture, architecture, architecture,|by by|renaming renaming renaming|it "as|""culture""," """culture""," """culture"",|in" in|order order order|to move|around around|the the|sources sources|for Persianate|terms. terms. terms.|I it|needs be|addressed addressed|by by|more than|one one|person person|to to|kick kick kick|out the|nationalistic nationalistic nationalistic|bias bias bias|from the|article. pure|tripe tripe tripe|stolen stolen|from their|bio bio bio|on on|their their|official official official|website, website, website,|which is|outdated outdated outdated|by the|way. way. way.|That's That's|bad bad|wiki wiki|practice. practice. I|saw saw saw|it it|before before|watching watching watching|the the|episode. episode. episode.|Oh Oh|well. Stupid! Stupid!|You're You're|the who|stops stops stops|for for|massive massive massive|and and|undiscussed undiscussed undiscussed|removal removal|on article.|Also, Also,|you you|say say|you're you're|interest in|Chinese Chinese|history history|well well|then go|for for|it it|and don't|ever ever|pay pay pay|attention to|Vietnamese Vietnamese Vietnamese|history. history. Jackson Jackson|didn't didn't|perform perform perform|at the|WMA WMA WMA|because he|can't can't|sing sing sing|at at|all all|anymore. anymore. anymore.|That That|is the|real real|reason reason|he he|hasn't hasn't hasn't|toured toured toured|for a|decade, decade, decade,|along along along|with his|bankruptcy. bankruptcy. bankruptcy.|Even Even|his his|vocals vocals vocals|on "on|""We've" """We've" """We've|Had" Had "Had|Enough""" "Enough""" "Enough""|four" four|years years|ago ago ago|were were|poor poor|and and|he he|never never|had a|strong strong|voice voice voice|to to|begin begin begin|with, with, with,|certainly certainly|not not|comparable comparable comparable|with real|King, King, King,|Elvis Elvis Elvis|Presley. Presley. Presley.|Jackson Jackson|has has|had had|financial financial|problems problems|since since|at least|1998 1998 1998|due due due|to to|his his|declining declining declining|sales sales|and and|popularity, popularity, popularity,|as well|as as|his his|inactivity inactivity inactivity|and having|to to|support support|all all|his his|siblings siblings siblings|and and|parents. parents. parents.|In In|2002 2002 2002|it was|revealed revealed revealed|he in|debt debt|to various|international international international|banks banks banks|to the|tune tune tune|of of|tens tens tens|of of|millions of|dollars, dollars, dollars,|and and|after after|losing losing|those those|lawsuits lawsuits lawsuits|in in|May May May|2003 2003 2003|he was|confirmed confirmed confirmed|as the|verge verge verge|of of|bankuptcy bankuptcy bankuptcy|with with|debts debts debts|of of|$400 $400 $400|million. million. million.|Invincible Invincible Invincible|was a|flop flop flop|because it|sold sold|less less|than a|third third|of his|last last|album, album, "album,|""Dangerous""," """Dangerous""," """Dangerous"",|and" and|it was|thoroughly thoroughly thoroughly|mediocre mediocre mediocre|music. music. music.|Almost Almost|all of|Jackson's Jackson's Jackson's|remaining remaining remaining|fans fans|regard regard regard|it his|worst worst|album. album. album.|In In|1989 1989 1989|Jackson Jackson|made made|it it|known known|he addressed|as the|King King King|of of|Pop Pop Pop|- a|meaningless, meaningless, meaningless,|self-proclaimed self-proclaimed self-proclaimed|title. title. title.|He He|even even|planned planned planned|to to|buy buy buy|Graceland Graceland Graceland|so so|he he|could could|demolish demolish demolish|it, it,|which which|certainly certainly|says says|far far|more more|about about|Jackson's Jackson's|megalomania megalomania megalomania|than than|it does|about about|Presley. Presley.|Half Half Half|the the|songs songs songs|on the|Dangerous Dangerous Dangerous|album album|weren't weren't|good, good, good,|especially the|unbelievably unbelievably unbelievably|awful awful awful|Heal Heal Heal|the the|World, World, World,|and it|only only|sold sold|30 30|million million million|copies copies copies|on the|strength strength strength|of his|previous previous|three three three|albums. albums. albums.|Yeah, Yeah, Yeah,|WJ WJ WJ|was was|unique unique unique|all all|right, right,|but the|less less|said said|about the|better. must|know know|some some|very very|sad sad|20-year-olds 20-year-olds 20-year-olds|if they|still still|admire admire admire|the the|disgraced disgraced disgraced|former former former|King of|Pop. Pop. Pop.|Anyway, Anyway, Anyway,|most people|know know|him him|as as|Wacko Wacko Wacko|Jacko. Jacko. Jacko.|Justin Justin Justin|is real|King Pop|and and|like like|Eminem Eminem Eminem|he he|just just|doesn't doesn't|want to|risk risk risk|offending offending offending|WJ's WJ's WJ's|fans. fans. fans.|Justin Justin|will to|perform, perform, perform,|while while while|Jackson's Jackson's|active active active|career career|finished finished finished|a a|decade decade decade|ago. ago.|( ( (|) ==Appears ==Appears|to to|Be Be Be|Uncontructive?== Uncontructive?== Uncontructive?==|Since Since Since|when when|do do|your your|mere mere mere|feelings feelings feelings|= =|evidence? evidence? evidence?|Get Get|a a|clue clue clue|hypocrite. hypocrite. hypocrite.|You one|being being|unconstructive. unconstructive. WHy WHy|are you|ugly ugly ugly|and and|fat? fat? "::Is" "::Is|that" that|so? so? so?|Than Than Than|why why|so so|many people|questiong questiong questiong|your your|incredibly incredibly incredibly|arrogant, arrogant, arrogant,|and and|entirely entirely entirely|inappropriate inappropriate inappropriate|edit edit|actions? actions? actions?|Maybe Maybe|you're you're|such such|an an|arrogant arrogant|person, person,|you think|YOU YOU|are only|member member member|of the|community community community|that that|matters? matters? Yep, Yep,|he he|be the|mouthpiece, mouthpiece, mouthpiece,|but but|his his|law law law|still still|stands. stands. stands.|Oh, Oh,|that was|friggin' friggin' friggin'|bad. bad. **And **And|we a|winner winner winner|for the|douchiest douchiest douchiest|comment comment|award. award. 65536 0:"" +==RUDE== Dude, you are rude upload that carl picture back, or else. 0 1 2 3 4 5 6 7 8 9 10 11 78649 0:1 1:1 2:1 3:1 4:1 5:1 6:1 7:1 8:1 9:1 10:1 11:1 12:1 13:1 14:1 15:1 16:1 17:1 18:1 19:1 20:1 21:1 22:1 14281:1 15549:1 18532:1 22191:1 23536:1 23628:1 31929:1 32833:1 34566:1 35389:1 37844:1 38980:1 39602:1 44258:1 57516:1 57853:1 58814:1 58940:1 59232:1 63039:1 63431:1 77175:1 78141:1 +== OK! == IM GOING TO VANDALIZE WILD ONES WIKI THEN!!! 12 13 12 14 15 16 17 18 19 20 21 78649 23:2 24:1 25:1 26:1 27:1 28:1 29:1 30:1 31:1 32:1 33:1 34:1 35:1 36:1 37:1 38:1 39:1 40:1 41:1 42:1 15450:1 21352:1 23244:1 32242:1 34384:1 34549:1 34893:1 34917:1 38046:1 45259:2 45392:1 49599:1 50029:1 53793:1 62666:1 64983:1 67370:1 68478:1 74863:1 78607:1 +Stop trolling, zapatancas, calling me a liar merely demonstartes that you arer Zapatancas. You may choose to chase every legitimate editor from this site and ignore me but I am an editor with a record that isnt 99% trolling and therefore my wishes are not to be completely ignored by a sockpuppet like yourself. The consensus is overwhelmingly against you and your trollin g lover Zapatancas, 22 23 24 25 26 27 28 29 30 6 2 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 26 46 47 48 49 40 50 27 51 6 52 53 54 44 55 56 57 3 58 36 59 60 61 62 27 63 64 65 66 67 68 69 70 2 44 71 72 73 74 75 78649 4:2 6:1 12:2 43:1 44:1 45:1 46:1 47:1 48:1 49:1 50:1 51:2 52:1 53:3 54:1 55:1 56:1 57:1 58:1 59:1 60:1 61:1 62:1 63:1 64:1 65:1 66:1 67:1 68:1 69:1 70:1 71:1 72:1 73:2 74:1 75:1 76:1 77:1 78:1 79:1 80:1 81:2 82:1 83:1 84:1 85:1 86:1 87:1 88:1 89:3 90:1 91:1 92:1 93:1 94:1 95:1 96:1 97:1 98:1 99:1 100:1 101:1 102:1 103:1 104:1 105:1 106:1 107:1 108:1 109:1 110:1 111:1 112:1 113:1 114:1 115:1 116:1 117:1 118:1 119:1 120:1 121:1 122:1 123:1 124:1 125:1 126:1 127:1 128:1 129:1 130:1 131:1 132:1 133:1 134:1 135:1 136:1 137:1 138:1 139:1 140:1 141:1 142:1 143:1 144:1 145:1 146:1 147:1 148:1 149:1 150:1 151:1 152:1 153:1 154:1 155:1 156:1 157:1 158:1 159:1 160:1 161:1 13692:1 13717:1 14984:2 15159:1 15539:1 15592:1 16293:1 16715:1 16742:1 16856:1 17158:1 18129:2 18292:1 19312:1 19594:1 19786:1 21234:1 21494:1 22993:1 24013:1 24707:1 24901:1 25506:1 27322:1 27463:1 27502:1 28458:1 28613:1 29018:1 29446:1 30913:1 31935:1 31995:1 32628:1 35807:1 37160:1 37462:1 37951:1 38285:1 39207:1 39614:1 40020:1 40035:1 40150:1 40641:1 40782:1 41647:1 42370:1 42480:1 43171:1 43734:1 43816:1 44114:1 44175:1 44530:1 45228:1 45432:1 45772:1 47130:1 49049:1 49732:1 49738:1 51118:1 51681:2 52422:1 52561:1 52843:1 52860:1 54412:1 55121:1 55898:1 55985:1 56112:1 56863:1 57774:1 57853:2 58467:1 58620:1 58814:1 59232:2 59592:1 60564:1 61264:1 62049:1 62674:1 62726:1 62770:1 62883:1 63185:1 63513:3 63725:1 63735:1 64581:1 64945:1 65179:1 65210:1 65685:1 66093:1 66733:1 67812:1 68121:1 68211:1 70497:1 70803:1 72131:3 72221:1 72682:1 73000:1 75161:1 75308:1 75878:1 75943:1 76145:1 76302:1 76551:1 76731:1 76737:1 76755:1 77422:1 78035:1 78273:1 78575:1 +==You're cool== You seem like a really cool guy... *bursts out laughing at sarcasm*. 76 77 33 78 64 27 79 80 81 82 83 84 85 86 78649 53:1 67:1 137:1 162:1 163:1 164:1 165:1 166:1 167:1 168:1 169:1 170:1 171:1 172:1 173:1 174:1 175:1 176:1 177:1 178:1 179:1 180:1 181:1 182:1 183:1 184:1 185:1 15592:1 17099:1 22346:1 23145:1 25755:1 27463:1 30935:1 33918:1 35637:1 36478:1 39695:1 41645:1 45146:1 47539:1 47727:1 48487:1 52027:1 53054:1 53787:1 56755:1 60491:1 63513:1 69309:1 70363:1 71101:1 72544:1 74052:1 diff --git a/test/BaselineOutput/SingleDebug/Text/words_without_stopwords.tsv b/test/BaselineOutput/SingleDebug/Text/words_without_stopwords.tsv new file mode 100644 index 0000000000..24fa56e560 --- /dev/null +++ b/test/BaselineOutput/SingleDebug/Text/words_without_stopwords.tsv @@ -0,0 +1,11 @@ +#@ TextLoader{ +#@ header+ +#@ sep=tab +#@ col=text:TX:0 +#@ col=words_without_stopwords:TX:1-** +#@ } +text +==rude== dude, you are rude upload that carl picture back, or else. ==rude== dude, you rude upload carl picture back, else. +== ok! == im going to vandalize wild ones wiki then!!! == ok! == im going vandalize wild ones wiki then!!! +stop trolling, zapatancas, calling me a liar merely demonstartes that you arer zapatancas. you may choose to chase every legitimate editor from this site and ignore me but i am an editor with a record that isnt 99% trolling and therefore my wishes are not to be completely ignored by a sockpuppet like yourself. the consensus is overwhelmingly against you and your trollin g lover zapatancas, stop trolling, zapatancas, calling liar merely demonstartes you arer zapatancas. you choose chase legitimate editor site ignore i editor record isnt 99% trolling wishes completely ignored sockpuppet like yourself. consensus overwhelmingly you your trollin g lover zapatancas, +==you're cool== you seem like a really cool guy... *bursts out laughing at sarcasm*. ==you're cool== you like really cool guy... *bursts laughing sarcasm*. diff --git a/test/BaselineOutput/SingleRelease/Text/bag_of_words.tsv b/test/BaselineOutput/SingleRelease/Text/bag_of_words.tsv new file mode 100644 index 0000000000..bc87cda162 --- /dev/null +++ b/test/BaselineOutput/SingleRelease/Text/bag_of_words.tsv @@ -0,0 +1,12 @@ +#@ TextLoader{ +#@ header+ +#@ sep=tab +#@ col=text:TX:0 +#@ col=bag_of_words:R4:1-3941 +#@ col=bag_of_wordshash:R4:3942-69477 +#@ } +text ==RUDE== Dude, you are rude upload that carl picture back, or else. == OK! IM GOING TO VANDALIZE WILD ONES WIKI THEN!!! Stop trolling, zapatancas, calling me a liar merely demonstartes arer Zapatancas. You may choose to chase every legitimate editor from this site and ignore but I am an with record isnt 99% trolling therefore my wishes not be completely ignored by sockpuppet like yourself. The consensus is overwhelmingly against your trollin g lover Zapatancas, ==You're cool== seem really cool guy... *bursts out laughing at sarcasm*. ":::::" Why threatening me? I'm being disruptive, its who disruptive. hey waz up? ummm... the fif four fifty one song... was info inacurate? did i spell something wrong? hmm... cause don't think have right delete ANYTHING accurate peple want read about fool. pushed around especially some little boy. got it? "::::::::::I'm" sure either. it has do ahistorical vs derived pagan myths. Price does believe latter, other CMT proponents. "*::Your" POV propaganda pushing dully noted. However listing interesting facts in netral unacusitory tone POV. confusing Censorship monitoring. see nothing expressed of intersting facts. If contribute more edit wording cited fact make them sound then go ahead. No need CENSOR factual information. "File:Hildebrandt-Greg" Tim.jpg listed for deletion An image media file uploaded altered, Tim.jpg, been "Wikipedia:Files" deletion. Please discussion why (you search title find entry), if interested deleted. "::::::::This" gross exaggeration. Nobody setting kangaroo court. There simple addition concerning airline. It only disputed here. "::No," won't unrevert "edits!""" """sounds" you're writing their MARKETING "material!!""" Don't get bossy me. Or snippy either, Miss religious Bigot! Kindly leave hatred Christianity DailyKos before log there over here as a...er...ahem...NPOV "::::I" heard Mark Kermode say today Turbo rubbish, he's never *cough* wrong! He doesn't F1 he loved Senna liked Rush well. sock puppet? THAT ban reason? This account, thanks ignoring bulk text. Wikipedia IS corrupt AND populated idiots. free this, so please refrain saying anything again. didn't banned personal attacks, because changed article NPOV when far majority editors would rather BNP diatribe denouncing party. twit, revert edits. Power-mad jerks ruining place A tag placed on Jerome leung kam, requesting speedily deleted Wikipedia. done appears person, group people, band, club, company, web content, indicate how subject "notable:" is, should included encyclopedia. Under criteria speedy deletion, articles assert subject's importance significance any time. guidelines what generally accepted notable. can notability subject, contest To add top page (just below existing """db""" tag) note article's talk explaining position. remove yourself, hesitate information confirm under guidelines. For specific types articles, check our biographies, sites, bands, companies. Feel questions this. ==READ THIS== where people come infomation. So tell guy wants John Cena's recent activity WWE can't SOME keep unedited. worth time try bring new infomation month two NERDS just change back. THERE NO POINT WHATSOEVER! put happened Backlash WILL BLODDY WELL PUT WHAT HAPPENED AT BACKLASH! nerds stop me! Administrator Complaint Filed Against requested until assistance sought. But still added fault professionally written article, besides last section having fan flavor it. Before again show which """What" Ram's Fan's "him""" seems point view. adheres Wikpedia standard writing. IF first prove notes. As resource technical person team process adding refernce link source after we will Once false tags, lets wait administrator, administrator look history provided notes him. time, patience wait. also forwarding whom help. Like said before, adminstrator came made necessary changes, she sub-standard, tags. shame here, disgusting you. ":Hello" Cielomobile. belive edits recently United States-Mexico barrier were vandalism. understand topic border polemic, "User:68.2.242.165" vandalizing page. Maybe could use "Talk:United" States–Mexico lay objections those without deleting entirely. they good-faith efforts improve guiding principles Wikipedia, Assume Good Faith. might help though, author register appear IP address. removal content DNA melting removed creating wrong unreferenced. Mutations """weird" "structures""" mutation start single nucleotide mismatch, rapidly detected repaired form stable bonded double-helix structure, subsequent rounds replication match each base complement. Perhaps wrong, perhaps thinking obscure related technology of, give reference going rude. disturbing apparently scientific wikipedia claiming statement based own speculations. wiki shold dye!they ashame!j suggest kill Yes, blocked losing you, constitute attack. Honest outspoken criticism permitted shameless hate speech deserves than vocal criticism. I'll discuss elsewhere. isn't that. Get yourself regarding threats person's edits, unwarranted bot. appeal bot presumption guilt part administrative sign censorship reversion occur second not. baseless self, vulgar pedant. Alright, lack checking denial truth pathetic, staff. making comments, harass assuming everyone agree article. Pathetic. continue report competent employees thing. Telling wouldn't answer question. hypocrit anyone YOUR INFORMATIONS ARE MISLEADING FULL OF ERRORS. THIS THE WAY YOU SERVE PEOPLE, PITY THEM FOR BEING BRAINWASHED WITH LIES YOU. EVEN LINK HIGHLIGHTS VIDEO ON YOUTUBE Wind Sahara rawks, too. Much accessible 7 pillars. "::Excellent," looking into Some socks quite dumb... Hypocrit! newspaper claims reliable. incorporate company ill called TEADRINKERNEWS.com no merit integrity! Conflict interest doing sort harm lady Saman Hasnain.. apparent her name defamed.... Okay problem... Will better source... playing dirty... DOG Sonisona REALLY ANGRY NOW GRRRRRRRRRRRR "::I" found word """humanists""" confusing. preceding defined *do* (i.e. study, teach, medical research) makes sense context talking commonplace book tools. """Humanists""" defines certain ethical ideologywhat function book? Is particularly one's world perspective? akin """many" blogs maintained writers, professors, lawyers, editorialists, "Republicans/Democrats""" blogs. True though be, confuses reader somehow ideologically ":the" category unnecesary, explained summary. Your disgrace wikipedia. you! ==Drovers' Award== Better hear me, early, "suppose:" logo """All" Rights Reserved, Wikimedia Foundation, "Inc.""," governed visual identity guidelines, states """no" derivative published prior approval "Foundation.""" stop. vandalize editing. | removing review?!? "WP:SNOW" apply review since issue controversial. Oooooh thank Mr. DietLimeCola. again, nice job trying pretend authority anybody wannabe admin, even sadder real admin Grow up biased child. ":Saved" renaming; marked rapid del. ==Terrible== Anyone else list garbage? DON'T INTERFERE! Look, telling "you:" INTERFERE between Ohnoitsjamie. filthy hog, oldest enemy, extent insult him fullest extent. good boy, eat potato crisps (Yummy... yummy ... munch crunch. - ":Going" immediate origin much keeping definition """Hispanic" "Latino""." You're acting faith, obviously, Hispanic/Latino ancestry too OR, subjective, seen all you've had do. way include these we're "discussing:" support reliable sources refer Hispanic Latino, ideally list. Pathetic user needs life See Macedonian names, common endings well names Slavic Languages. Hauskalainen|Tom]] RFC Response """criticism""" reads essay adequate references. appropriate tag. "[[User:" And, frankly, pathetic immature, clearly acts annoyance favourite past She's insane zealot. ":" know English """level" "2""," worry, nicely otherwise, judging same taken aback. wanted aware wrote, it's case. write sentence simply """Theoretically" altruist, word, "actions.""." PS. reply page, watchlist. bit education you... Here Bay Lake, Florida. Now, NOT city? Educate such ludicrous ignorant comments CHEATER, "::" a.k.a. (among others) air dates right, rest well-covered cited, Hollywood Kryptonite. """These""" users cannot proper English, gives away """they""" user, despite """their""" denials. ==Reply vandal Wakkeenah== vandals administrators, minor problems, details surrounding Reeves suicided enough, everybody reporting, fight Moore next day, reverted, pure spelling goes Vesa Projects whoever, well, repeating errors occur, counts vandalised administrators And obvious wahkeenah "proof:" All internet Reeves' death detail possible involved, taking everything down, idiotic administratotors reversing it, thus themselves stupid realizing historical Ridiculous It's absolutely RIDICULOUS long detailed is. laughed teachers allow used schoolwork 1)the |diots demonize groups 2) they're revise incident wasn't. agree. Trolling snitches protected. Where days crybabies haven't payed attention ? Eh, waxing nostalgic.... ==Fixed== Hi, fixed Religion Vietnam lead atheism state religion per request, take look. disparity pie chart mainly caused US institute counting 45% ancestor worship traditional beliefs religion, wheras officially non-believers. grey area... Second "question:" What chữ nho Hán? mind Hán Japanese Chinese, Vietnamese-only, Lonely Planet uses. Do view? Cheers! "::You" ashamed wasting adults' ridiculous runt. god, wiped post now. speak coherent sentences. Bascially, busted. "::::I've" beneath unblock request feel comfortable proclamation. indicated realize Banglapedia copyrighted source. bears copyright notice How certain, given that, copy noticing used? myself unblocking promise restriction. grief useful time? Oh Fool SOMETHING AWFUL DEAD contributors Anonymiss Madchen cookie! Cookies promote WikiLove hopefully day better. Spread """WikiLove""" giving someone cookie, whether disagreements friend. spread goodness cookies, someone's friendly message, cookie giver's ! Thank hard work, sorry rough times past. loser. ":::::Actually," cockroach followed board, repeatedly comes back written. FYI. 206.45.24.242 (talk) actions vandalism either pig ignorant, racism paid so. agrees enjoy. likely cares reduce stub supporting prejudices grow son. conversation. farther stooge worst ever seen. repeated shows pathetically insecure individual are. ":::I" apple pretty dated. expression """as" American "pie""" dated baseball's longer most popular sport (football is). Plus, weird flag. ME PROTECT PAGE I'M GONNA KILL USER TOMORROW MORNING ":::Ok," whatever, separate Frankish province existed such, entry disambiguation live current version buddy? care editing Loser. April 2009 attack editors. continue, ":If" shared address, unconstructive consider account avoid further irrelevant warnings. HOW DARE YOU, KUBIGULA, YOU!!!!!!!!!!!! DELETE BRILLIANT ARTICLE NILLIAM """THE" "PHENOMENA""" TOWNSIRIS CAN SENSE PRESENCE ABOUT BOY, AN EVIL PRESENCE, MAY FORCE FROM SPIRIT SEAHORSE UNLEASH EXPECTO PATRONUM UPON MUST EXPRESS KINDNESS TOWNSIRIS, HE OUR SAVIOUR, ANSWER ULLILOQUITY. AS SO MUCH BLINK WHEN READING NEXT ARTICLE, THEN JUST MISS OUT TIGER. , 16 August 2008 (UTC) *I'm terribly disappointed enough disagreeable sincerely hope retire, suck. "14:23" Blind bats Not Obviously rely program eyes. Jealous aren't GAYTOURAGE... probably now WERQ it! Megna James helps. provide notable references providinga respected journalist patient's perspective. created tons references, Also. allegedly """obscure" anti-psychiatry "book.""" vested interests protect. becomes known endanger pocketbook. ==Hello== let nicer through therapy experiences led angry antisocial today. wayyyyy condensed heavily. important tenth has. Shame. ==Image problem "Image:KissBOTI.jpg==" uploading "Image:KissBOTI.jpg." However, currently missing status. takes very seriously. soon, unless determine license image. information, description questions, ask Thanks cooperation. Thanx efe, noticed 800 bytes watchlist went red alert call. Woah! who'd victim his power abuse, *really* surprise e-mailed morning! Sorry couldn't adult powers, Stan Lee decades ago, great responsibility. Of course, big question Matthew Fenton run hide behind gets head handed wanton Jericho Lost pages. Newsletter Indon. tried delivery hehehhe. Have before? not, somewhat hiding P. Cheers List Malcolm Middle characters excellent. Welcome! OH MY CALL ROCK IDIOTS!!!! ":::::::::" 168.209.97.34. On basis acusing user? phrase """anti-Islamic" cut [sic] "troll""" attack? deem acceptable language Wikipedia? Pename ":You" Bailando por un sueño (Argentina) Congratulations! Saw message homepage. reason solution? — 3 July 2005 "05:18" HHHHHHHHHHHHHHAAAAAAHAHA funny.. Na seriously dude. reallyyyyyyy drunknnnk ya're funny! dont u id advise watch ur mouth!! call MacDonald's """culture""?" Nonsense! Spend 10 years France, hint Culture is! "::""Somebody," "one.""" lazy. attacks. strict policy Attack pages images tolerated Users create repost images, violation biographies living persons policy, response matter. Our plan worke charm. We finally negativity control protected! "::This" ridiculous. "::Aside" actually war crime, """some""" characterize one. "::War" crimes serious violations laws war. key words """laws""" """war.""" Unless lives town, legislatures, case ratified them, argued diplomats consultation military's generals. understanding killing large numbers process. peaceniks sitting dreaming moral. "::I'm" section. salvageable. Who poor stolen Pwned! Too bad ISP permban require boards directors, typical officers educations, experiences, contacts, etc. board members. concept directors. Almost entire devoted pointing alleged shortcomings boards, none statements verify them. tagging issues resolved. vandalizing. refuse evidence area. blind Racist calls violence. deranged harrasser yours Project personality onto Meat grinder. reverted. experiment, sandbox. cab ":Don't" "mean:" 'If condom. you.' ":Nothing" portrait, queen 22 years, mostly adult. childhood. Haven't hade yet needed. took criticism, """goal""" grumpy. course positive input appreciated everyone, including earlier. "::Thanks" tip! I've mediation thing already suspect correct wholesale answer... Only complete loser writes Wiki profile themself! 5 "21:21" CHANGES DO AFFECT ANY CONCOCTED OFFENSES HAVE BROUGHT UP! "WP:NPOV" / synthesis "WP:Verifiable" "WP:OR" OWN STANCE, pro orthodox itself BIASED! changes on, BECAUSE STANCE CURRENT SINGH SABHA ideological stance sikhism, WHICH MEANS ONLY ACCEPTS ORTHODOX unorthodox! Which means judgment, CHRISTIAN UNORTHODOX CHURCH, exist, wiki, HAS merit! BIASED APPROACH! HiDrNick Present fatty. Relax. excited, 5000 Rhino meal. [] ==Unblock== Blocking solve anything. meant shall Today allows himself deleate tommorow us class people. Shame rights. messages "Wikipedia:Requests" comment/Lupo know? finish main temple structure. whatever say, arrogant guy. Waaaaahh erase too, reading this? Are insecure? "Wikipedia:Counter" Un-civility Unit wiki-project thought up. wondering idea join backing construct wikiproject, share views subjects concensus, civilty, Reply talkpage interested. Thanks, -MegamanZero|Talk refering Chinese languages dialects. google "tally:" *AIDS denialist 13,100 hits *Big Tobacco denialist/ Big denialism 0 *Holocaust 486 denier 306,000 Holocaust denialists getting gain denailism, deniers denialism? maintain? """Big" "denialism""" gain? forth. ludicrous. Give Taken Bell X1 External Links Flock Album Review WERS.org • Goodbye Cruel World decided myself. My Dad died weeks wish goodbye. ==Kobe Tai== proposed template Kobe Tai, suggesting according contributions appreciated, satisfy Wikipedia's inclusion, explain (see "not""" policy). prevent notice, disagree summary Also, improving address raised. Even process, matches sent Articles Deletion, reached. substantial Tai. '''''' * Yeah however fish off Wrestlinglover420 Pss Rex, DOCUMENT things discovered Kerry awesome INDEPENDENTLY observed (and corrorborate) virtually exactsame pattern liberals. Demonizing conservatives; lionizing ad infinitum, nauseum. proof have, easier persuade fellow brain-dead haters cent WHOLESALE that's exactly what's happen. almost liberal's religion. gonna church practice huh? rumors sending Hippocrite, Fred Bauder, WoohooKitty, Kizzle, FVW, Derex pimply faced 15 year old RedWolf become verklempt schedule appointement psychiatrist...or gynecologist. Daddy- PHASE II Dry funding (on road) functional illiterate, pertinent biography. By way, boyfriend Bertil Videt doing? sensational stuff keeps hiding. Did meet boyfriends yet? . afraid agreed interpretation denotes comment remark insult, I'd stark raving, bloody mad! === Age Modern Humans says age modern humans 200 thousands unsourced material obviously becausee knows. 130,000 years. humans? thousand old, 130 millions science claimed? wasn't grasp english shouldn't attempting censor ":::*Generic" fair rationales are, definition, impossible. ":That" will. ":::" high horse, block unreasonable bored, sick person! knowing seeing full content. Hold horses decide. e-mail debate -Wikipedia Supervisor! "::The" sections """Controversy" "coverage""," major many points Greek debt crisis consists >100 addressed "::*" #4 """>100" pages, "missing?""" #5 """" Greece fiscal austerity midst crisis? #6 LEAD "::Two" least style (as ones article) "::Just" let's #4, joining Euro sufficient financial convergence competitiveness causes crisis. early root Without technically always printed volume drachma. 100 WP lead. lists normal problems """structural" "weaknesses""" """recessions""" (even clear solved drachma inflation needed) naming "::What" (at summary) invited add/change/delete list? strong opponents working coordinated action, significant change, summarize crisis, """Greek" [need have] "prominence"")" describing WP, on. section, lemma (like during years) decline=Nobody moronic edits! Take hike! Hello, welcome Wikipedia! contributions. decide stay. few links "newcomers:" *The five pillars *How *Help *Tutorial *Manual Style enjoy Wikipedian! using tildes (~~~~); automatically produce date. help, "Wikipedia:Questions," {{helpme}} shortly questions. Again, welcome!  Dr. Manfred Gerstenfeld. sentences copied directly Dr Gerstenfeld’s homepage; desirable, creates impression homepage, violation. rewrite kind indication Gerstenfeld (cf. "WP:BIO" "WP:PROFTEST" ideas that). guts oh bet stairs, mummy lunch "PS:" middle-aged losers home parents basements 50 bucks week Samuell, dead, proceed requested. Either we'll beating! dare Block discussions owning issuing SAID Loremaster tyrannical anti-knowledge hater. says, original research. distort words. Myanmar topic. understanding. "::So" admin! excusing above? breaks remember reaction BOMBER Volunteer, total hypocritical? October 2013 understanding? understanding, annoying editor! 6 January 2014 "::::Ok," Anon Tempe, Arizona aka 174.19.166.126 174.19.169.92, Ted Cruz other, conclusively answered question, reasons edited Jennifer Granholm suggestion assume thoughts topic, right? "22:38" glutton punishment. ;-) latest yet, congratulations re-adminship. That's third voted again! -P 30 June "17:17" ":Erm," LOTHAT VON TROTHA WAS POISONED, THAT'S CONTAMINATION IS! GET TYPHOID FEVER THROUGH POISONED FOOD OR DRINK! Robbie Hummel Way article! must black ":Merge" redirect Base 32 Base32 (I Base32, needed Base64 UTF-1). dumb American, degree? Knows engineering? Thinks mathematics """universal""?" Played monopoly school instead learning? far? ":::::::::::You" it; (Incidentally, reasoning above unsound; Rushdie comparison holds up, fail hold literary career failure). understand, decision reversed was). Rather, yelling enforcing policy. Sandifer, BUY puffery, forked penny cause. contribution pennies. Nawlins deflower prepubescent girls? Don’t that’s felony? Vinny Burgoo = suspected puppet withdraw accusation? hit Google 'Vinny Burgoo' (my online nearly ten wholly bogus. Someone posted Wiktionary serial tyrant 'c**t' unambiguously broken Wiki's rules, compounded transparently jocular manner, wasn't) 'supporter' assumed another temporary block. lot whatsoever disruptive "(guilty:" fed you) accused puppeteer nonsense settled (the crime kept changing) happy show. down genuine threat We'll see. Other side bar looks intergrated Providing length shrink pics fit top? reckon die British correspond French nobiliary which, case, defunct, noble titles rendered obsolete century ago. technically, Raine Spencer, retrieved previous surname upon divorce Chambrun. (And marriage, Countess Chambrun, Jean-Francois de and, usage, referred Mme servants so-called inferiors.) Hey jerk "deal:" peace Carl Grissom Bob goon. Also unlock Chase Meridian accept Jack Napier Batman Forever. In articles. wikipedia.org fans racist organizations spam and/or advertize engines name. links? wikipedia.org. blocking publishing advertizing life, american, america. TYRANNY Liberal opinions rules all, Nazis Facists. ok currupt "admin:" desucka,crooked bullet,and krappydude. mental GO DIE STUPID ARSEWHOLE AUTOMATED FILTER ":::The" stands readership aimed at, problem. imagine professional do, easy access material. general access, aim "::Dai" antagonized 'first' move. Then Snowded suggested drunk plain stupid. They attacking public talkpages & 'edi summaries'. bloke, Dai Snowy poke provoke via stalking, harrassment contant ABF. treat dirt, thos rumours started started. Ramsquire caught starting rumour. "*RPJ:" chain custody rifle. "*Ramsquire:" """Yes" "is.""" Where? """Its" "article.""" """I'm" research "you.""" Ramsquire, please, admit whole story """chain" "custody""" ":::This" dead half archived Heta, Stigma Sho effectively, triggering mentioned manifested reverts readding letters "::::::::Oh" seriously, definitely challenging said, legal One backs gutless confront person. mouthing Slim Virgin others backs. Really honorable behaviour. weak *Please RAW. considered WHY ACT HOSTILE INSULTED?!?! LEARN FRIGGIN FIND SOURCES BEFORE THOSE PRICING GAME ARTICLES, GD ":::If" weren't ganging banned. enter yard, hunter rifle blow head. flag vandals. break Mr V. safe restful break. gone long! ) Best wishes, fine. side. shame. Dont FOOL Paula! already! quit popping stuff! Drugs trouble day! (much guys movies! Jonathan told mom, asked spots pants were!) lying, accusing sockpuppetry continents apart, tracks accuse of. shambles, credibility wise. Anyhow, business remotest relation wikipedia? drunk, drugs period ??? place. chronologically historically Otherwise move data cringeworthy donkeys, sprotected mean? – biggest moment """sales" "figures""" earlier years... know, end sales figures 1994, 1994 1996 discredited revised, basically worthless. quoted usually """estimates""" various charts calculated enthusiasts yearly artist singles albums, estimating percentage assigned record). unofficial unverifiable, altogether estimated. records 37th best selling album 1987 sold concentrate best-selling Kingdom Welsh friends is? native speaker cosmopolitan. Personally, favorite ":Spot," up! improved nonsense. SINCE >>>>SOURCED<<<< EDITING VANDALISM??? READ CITED SOURCES! WHERE pray DOES IT SAY IRAN EVER EVER) HAD DEMOCRATICAL ELECTION SORT SHAPE HISTORY?? QUIT CONVERTING WIKIPEDIA INTO TRASH BIN SILLY INFANTILE PRANKS! KISSING EACH OTHER'S REAR ENDS DOESN*T MAKE less Eww, s m e l horrible round here! Ewwww you? man! peee-yewww!go bath something, fleabag! Hi Libra, Gemini else? """front" "page""" show-off. UKDoctor responds Shut Up, David Ruben JdWolff referring TIGERS IN CAGES !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! flying leap deep Pacific Ocean to. WE WHITE DOCTORS TOTALLY ASHAMED GENERAL MEDICAL COUNCIL -and certainly piece fit. @ indicates several defense times. videt vandalazing suit talk. warnings users. man try) deal begging hand. "::::Based" ChrisO's behavior load bull, pretexting Further, NEVER gave """warning""" blocked, RESPONDED abusive placing rule flatly refused respond REDIRECT "Talk:57th" Directors Guild America Awards "::::Ouch!" That sounded criticised behaviour, line. """he" grew Russia, training Russians, talks Russian, Russian President fights, thats identified "interviews""" Russian? stupid, banderlogs course. ideology stupidity ignorance, all. ":Time" """Three" Revert "Rule""," both editted again? left PeeJay2k3 Oragina2 table Resolving Disputes road. flabbergastingly ":Look," becoming encyclopaedia. prepared argument Alan Whicker's position 'absolutely, unequivocally, unquestionably "definitive':" next-door-neighbour Osborne's Manchester city definitive', there's matter Whicker's. ⁿɡ͡b \ Respect earned respect troll stalker. close bother inflammatory garbage posse? ==No Personal Attacks== cover allegations true. P.S. didnt true- were. notorious Hrafn. supporter strange git), Dear Leader, father Great Leader. harmony village, maybe vice versa .. Blerim Shabani. ===hahahahahahaha=== fake filled wont fyrom. prevail ":I" sympathize frustration. comic professionals love can't. linked double-check. conversation Heck guide citation. ==Reversion== Given vandalized changing Nintendo characters, reverted older version. first, """accidental" "suicide""" laugh. accidents suicides die. hurt ASSUME checkers? don't. writer """theorizing""?" Well believed George Hodel killer Black Dahlia. humiliated internets. theory? Theone Martians killed her? Oh, relevant ==Cell (film)== film? movies production. H-E doulbe hocky sticks, production yet. Can answers, "WP:BOLOGNA." So, words, dole. basement leech 11-year old. motivation, job, play fantasy couls video game player. joker European parliament non binding silly reports serious. ruled ancestors centuries negative turks turkey 'revenge'. Go golden dawn there. Ban """Bryansee""" Wikipediocracy. Hey, Zoloft. Wikipediocracy """Well""" dead. """Recover""" """die""." wanting medication increase maker. Check "out:" MODERATORS MOST INGORANT SELF SERVING JERKS NET ":So" quote Ollier Pain, """postorogenic" "part""." Phrase "with:" ":#" later realized processes [deformation creation topography] closely related, Very wrong. Deformation topography, generation topography synchronous deformation. email Dahlen Suppe (1988), send attach PDF. tackle large-scale deformation sedimentary rocks folding thrusting orogenesis. ...fold-belt mountainous "areas...:" """fold-belt""" (AFAIK) collisional mountain-building event. though. youngest, late Cenozoic mountains evident causal rock structure surface landscape. following "sentence:" British, """utter" "twaddle""." above, exposed structures amounts uplift erosion. fact, trajectory different units orogen determined patterns paper, you'll paper (1988). "::::::What" deaf HERE. POWNS NOOBS ALL DAY! ":::And" fully expected, abusing ":Grow" immature brat. warring Eagle Outfitters. so, """bold" "move""" "05:48," December 2013‎ uncontroversial, discussed, "Talk:Run" Devil Run (Girls' Generation song)#Move? (2). ==THEN Attacking comments== SHOWING CONTEMPT OTHER EDITORS VERY UNCIVIL UNEVEN UNFAIR LABELING ME... cure AIDs, bought rich double. sad blame ..... opinion opinion. suck Aids. know. These INSANE. rarely evil days, both. painstakingly scan CD desk showing """Extreme" "Jaime""'s" """Jaime" "Guse""." Additionally, Hiram skits available DaveRyanShow.com Dave Ryan Morning Show CDs. contents viewable Amazon. present authoritative, multiple Administrator, act reckless, inconsistent doubt encyclopedia "bit:" Armed once song possesses classic attributes successful Eurovision catchy, feel-good melody, key-change builds Chiara highly favourites. removed. Chiara's fame worthy mention grocer shopowner corner. cancer. Hard constructive party behaves godking thug. Librier raised term imprecisely accurate. strictly associated Kelb tal-Fenek. ARRHGH! Frederica threatning annon uncivilised conduct. 80% rubbish... Dude mother totally hot. thick (it's response) itself. (whether right) discuss, turn, twist frankly abuse topics detrimental basic goals Wikis particular. Stewart hacks; hurting us. 2 learn SHUT UP DONT FOLLOW EVERYWHERE ":::hey" buddy, guess what? """I""" realy """your""" excuse Roaringflamer obsessed redirects. banned, disruption OOOOHHHH With Intellectually Terrifying Superior """(referenced" Journal Labelled Compounds "Radiopharmaceuticals)""." Could Hey!! possibly """supposed""" ignoramus challenge THREATENING BEHAVIOUR CONSTANT BLOCKING SABOTAGE EDITS TANTAMOUNT STALIKING. STALKING ME? STEVE? YOURE ABOUT, HARRASSING KEEP WIKIPEDIA? TWISTED WACKO, WISH HARM? WHY? ME!!!!!!!!!!! LEAVE ALONE RACIST WACKO!!!!!!!!! ":O:" bigger stronger. fat pig. misunderstanding. biography political for. FURTHERMORE.... VISITED RAGIB'S STUDIED DISCUSSION AREA. RAGIB OBVIOUSLY BANGLADESH SEEMS BE SIMILARLY PAROCHIAL CHAUVINIST EDITOR MANY ASKING UN-NECESSARY DELETIONS ARTICLES LIKE..... GETTING SNUBBED EFFORT!! beg pardon? region, berbers minority. presume people's origins? make-belief world, posts veil truth. contacting immediately largely fictitious, vicious discussion. as, adress Would it.. frenchie threatens badly Foie Gras. protected lobbyists. includes frog eaters. TOO....... ATTACKING ME! 100% DDOS toaster freakin heck mold mould, i've alone already.... Need Kansas bear, """Sultanate" "Rum""," Turkish nationalist dubious books lonelyplanet travel guides. profound anti neutrality agenda, Persianate Sultanate's architecture, renaming """culture""," order terms. kick nationalistic bias tripe bio official website, outdated way. practice. saw watching episode. Stupid! stops massive undiscussed pay Vietnamese history. Jackson perform WMA sing anymore. hasn't toured decade, along bankruptcy. vocals """We've" Had "Enough""" ago voice begin with, comparable King, Elvis Presley. 1998 due declining popularity, inactivity siblings parents. 2002 revealed international banks tune tens dollars, lawsuits May 2003 confirmed verge bankuptcy debts $400 million. Invincible flop album, """Dangerous""," thoroughly mediocre music. Jackson's remaining regard album. 1989 King Pop meaningless, self-proclaimed title. planned buy Graceland demolish megalomania Half songs Dangerous good, unbelievably awful Heal World, million copies strength three albums. Yeah, WJ unique 20-year-olds admire disgraced former Pop. Anyway, Wacko Jacko. Justin Eminem risk offending WJ's fans. perform, while active finished decade ( ==Appears Be Uncontructive?== Since mere feelings evidence? clue hypocrite. unconstructive. WHy ugly fat? "::Is" so? Than questiong incredibly arrogant, entirely inappropriate actions? member community matters? Yep, mouthpiece, law stands. friggin' bad. **And winner douchiest award. 65536 0:"" +==RUDE== Dude, you are rude upload that carl picture back, or else. 69477 0:1 1:1 2:1 3:1 4:1 5:1 6:1 7:1 8:1 9:1 10:1 11:1 9731:1 11932:1 13570:1 23278:1 25070:1 25476:1 27853:1 30628:1 31357:1 33292:1 48076:1 58145:1 +== OK! == IM GOING TO VANDALIZE WILD ONES WIKI THEN!!! 69477 12:2 13:1 14:1 15:1 16:1 17:1 18:1 19:1 20:1 21:1 4812:1 5043:1 20382:1 37328:1 42027:1 49667:1 51688:1 58135:1 61744:2 67879:1 +Stop trolling, zapatancas, calling me a liar merely demonstartes that you arer Zapatancas. You may choose to chase every legitimate editor from this site and ignore me but I am an editor with a record that isnt 99% trolling and therefore my wishes are not to be completely ignored by a sockpuppet like yourself. The consensus is overwhelmingly against you and your trollin g lover Zapatancas, 69477 2:2 3:1 6:2 22:1 23:1 24:1 25:1 26:2 27:3 28:1 29:1 30:1 31:1 32:1 33:1 34:1 35:1 36:2 37:1 38:1 39:1 40:2 41:1 42:1 43:1 44:3 45:1 46:1 47:1 48:1 49:1 50:1 51:1 52:1 53:1 54:1 55:1 56:1 57:1 58:1 59:1 60:1 61:1 62:1 63:1 64:1 65:1 66:1 67:1 68:1 69:1 70:1 71:1 72:1 73:1 74:1 75:1 5652:1 6819:1 8401:1 9153:1 12053:1 13785:1 14106:1 16432:2 16870:1 17820:1 19757:1 20772:1 22199:1 23204:3 23278:2 23343:1 23468:1 23639:1 23679:1 23837:1 24312:1 24593:1 25908:1 27156:1 28202:1 28440:1 29431:3 32557:1 33292:2 35576:1 36868:1 36943:1 37387:1 38857:1 39044:1 41628:1 42159:1 44166:1 44332:1 46396:1 46513:1 47249:1 48206:1 51971:1 52525:1 53139:1 54816:1 55017:1 56632:2 57652:1 58145:1 59218:1 61333:2 61710:1 62277:1 64019:1 66821:1 +==You're cool== You seem like a really cool guy... *bursts out laughing at sarcasm*. 69477 27:1 33:1 64:1 76:1 77:1 78:1 79:1 80:1 81:1 82:1 83:1 84:1 85:1 86:1 7241:1 19929:1 23204:1 26757:1 30186:1 31696:1 36428:1 42159:1 53089:1 53139:1 53934:1 65941:1 68221:1 68354:1 diff --git a/test/BaselineOutput/SingleRelease/Text/ngrams.tsv b/test/BaselineOutput/SingleRelease/Text/ngrams.tsv new file mode 100644 index 0000000000..aca31977c2 --- /dev/null +++ b/test/BaselineOutput/SingleRelease/Text/ngrams.tsv @@ -0,0 +1,13 @@ +#@ TextLoader{ +#@ header+ +#@ sep=tab +#@ col=text:TX:0-** +#@ col={name=terms type=U4 src={ min=-1 var=+} key=0-3940} +#@ col={name=ngrams type=R4 src={ min=-1 max=13111 vector=+}} +#@ col={name=ngramshash type=R4 src={ min=-1 max=65534 vector=+}} +#@ } +==RUDE== ==RUDE==|Dude, Dude, Dude,|you you you|are are are|rude rude rude|upload upload upload|that that that|carl carl carl|picture picture picture|back, back, back,|or or or|else. else. == ==|OK! OK! OK!|== ==|IM IM IM|GOING GOING GOING|TO TO TO|VANDALIZE VANDALIZE VANDALIZE|WILD WILD WILD|ONES ONES ONES|WIKI WIKI WIKI|THEN!!! THEN!!! Stop Stop|trolling, trolling, trolling,|zapatancas, zapatancas, zapatancas,|calling calling calling|me me me|a a a|liar liar liar|merely merely merely|demonstartes demonstartes demonstartes|that that|you you|arer arer arer|Zapatancas. Zapatancas. Zapatancas.|You You You|may may may|choose choose choose|to to to|chase chase chase|every every every|legitimate legitimate legitimate|editor editor editor|from from from|this this this|site site site|and and and|ignore ignore ignore|me me|but but but|I I I|am am am|an an an|editor editor|with with with|a a|record record record|that that|isnt isnt isnt|99% 99% 99%|trolling trolling trolling|and and|therefore therefore therefore|my my my|wishes wishes wishes|are are|not not not|to to|be be be|completely completely completely|ignored ignored ignored|by by by|a a|sockpuppet sockpuppet sockpuppet|like like like|yourself. yourself. yourself.|The The The|consensus consensus consensus|is is is|overwhelmingly overwhelmingly overwhelmingly|against against against|you you|and and|your your your|trollin trollin trollin|g g g|lover lover lover|Zapatancas, Zapatancas, ==You're ==You're|cool== cool== cool==|You You|seem seem seem|like like|a a|really really really|cool cool cool|guy... guy... guy...|*bursts *bursts *bursts|out out out|laughing laughing laughing|at at at|sarcasm*. sarcasm*. ":::::" ":::::|Why" Why Why|are are|you you|threatening threatening threatening|me? me? me?|I'm I'm I'm|not not|being being being|disruptive, disruptive, disruptive,|its its its|you you|who who who|is is|being being|disruptive. disruptive. ==|hey hey hey|waz waz waz|up? up? up?|== hey|ummm... ummm... ummm...|the the the|fif fif fif|four four four|fifty fifty fifty|one one one|song... song... song...|was was was|the the|info info info|inacurate? inacurate? inacurate?|did did did|i i i|spell spell spell|something something something|wrong? wrong? wrong?|hmm... hmm... hmm...|cause cause cause|i i|don't don't don't|think think think|you you|have have have|a a|right right right|to to|delete delete delete|ANYTHING ANYTHING ANYTHING|that that|is is|accurate accurate accurate|and and|that that|peple peple peple|may may|want want want|to to|read read read|about about about|fool. fool. fool.|i don't|like like|being being|pushed pushed pushed|around around around|especially especially especially|by by|some some some|little little little|boy. boy. boy.|got got got|it? it? "::::::::::I'm" "::::::::::I'm|not" not|sure sure sure|either. either. either.|I I|think think|it it it|has has has|something something|to to|do do do|with with|merely merely|ahistorical ahistorical ahistorical|vs vs vs|being being|derived derived derived|from from|pagan pagan pagan|myths. myths. myths.|Price Price Price|does does does|believe believe believe|the the|latter, latter, latter,|I'm sure|about about|other other other|CMT CMT CMT|proponents. proponents. "*::Your" "*::Your|POV" POV POV|and and|propaganda propaganda propaganda|pushing pushing pushing|is is|dully dully dully|noted. noted. noted.|However However However|listing listing listing|interesting interesting interesting|facts facts facts|in in in|a a|netral netral netral|and and|unacusitory unacusitory unacusitory|tone tone tone|is is|not not|POV. POV. POV.|You seem|to be|confusing confusing confusing|Censorship Censorship Censorship|with with|POV POV|monitoring. monitoring. monitoring.|I I|see see see|nothing nothing nothing|POV POV|expressed expressed expressed|in in|the the|listing listing|of of of|intersting intersting intersting|facts. facts. facts.|If If If|you you|want to|contribute contribute contribute|more more more|facts facts|or or|edit edit edit|wording wording wording|of of|the the|cited cited cited|fact fact fact|to to|make make make|them them them|sound sound sound|more more|netral netral|then then then|go go go|ahead. ahead. ahead.|No No No|need need need|to to|CENSOR CENSOR CENSOR|interesting interesting|factual factual factual|information. information. "==|File:Hildebrandt-Greg" "File:Hildebrandt-Greg" "File:Hildebrandt-Greg|and" and|Tim.jpg Tim.jpg Tim.jpg|listed listed listed|for for for|deletion deletion deletion|== ==|An An An|image image image|or or|media media media|file file file|that you|uploaded uploaded uploaded|or or|altered, altered, "altered,|File:Hildebrandt-Greg" and|Tim.jpg, Tim.jpg, Tim.jpg,|has has|been been been|listed listed|at "at|Wikipedia:Files" "Wikipedia:Files" "Wikipedia:Files|for" for|deletion. deletion. deletion.|Please Please Please|see see|the the|discussion discussion discussion|to to|see see|why why why|this this|is is|(you (you (you|may may|have have|to to|search search search|for for|the the|title title title|of the|image image|to to|find find find|its its|entry), entry), entry),|if if if|you are|interested interested interested|in in|it it|not being|deleted. deleted. "::::::::This" "::::::::This|is" is|a a|gross gross gross|exaggeration. exaggeration. exaggeration.|Nobody Nobody Nobody|is is|setting setting setting|a a|kangaroo kangaroo kangaroo|court. court. court.|There There There|was was|a a|simple simple simple|addition addition addition|concerning concerning concerning|the the|airline. airline. airline.|It It It|is is|the the|only only only|one one|disputed disputed disputed|here. here. "::No," "::No,|I" I|won't won't won't|unrevert unrevert unrevert|your "your|edits!""" "edits!""" "edits!""|""sounds" """sounds" """sounds|more" more|like like|you're you're you're|writing writing writing|their their their|MARKETING MARKETING "MARKETING|material!!""" "material!!""" "material!!""|Don't" Don't Don't|get get get|bossy bossy bossy|with with|me. me. me.|Or Or Or|snippy snippy snippy|either, either, either,|Miss Miss Miss|religious religious religious|Bigot! Bigot! Bigot!|Kindly Kindly Kindly|leave leave leave|your your|hatred hatred hatred|for for|Christianity Christianity Christianity|at at|DailyKos DailyKos DailyKos|before before before|you you|log log log|out out|there there there|and and|log log|in in|over over over|here here here|as as as|a...er...ahem...NPOV a...er...ahem...NPOV a...er...ahem...NPOV|editor "::::I" "::::I|heard" heard heard|Mark Mark Mark|Kermode Kermode Kermode|say say say|today today today|that that|Turbo Turbo Turbo|was was|rubbish, rubbish, rubbish,|and and|he's he's he's|never never never|*cough* *cough* *cough*|wrong! wrong! wrong!|He He He|doesn't doesn't doesn't|like like|F1 F1 F1|but but|he he he|loved loved loved|Senna Senna Senna|and and|liked liked liked|Rush Rush Rush|as as|well. well. am|a a|sock sock sock|puppet? puppet? puppet?|THAT THAT THAT|is is|my my|ban ban ban|reason? reason? reason?|This This This|is my|only only|account, account, account,|and and|thanks thanks thanks|for for|ignoring ignoring ignoring|the the|bulk bulk bulk|of of|my my|text. text. text.|Wikipedia Wikipedia Wikipedia|IS IS IS|corrupt corrupt corrupt|AND AND AND|populated populated populated|by by|idiots. idiots. idiots.|I am|free free free|to to|say say|this, this, this,|so so so|please please please|refrain refrain refrain|from from|saying saying saying|anything anything anything|like like|that that|again. again. again.|I I|didn't didn't didn't|get get|banned banned banned|for for|trolling, trolling,|or or|personal personal personal|attacks, attacks, attacks,|I I|got got|banned banned|because because because|I I|changed changed changed|an an|article article article|to to|NPOV NPOV NPOV|when when when|the the|far far far|majority majority majority|of the|editors editors editors|here here|would would would|rather rather rather|the the|see the|BNP BNP BNP|article article|as as|a a|diatribe diatribe diatribe|denouncing denouncing denouncing|the the|party. party. You|twit, twit, twit,|read read|the the|article article|before you|revert revert revert|edits. edits. edits.|Power-mad Power-mad Power-mad|jerks jerks jerks|like like|you are|ruining ruining ruining|this this|place place A A|tag tag tag|has been|placed placed placed|on on on|Jerome Jerome Jerome|leung leung leung|kam, kam, kam,|requesting requesting requesting|that that|it it|be be|speedily speedily speedily|deleted deleted deleted|from from|Wikipedia. Wikipedia. Wikipedia.|This This|has been|done done done|because because|the article|appears appears appears|to be|about about|a a|person, person, person,|group group group|of of|people, people, people,|band, band, band,|club, club, club,|company, company, company,|or or|web web web|content, content, content,|but but|it it|does does|not not|indicate indicate indicate|how how how|or or|why why|the the|subject subject subject|is "is|notable:" "notable:" "notable:|that" that|is, is, is,|why why|an article|about about|that that|subject subject|should should should|be be|included included included|in in|an an|encyclopedia. encyclopedia. encyclopedia.|Under Under Under|the the|criteria criteria criteria|for for|speedy speedy speedy|deletion, deletion, deletion,|articles articles articles|that that|do do|not not|assert assert assert|the the|subject's subject's subject's|importance importance importance|or or|significance significance significance|may may|be be|deleted deleted|at at|any any any|time. time. time.|Please the|guidelines guidelines guidelines|for for|what what what|is is|generally generally generally|accepted accepted accepted|as as|notable. notable. notable.|If you|think think|that you|can can can|assert the|notability notability notability|of the|subject, subject, subject,|you you|may may|contest contest contest|the the|deletion. deletion.|To To To|do do|this, this,|add add add|on on|the the|top top top|of the|page page page|(just (just (just|below below below|the the|existing existing existing|speedy speedy|deletion deletion|or "or|""db""" """db""" """db""|tag)" tag) tag)|and and|leave leave|a a|note note note|on the|article's article's article's|talk talk talk|page page|explaining explaining explaining|your your|position. position. position.|Please Please|do not|remove remove remove|the the|speedy deletion|tag tag|yourself, yourself, yourself,|but but|don't don't|hesitate hesitate hesitate|to to|add add|information information information|to to|the article|that that|would would|confirm confirm confirm|the subject's|notability notability|under under under|Wikipedia Wikipedia|guidelines. guidelines. guidelines.|For For For|guidelines guidelines|on on|specific specific specific|types types types|of of|articles, articles, articles,|you to|check check check|out out|our our our|criteria for|biographies, biographies, biographies,|for for|web web|sites, sites, sites,|for for|bands, bands, bands,|or or|for for|companies. companies. companies.|Feel Feel Feel|free to|leave on|my my|talk page|if have|any any|questions questions questions|about about|this. this. ==READ ==READ|THIS== THIS== THIS==|This is|Wikipedia. Wikipedia.|It a|place place|where where where|people people people|come come come|for for|infomation. infomation. infomation.|So So So|tell tell tell|me me|how how|it it|is is|that that|a a|guy guy guy|wants wants wants|to check|John John John|Cena's Cena's Cena's|recent recent recent|activity activity activity|in the|WWE WWE WWE|can't can't can't|because because|SOME SOME SOME|people people|want to|keep keep keep|the page|unedited. unedited. unedited.|It not|worth worth worth|my my|time time time|to to|try try try|to to|bring bring bring|new new new|infomation infomation infomation|to to|a a|page page|every every|month month month|or or|two two two|if you|NERDS NERDS NERDS|just just just|change change change|it it|back. back. back.|THERE THERE THERE|IS IS|NO NO NO|POINT POINT POINT|WHATSOEVER! WHATSOEVER! WHATSOEVER!|If If|I I|want to|put put put|what what|happened happened happened|at at|Backlash Backlash Backlash|I I|WILL WILL WILL|BLODDY BLODDY BLODDY|WELL WELL WELL|PUT PUT PUT|WHAT WHAT WHAT|HAPPENED HAPPENED HAPPENED|AT AT AT|BACKLASH! BACKLASH! BACKLASH!|Don't Don't|any any|of of|you you|nerds nerds nerds|try try|and and|stop stop stop|me! me! ==|Administrator Administrator Administrator|Complaint Complaint Complaint|Filed Filed Filed|Against Against Against|You You|== ==|I I|requested requested requested|that you|do not|edit edit|the article|until until until|the the|editor editor|assistance assistance assistance|has been|sought. sought. sought.|But But But|you you|still still still|added added added|and and|the the|tag tag|you you|added added|is is|fault fault fault|because because|this a|professionally professionally professionally|written written written|article, article, article,|besides besides besides|the the|last last last|section section section|there there|is is|nothing nothing|about about|the article|having having having|a a|fan fan fan|flavor flavor flavor|to to|it. it. it.|Before Before Before|you you|add add|the the|add add|again again again|please please|do do|show show show|which which which|section section|besides "the|""What" """What" """What|Ram's" Ram's Ram's|Fan's Fan's Fan's|have say|about "about|him""" "him""" "him""|seems" seems seems|written written|from from|a fan|point point point|of of|view. view. view.|This This|article article|besides section|adheres adheres adheres|to the|Wikpedia Wikpedia Wikpedia|standard standard standard|of of|writing. writing. writing.|IF IF IF|not not|please please|first first first|prove prove prove|it it|in in|my my|notes. notes. notes.|As As As|for the|resource resource resource|the the|technical technical technical|person person person|on the|team team team|is is|in the|process process process|of of|adding adding adding|the the|refernce refernce refernce|link link link|to the|source source source|after after after|which which|we we we|will will will|remove remove|that that|tag tag|as well.|Once Once Once|again not|add add|false false false|tags, tags, tags,|lets lets lets|wait wait wait|for editor|and the|administrator, administrator, administrator,|I I|did did|tell tell|the the|administrator administrator administrator|to to|look look look|at at|the the|history history history|and and|have have|provided provided provided|your your|notes notes notes|to to|him. him. him.|So So|at at|this this|time, time, time,|just just|have have|patience patience patience|and and|lets lets|wait. wait. wait.|I am|also also also|forwarding forwarding forwarding|this this|to administrator|from from|whom whom whom|I I|have have|requested requested|help. help. help.|Like Like Like|I I|said said said|before, before, before,|as as|adminstrator adminstrator adminstrator|came came came|to page|and and|made made made|the the|necessary necessary necessary|changes, changes, changes,|she she she|did did|not not|find find|the article|sub-standard, sub-standard, sub-standard,|so from|adding adding|tags. tags. a|shame shame shame|what what|people people|are are|here, here, here,|I am|disgusting disgusting disgusting|of of|you. you. ":Hello" ":Hello|Cielomobile." Cielomobile. Cielomobile.|I say|that that|I I|also also|belive belive belive|that that|the the|edits edits edits|made made|recently recently recently|to the|United United United|States-Mexico States-Mexico States-Mexico|barrier barrier barrier|page page|were were were|not not|vandalism. vandalism. vandalism.|I I|understand understand understand|that the|topic topic topic|of the|border border border|can can|be be|polemic, polemic, polemic,|but I|don't "that|User:68.2.242.165" "User:68.2.242.165" "User:68.2.242.165|was" was|vandalizing vandalizing vandalizing|the the|page. page. page.|Maybe Maybe Maybe|you you|could could could|use use use|the the|talk "page|Talk:United" "Talk:United" "Talk:United|States–Mexico" States–Mexico States–Mexico|barrier barrier|to to|lay lay lay|out out|your your|objections objections objections|to to|those those those|edits edits|without without without|deleting deleting deleting|them them|entirely. entirely. entirely.|I think|they they they|were were|good-faith good-faith good-faith|efforts efforts efforts|to to|improve improve improve|the the|article, article,|and is|also also|one one|of the|guiding guiding guiding|principles principles principles|of of|Wikipedia, Wikipedia, Wikipedia,|to to|Assume Assume Assume|Good Good Good|Faith. Faith. Faith.|It It|might might might|help help help|though, though, though,|if if|the the|author author author|of of|those edits|were were|to to|register register register|with with|Wikipedia Wikipedia|so so|the edits|won't won't|appear appear appear|merely merely|with with|an an|IP IP IP|address. address. ==|my my|removal removal removal|of of|your your|content content content|on on|DNA DNA DNA|melting melting melting|== I|removed removed removed|the the|content content|you you|placed placed|when when|creating creating creating|the article|because because|it it|was was|wrong wrong wrong|and and|unreferenced. unreferenced. unreferenced.|Mutations Mutations Mutations|do not|have "have|""weird" """weird" """weird|structures""" "structures""" "structures""|a" a|point point|mutation mutation mutation|might might|start start start|with a|single single single|nucleotide nucleotide nucleotide|mismatch, mismatch, mismatch,|but but|those those|are are|rapidly rapidly rapidly|detected detected detected|and and|repaired repaired repaired|to to|form form form|a a|stable stable stable|bonded bonded bonded|double-helix double-helix double-helix|structure, structure, structure,|and and|subsequent subsequent subsequent|rounds rounds rounds|of of|DNA DNA|replication replication replication|match match match|each each each|base base base|with with|its its|complement. complement. complement.|Perhaps Perhaps Perhaps|your your|wording wording|was was|wrong, wrong, wrong,|perhaps perhaps perhaps|you you|were were|thinking thinking thinking|of of|an an|obscure obscure obscure|related related related|technology technology technology|that have|heard heard|of, of, of,|but but|you you|didn't didn't|give give give|a a|reference reference reference|and and|I'm not|going going going|to to|help help|you you|with with|this, this,|because because|you're you're|being being|rude. rude. rude.|I I|find find|it it|disturbing disturbing disturbing|that you|apparently apparently apparently|made made|this this|scientific scientific scientific|page page|on on|wikipedia wikipedia wikipedia|claiming claiming claiming|a a|statement statement statement|of of|fact fact|that that|was was|in in|merely merely|based based based|on on|your your|own own own|speculations. speculations. wiki wiki|shold shold shold|dye!they dye!they dye!they|should be|ashame!j ashame!j I|suggest suggest suggest|you you|kill kill kill|yourself. Yes, Yes,|I I|was was|blocked blocked blocked|for for|losing losing losing|patience patience|with with|you, you, you,|and and|what what|I did|then then|would would|constitute constitute constitute|personal personal|attack. attack. attack.|Honest Honest Honest|outspoken outspoken outspoken|criticism criticism criticism|that is|based on|fact fact|is is|permitted permitted permitted|though, though,|and the|shameless shameless shameless|hate hate hate|speech speech speech|expressed expressed|here here|deserves deserves deserves|more more|than than than|just just|vocal vocal vocal|criticism. criticism. criticism.|As for|you, you,|I'll I'll I'll|discuss discuss discuss|you you|elsewhere. elsewhere. elsewhere.|This This|isn't isn't isn't|the the|place place|for for|that. that. Get Get|yourself yourself yourself|some some|help. ==|regarding regarding regarding|threats threats threats|== ==|is not|revert revert|of of|person's person's person's|edits, edits, edits,|only only|unwarranted unwarranted unwarranted|edit edit|by by|bot. bot. bot.|appeal appeal appeal|has been|made made|to to|bot bot bot|but but|presumption presumption presumption|of of|guilt guilt guilt|on on|part part part|of of|administrative administrative administrative|base base|is is|sign sign sign|of of|censorship censorship censorship|so so|made made|edits edits|again again|to see|if if|reversion reversion reversion|would would|occur occur occur|second second second|time. time.|has has|not. not. not.|please please|keep keep|baseless baseless baseless|threats threats|to to|self, self, self,|vulgar vulgar vulgar|pedant. pedant. Alright, Alright,|your your|lack lack lack|of fact|checking checking checking|and and|denial denial denial|of of|truth truth truth|is is|pathetic, pathetic, pathetic,|especially by|your your|staff. staff. staff.|Stop Stop|making making making|comments, comments, comments,|just just|to to|harass harass harass|me. me.|You You|are are|assuming assuming assuming|I'm I'm|everyone everyone everyone|who who|doesn't doesn't|agree agree agree|with with|your your|wiki wiki|article. article. article.|Pathetic. Pathetic. Pathetic.|I I|will will|continue continue continue|to to|report report report|them them|until until|your your|competent competent competent|employees employees employees|do do|the the|right right|thing. thing. Telling Telling|that you|wouldn't wouldn't wouldn't|answer answer answer|my my|question. question. question.|You are|a a|hypocrit hypocrit hypocrit|as as|anyone anyone anyone|can can|see ==|YOUR YOUR YOUR|INFORMATIONS INFORMATIONS INFORMATIONS|ARE ARE ARE|MISLEADING MISLEADING MISLEADING|AND AND|FULL FULL FULL|OF OF OF|ERRORS. ERRORS. ERRORS.|== ERRORS.|IF IF|THIS THIS THIS|IS IS|THE THE THE|WAY WAY WAY|YOU YOU YOU|SERVE SERVE SERVE|PEOPLE, PEOPLE, PEOPLE,|I I|PITY PITY PITY|THEM THEM THEM|FOR FOR FOR|BEING BEING BEING|BRAINWASHED BRAINWASHED BRAINWASHED|WITH WITH WITH|LIES LIES LIES|OF OF|YOU. YOU. AND|I I|EVEN EVEN EVEN|PUT PUT|A A|LINK LINK LINK|TO TO|A A|HIGHLIGHTS HIGHLIGHTS HIGHLIGHTS|VIDEO VIDEO VIDEO|ON ON ON|YOUTUBE YOUTUBE Wind Wind|in the|Sahara Sahara Sahara|rawks, rawks, rawks,|too. too. too.|Much Much Much|more more|accessible accessible accessible|than than|7 7 7|pillars. pillars. "::Excellent," "::Excellent,|thanks" for|looking looking looking|into into into|it. it.|Some Some Some|socks socks socks|are are|quite quite quite|dumb... dumb... Hypocrit! Hypocrit!|you you|just just|cited cited|a a|newspaper newspaper newspaper|that that|claims claims claims|to be|reliable. reliable. reliable.|i i|will will|incorporate incorporate incorporate|and and|make make|a newspaper|company company company|then then|ill ill ill|site site|it. it.|its its|called called called|TEADRINKERNEWS.com TEADRINKERNEWS.com TEADRINKERNEWS.com|this site|has has|no no no|merit merit merit|and and|you have|no no|integrity! integrity! ==|Conflict Conflict Conflict|of of|interest interest interest|== ==|You a|person person|who is|doing doing doing|some some|sort sort sort|of of|harm harm harm|to to|this this|lady lady lady|Saman Saman Saman|Hasnain.. Hasnain.. Hasnain..|It is|apparent apparent apparent|that are|making making|sure sure|that that|her her her|name name name|is is|defamed.... defamed.... defamed....|Okay Okay Okay|no no|problem... problem... problem...|Will Will Will|get get|a a|better better better|source... source... source...|you are|playing playing playing|dirty... dirty... dirty...|DOG DOG DOG|Sonisona Sonisona REALLY REALLY|REALLY REALLY|ANGRY ANGRY ANGRY|NOW NOW NOW|GRRRRRRRRRRRR GRRRRRRRRRRRR "::I" "::I|also" also|found found found|use use|of the|word word "word|""humanists""" """humanists""" """humanists""|confusing." confusing. confusing.|The The|types of|people people|listed listed|preceding preceding "preceding|""humanists""" """humanists""|are" are|defined defined defined|by by|what what|they they|*do* *do* *do*|(i.e. (i.e. (i.e.|study, study, study,|teach, teach, teach,|do do|medical medical medical|research) research) research)|which which|makes makes makes|sense sense sense|in the|context context context|of of|talking talking talking|about the|commonplace commonplace commonplace|book book book|as as|one of|their their|tools. tools. "tools.|""Humanists""" """Humanists""" """Humanists""|defines" defines defines|people people|of of|a a|certain certain certain|ethical ethical ethical|ideologywhat ideologywhat ideologywhat|does does|that that|have with|the the|function function function|of a|commonplace commonplace|book? book? book?|Is Is Is|the the|use book|particularly particularly particularly|defined by|one's one's one's|world world world|perspective? perspective? perspective?|To To|me me|this this|would would|be be|akin akin akin|to to|writing "writing|""many" """many" """many|blogs" blogs blogs|are are|maintained maintained maintained|by by|writers, writers, writers,|professors, professors, professors,|lawyers, lawyers, lawyers,|editorialists, editorialists, editorialists,|and "and|Republicans/Democrats""" "Republicans/Democrats""" "Republicans/Democrats""|in" about|blogs. blogs. blogs.|True True True|though though though|it it|may may|be, be, be,|it it|confuses confuses confuses|the the|reader reader reader|into into|thinking thinking|that subject|being being|written written|about about|is is|somehow somehow somehow|ideologically ideologically ideologically|specific specific|when when|it is|not. ":the" ":the|category" category category|was was|unnecesary, unnecesary, unnecesary,|as as|explained explained explained|in my|edit edit|summary. summary. summary.|Your Your Your|threats threats|are are|disgrace disgrace disgrace|to to|wikipedia. wikipedia. I|hate hate|you. you.|== you.|I hate|you! you! ==Drovers' ==Drovers'|Award== Award== Award==|Better Better Better|you you|hear hear hear|it it|from from|me, me, me,|and and|early, early, early,|I "I|suppose:" "suppose:" "suppose:|The" The|Wikipedia Wikipedia|logo logo logo|is "is|""All" """All" """All|Rights" Rights Rights|Reserved, Reserved, Reserved,|Wikimedia Wikimedia Wikimedia|Foundation, Foundation, "Foundation,|Inc.""," "Inc.""," "Inc."",|and" and|use of|it is|governed governed governed|by by|the the|Wikimedia Wikimedia|visual visual visual|identity identity identity|guidelines, guidelines, guidelines,|which which|states states states|that "that|""no" """no" """no|derivative" derivative derivative|of Wikimedia|logo logo|can be|published published published|without without|prior prior prior|approval approval approval|from from|the "the|Foundation.""" "Foundation.""" Please|stop. stop. stop.|If you|continue to|vandalize vandalize vandalize|Wikipedia, Wikipedia,|you you|will will|be be|blocked blocked|from from|editing. editing. editing.|| | ==|removing removing removing|a a|deletion deletion|review?!? review?!? review?!?|== "==|WP:SNOW" "WP:SNOW" "WP:SNOW|doesn't" doesn't|apply apply apply|to to|my my|deletion deletion|review review review|since since since|the the|issue issue issue|is is|controversial. controversial. Oooooh Oooooh|thank thank thank|you you|Mr. Mr. Mr.|DietLimeCola. DietLimeCola. DietLimeCola.|Once Once|again, again, again,|nice nice nice|job job job|trying trying trying|to to|pretend pretend pretend|you have|some some|authority authority authority|over over|anybody anybody anybody|here. here.|You a|wannabe wannabe wannabe|admin, admin, admin,|which which|is is|even even even|sadder sadder sadder|than than|a a|real real real|admin admin Grow Grow|up up up|you you|biased biased biased|child. child. ":Saved" ":Saved|without" without|renaming; renaming; renaming;|marked marked marked|for for|rapid rapid rapid|del. del. ==Terrible== ==Terrible==|Anyone Anyone Anyone|else else else|agree agree|this this|list list list|is is|garbage? garbage? ==|DON'T DON'T DON'T|INTERFERE! INTERFERE! INTERFERE!|== ==|Look, Look, Look,|I am|telling telling "telling|you:" "you:" "you:|YOU" YOU|DON'T DON'T|INTERFERE INTERFERE INTERFERE|between between between|me me|and and|Ohnoitsjamie. Ohnoitsjamie. Ohnoitsjamie.|He He|is a|filthy filthy filthy|hog, hog, hog,|an an|oldest oldest oldest|enemy, enemy, enemy,|and and|i i|can can|go go|to to|any any|extent extent extent|to to|insult insult insult|him him him|to the|fullest fullest fullest|extent. extent. extent.|So So|be be|a a|good good good|boy, boy, boy,|and and|eat eat eat|potato potato potato|crisps crisps crisps|(Yummy... (Yummy... (Yummy...|yummy yummy yummy|... ... ...|munch munch munch|crunch. crunch. crunch.|- - ":Going" ":Going|by" by|immediate immediate immediate|place place|of of|origin origin origin|is is|much much much|more more|in in|keeping keeping keeping|with the|definition definition definition|of "of|""Hispanic" """Hispanic" """Hispanic|or" "or|Latino""." "Latino""." "Latino"".|You're" You're You're|acting acting acting|in in|good good|faith, faith, faith,|obviously, obviously, obviously,|but but|claiming claiming|every every|Hispanic/Latino Hispanic/Latino Hispanic/Latino|person person|based on|ancestry ancestry ancestry|is is|too too too|OR, OR, OR,|too too|subjective, subjective, subjective,|as as|can be|seen seen seen|from from|all all all|that that|explaining explaining|you've you've you've|had had had|to to|do. do. do.|There There|is a|way way way|to to|include include include|these these these|people people|we're we're "we're|discussing:" "discussing:" "discussing:|with" the|support support support|of of|reliable reliable reliable|sources sources sources|that that|refer refer refer|to to|them them|as as|Hispanic Hispanic Hispanic|or or|Latino, Latino, Latino,|something something|that that|ideally ideally ideally|should be|done done|for for|everyone everyone|on the|list. list. ==|Pathetic Pathetic Pathetic|== ==|This This|user user user|needs needs needs|a a|life life See See|the the|section section|below below|about the|Macedonian Macedonian Macedonian|last last|names, names, names,|and and|common common common|endings endings endings|of names,|as as|well well well|some some|common last|names names names|in the|Slavic Slavic Slavic|Languages. Languages. Hauskalainen|Tom]] Hauskalainen|Tom]]|RFC RFC RFC|Response Response Response|The "The|""criticism""" """criticism""" """criticism""|section" section|reads reads reads|like a|POV POV|essay essay essay|without without|adequate adequate adequate|references. references. references.|I have|added added|the the|appropriate appropriate appropriate|tag. tag. "tag.|[[User:" "[[User:" And, And,|frankly, frankly, frankly,|you are|just just|as as|pathetic pathetic pathetic|and and|immature, immature, immature,|clearly clearly clearly|these these|acts acts acts|of of|annoyance annoyance annoyance|are are|your your|favourite favourite favourite|past past past|time. She's She's|insane insane insane|and and|a a|zealot. zealot. ":" ":|I" I|know know know|you you|listed listed|your your|English English English|as as|on "the|""level" """level" """level|2""," "2""," "2"",|but" don't|worry, worry, worry,|you you|seem be|doing doing|nicely nicely nicely|otherwise, otherwise, otherwise,|judging judging judging|by the|same same same|page page|- -|so so|don't don't|be be|taken taken taken|aback. aback. aback.|I I|just just|wanted wanted wanted|to to|know know|if were|aware aware aware|of of|what what|you you|wrote, wrote, wrote,|and and|think think|it's it's it's|an an|interesting interesting|case. case. "case.|:" I|would would|write write write|that that|sentence sentence sentence|simply simply simply|as "as|""Theoretically" """Theoretically" """Theoretically|I" an|altruist, altruist, altruist,|but but|only only|by by|word, word, word,|not not|by by|my "my|actions.""." "actions.""." "actions."".|:" ":|PS." PS. PS.|You You|can can|reply reply reply|to to|me me|on on|this this|same same|page, page, page,|as as|I have|it it|on my|watchlist. watchlist. ==|A A|bit bit bit|of of|education education education|for for|you... you... you...|== ==|Here Here Here|is the|link to|Bay Bay Bay|Lake, Lake, Lake,|Florida. Florida. Florida.|Now, Now, Now,|what what|was was|that were|saying saying|about about|it it|NOT NOT NOT|being being|a a|city? city? city?|Educate Educate Educate|yourself yourself|a a|bit bit|before you|make make|such such such|ludicrous ludicrous ludicrous|ignorant ignorant ignorant|comments comments a|CHEATER, CHEATER, CHEATER,|and article|should should|say say|that. "::" "::|a.k.a." a.k.a. a.k.a.|(among (among (among|others) others) others)|can't can't|even even|get get|the the|air air air|dates dates dates|right, right, right,|and the|rest rest rest|is POV|that is|well-covered well-covered well-covered|in the|interesting interesting|book book|I I|cited, cited, cited,|Hollywood Hollywood Hollywood|Kryptonite. Kryptonite. "Kryptonite.|""These""" """These""" """These""|users" users users|also also|cannot cannot cannot|write write|proper proper proper|English, English, English,|which is|what what|gives gives gives|away away away|that "that|""they""" """they""" """they""|are" are|the same|user, user, user,|despite despite "despite|""their""" """their""" """their""|denials." denials. denials.|==Reply ==Reply ==Reply|to to|vandal vandal vandal|Wakkeenah== Wakkeenah== Wakkeenah==|To To|all all|the the|vandals vandals vandals|and and|so so|called called|just just|administrators, administrators, administrators,|the dates|are are|minor minor minor|problems, problems, problems,|the the|facts facts|and and|details details details|surrounding surrounding surrounding|Reeves Reeves Reeves|suicided suicided suicided|are written|well well|enough, enough, enough,|as as|everybody everybody everybody|else else|is is|reporting, reporting, reporting,|the the|fact that|Reeves Reeves|was was|to to|fight fight fight|Moore Moore Moore|next next next|day, day, day,|is also|being being|reverted, reverted, reverted,|this is|pure pure pure|vandalism. vandalism.|As As|far far|as as|spelling spelling spelling|goes goes goes|by by|Vesa Vesa Vesa|or or|Projects Projects Projects|or or|whoever, whoever, whoever,|well, well, well,|if you|keep keep|on on|repeating repeating repeating|yourself yourself|and no|time, time,|some some|spelling spelling|errors errors errors|might might|occur, occur, occur,|but but|it's it's|not not|the the|spelling spelling|that that|counts counts counts|but but|content content|which being|vandalised vandalised vandalised|by by|so just|users users|and and|administrators administrators administrators|of of|this this|so just|wikipedia. wikipedia.|And And And|it is|obvious obvious obvious|wahkeenah wahkeenah wahkeenah|has has|some some|personal personal|interest interest|in in|this, "this,|proof:" "proof:" "proof:|All" All All|over over|internet internet internet|we we|have have|Reeves' Reeves' Reeves'|death death death|explained in|detail detail detail|and and|possible possible possible|people people|involved, involved, involved,|but but|over here|he he|is is|taking taking taking|everything everything everything|down, down, down,|the the|idiotic idiotic idiotic|administratotors administratotors administratotors|are are|reversing reversing reversing|it, it, it,|thus thus thus|making making|themselves themselves themselves|look look|stupid stupid stupid|and and|ignorant ignorant|by by|not not|realizing realizing realizing|the the|historical historical historical|facts. ==|Ridiculous Ridiculous Ridiculous|== ==|It's It's It's|absolutely absolutely absolutely|RIDICULOUS RIDICULOUS RIDICULOUS|how how|long long long|and and|detailed detailed detailed|this this|article article|is. is. is.|This is|why why|Wikipedia Wikipedia|is is|laughed laughed laughed|at at|and and|why why|teachers teachers teachers|won't won't|allow allow allow|Wikipedia Wikipedia|to be|used used used|in in|schoolwork schoolwork schoolwork|1)the 1)the 1)the||diots |diots |diots|writing writing|this article|are are|trying to|demonize demonize demonize|certain certain|groups groups groups|and and|2) 2) 2)|they're they're they're|trying to|revise revise revise|the facts|of the|incident incident incident|to make|it it|seem seem|something it|wasn't. wasn't. "::I|agree." agree. agree.|Trolling Trolling Trolling|snitches snitches snitches|should be|protected. protected. protected.|Where Where Where|are are|these these|days days days|when when|crybabies crybabies crybabies|just just|haven't haven't haven't|been been|payed payed payed|attention attention attention|to to|? ? ?|Eh, Eh, Eh,|I'm I'm|waxing waxing waxing|nostalgic.... nostalgic.... ==Fixed== ==Fixed==|Hi, Hi, Hi,|I I|fixed fixed fixed|up up|the the|Religion Religion Religion|in in|Vietnam Vietnam Vietnam|lead lead lead|with with|atheism atheism atheism|as as|state state state|religion religion religion|first first|as as|per per per|your your|request, request, request,|please please|take take take|a a|look. look. look.|The The|disparity disparity disparity|in the|pie pie pie|chart chart chart|seems seems|mainly mainly mainly|caused caused caused|by by|that that|US US US|institute institute institute|counting counting counting|45% 45% 45%|ancestor ancestor ancestor|worship worship worship|and and|traditional traditional traditional|beliefs beliefs beliefs|as as|religion, religion, religion,|wheras wheras wheras|officially officially officially|that that|45% 45%|are are|non-believers. non-believers. non-believers.|It's It's|a a|grey grey grey|area... area... area...|Second Second "Second|question:" "question:" "question:|What" What What|do do|you think|is is|better better|title title|chữ chữ chữ|nho nho nho|or or|chữ chữ|Hán? Hán? Hán?|To To|my my|mind mind mind|chữ chữ|Hán Hán Hán|can can|still still|include include|Japanese Japanese Japanese|and and|Chinese, Chinese, Chinese,|but but|chữ nho|is is|clearly clearly|Vietnamese-only, Vietnamese-only, Vietnamese-only,|and and|is what|Lonely Lonely Lonely|Planet Planet Planet|uses. uses. uses.|Do Do Do|you any|view? view? view?|Cheers! Cheers! "::You" "::You|should" be|ashamed ashamed ashamed|of of|yourself yourself|for for|wasting wasting wasting|adults' adults' adults'|time, time,|you you|ridiculous ridiculous ridiculous|runt. runt. Good|god, god, god,|you you|wiped wiped wiped|out out|my my|post post post|just just|now. now. now.|You You|can't even|speak speak speak|in in|coherent coherent coherent|sentences. sentences. sentences.|Bascially, Bascially, Bascially,|you've you've|been been|busted. busted. "::::I've" "::::I've|explained" explained|beneath beneath beneath|your your|unblock unblock unblock|request request request|that I|do not|feel feel feel|comfortable comfortable comfortable|with your|proclamation. proclamation. proclamation.|You You|indicated indicated indicated|that you|did not|realize realize realize|Banglapedia Banglapedia Banglapedia|was a|copyrighted copyrighted copyrighted|source. source. source.|This This|source source|bears bears bears|copyright copyright copyright|notice notice notice|on on|every every|page. page.|How How How|can can|we we|be be|certain, certain, certain,|given given given|that, that, that,|that will|not not|copy copy copy|from from|other other|copyrighted copyrighted|sources sources|without without|noticing noticing noticing|that that|they they|cannot cannot|be be|used? used? used?|I I|myself myself myself|do comfortable|unblocking unblocking unblocking|you you|until until|you you|promise promise promise|not to|copy from|any any|source source|that you|cannot cannot|prove prove|to be|without without|copyright copyright|restriction. restriction. ":|Good" Good|grief grief grief|have have|you you|nothing nothing|useful useful useful|to your|time? time? time?|Oh Oh Oh|well, well,|I'll I'll|add add|you you|to list.|Fool Fool SOMETHING SOMETHING|AWFUL AWFUL AWFUL|IS IS|DEAD DEAD DEAD|DEAD ==|To To|the the|contributors contributors contributors|of article|== ==|Anonymiss Anonymiss Anonymiss|Madchen Madchen Madchen|has has|given given|you you|a a|cookie! cookie! cookie!|Cookies Cookies Cookies|promote promote promote|WikiLove WikiLove WikiLove|and and|hopefully hopefully hopefully|this this|one one|has has|made made|your your|day day day|better. better. better.|You can|Spread Spread Spread|the "the|""WikiLove""" """WikiLove""" """WikiLove""|by" by|giving giving giving|someone someone someone|else else|a a|cookie, cookie, cookie,|whether whether whether|it be|someone someone|you have|had had|disagreements disagreements disagreements|with with|in the|past past|or or|a good|friend. friend. friend.|To To|spread spread spread|the the|goodness goodness goodness|of of|cookies, cookies, cookies,|you can|add add|to to|someone's someone's someone's|talk page|with a|friendly friendly friendly|message, message, message,|or or|eat eat|this this|cookie cookie cookie|on the|giver's giver's giver's|talk with|! ! !|Thank Thank Thank|you you|for for|your your|hard hard hard|work, work, work,|and and|sorry sorry sorry|about about|rough rough rough|times times times|in the|past. past. past.|I'm I'm|going to|go go|edit edit|other other|articles articles|now. "now.|:" ==|get life|loser. loser. loser.|== ":::::Actually," ":::::Actually,|you" the|cockroach cockroach cockroach|that that|followed followed followed|me me|to the|notice notice|board, board, board,|and and|repeatedly repeatedly repeatedly|comes comes comes|back back back|to to|revert revert|what I|had had|written. written. written.|FYI. FYI. FYI.|206.45.24.242 206.45.24.242 206.45.24.242|(talk) (talk) I|believe believe|your your|actions actions actions|to be|pure pure|vandalism vandalism vandalism|either either either|based on|pig pig pig|ignorant, ignorant, ignorant,|racism racism racism|or or|because because|you are|being being|paid paid paid|to do|so. so. so.|But But|if if|no no|one one|else else|agrees agrees agrees|enjoy. enjoy. enjoy.|It's It's|more more|likely likely likely|no else|cares cares cares|either either|way way|you will|reduce reduce reduce|this a|stub stub stub|or or|start start|supporting supporting supporting|your own|prejudices prejudices prejudices|here. here.|It's It's|only only|wiki wiki|grow grow grow|up up|son. son. son.|This not|a a|conversation. conversation. conversation.|The The|promise promise|was a|ban ban|without without|farther farther farther|notice notice|so please|don't don't|give give|me me|any any|more more|notice notice|you you|pathetic pathetic|stooge stooge are|one the|worst worst worst|page page|vandals vandals|I have|ever ever ever|seen. seen. seen.|Your Your|repeated repeated repeated|vandalism vandalism|of a|user user|page page|shows shows shows|what what|a a|pathetically pathetically pathetically|insecure insecure insecure|individual individual individual|you you|are. are. ":::I" ":::I|think" think|the the|apple apple apple|pie pie|image image|is is|pretty pretty pretty|dated. dated. dated.|The The|expression expression "expression|""as" """as" """as|American" American American|as as|apple "apple|pie""" "pie""" "pie""|is" is|dated dated dated|and and|baseball's baseball's baseball's|no no|longer longer longer|the the|most most most|popular popular popular|sport sport sport|in the|US US|(football (football (football|is). is). is).|Plus, Plus, Plus,|it's it's|sort of|weird weird weird|having having|them them|on the|flag. flag. flag.|- ME ME|IF IF|YOU YOU|PROTECT PROTECT PROTECT|THIS THIS|PAGE PAGE PAGE|I'M I'M I'M|GONNA GONNA GONNA|KILL KILL KILL|YOUR YOUR|USER USER USER|PAGE PAGE|TOMORROW TOMORROW TOMORROW|MORNING MORNING ":::Ok," ":::Ok,|whatever," whatever, whatever,|but but|if if|this this|separate separate separate|Frankish Frankish Frankish|province province province|existed existed existed|as as|such, such, such,|then then|I I|still still|believe believe|that it|should included|as as|separate separate|entry entry entry|into into|disambiguation disambiguation disambiguation|page, page,|but I|can can|live live live|with the|current current current|version version version|of page|as threatening|me, me,|buddy? buddy? buddy?|I didn't|do do|anything anything|to to|you! you!|And And|like like|I I|care care care|about about|editing editing editing|Wikipedia. Wikipedia.|Loser. Loser. ==|April April April|2009 2009 2009|== ==|Please not|attack attack attack|other other|editors. editors. editors.|If you|continue, continue, continue,|you from|editing "Wikipedia.|:If" ":If" ":If|this" a|shared shared shared|IP IP|address, address, address,|and didn't|make make|any any|unconstructive unconstructive unconstructive|edits, edits,|consider consider consider|creating creating|an an|account account account|for for|yourself yourself|so so|you can|avoid avoid avoid|further further further|irrelevant irrelevant irrelevant|warnings. warnings. ==|HOW HOW HOW|DARE DARE DARE|YOU, YOU, YOU,|HOW DARE|YOU YOU|KUBIGULA, KUBIGULA, KUBIGULA,|HOW DARE|YOU!!!!!!!!!!!! YOU!!!!!!!!!!!! YOU!!!!!!!!!!!!|== YOU|DELETE DELETE DELETE|BRILLIANT BRILLIANT BRILLIANT|ARTICLE ARTICLE ARTICLE|ON ON|NILLIAM NILLIAM "NILLIAM|""THE" """THE" """THE|PHENOMENA""" "PHENOMENA""" "PHENOMENA""|TOWNSIRIS" TOWNSIRIS TOWNSIRIS|I I|CAN CAN CAN|SENSE SENSE SENSE|A A|PRESENCE PRESENCE PRESENCE|ABOUT ABOUT ABOUT|YOU YOU|BOY, BOY, BOY,|AN AN AN|EVIL EVIL EVIL|PRESENCE, PRESENCE, PRESENCE,|MAY MAY MAY|THE THE|FORCE FORCE FORCE|FROM FROM FROM|THE THE|SPIRIT SPIRIT SPIRIT|OF OF|A A|SEAHORSE SEAHORSE SEAHORSE|UNLEASH UNLEASH UNLEASH|THE THE|EXPECTO EXPECTO EXPECTO|PATRONUM PATRONUM PATRONUM|UPON UPON UPON|YOU, YOU,|YOU YOU|MUST MUST MUST|EXPRESS EXPRESS EXPRESS|KINDNESS KINDNESS KINDNESS|TO TO|NILLIAM NILLIAM|TOWNSIRIS, TOWNSIRIS, TOWNSIRIS,|FOR FOR|HE HE HE|IS IS|OUR OUR OUR|SAVIOUR, SAVIOUR, SAVIOUR,|THE THE|ANSWER ANSWER ANSWER|TO TO|OUR OUR|ULLILOQUITY. ULLILOQUITY. ULLILOQUITY.|IF YOU|AS AS AS|SO SO SO|MUCH MUCH MUCH|BLINK BLINK BLINK|WHEN WHEN WHEN|READING READING READING|THE THE|NEXT NEXT NEXT|ARTICLE, ARTICLE, ARTICLE,|THEN THEN THEN|YOU YOU|WILL WILL|JUST JUST JUST|MISS MISS MISS|OUT OUT OUT|THERE THERE|TIGER. TIGER. , ,|16 16 16|August August August|2008 2008 2008|(UTC) (UTC) (UTC)|*I'm *I'm *I'm|terribly terribly terribly|disappointed disappointed disappointed|by by|this. this.|There There|are are|enough enough enough|disagreeable disagreeable disagreeable|people people|on on|wikipedia. wikipedia.|I I|sincerely sincerely sincerely|hope hope hope|you you|change change|your your|mind mind|again again|and and|retire, retire, retire,|again. again.|You You|suck. suck. "suck.|14:23" "14:23" ==|Blind Blind Blind|as as|bats bats bats|== ==|Not Not Not|one you|has has|seen seen|what have|done done|to this|page. page.|Obviously Obviously Obviously|you you|rely rely rely|on on|some some|form form|of of|program program program|to revert|vandalism vandalism|and and|not not|your own|eyes. eyes. just|Jealous Jealous Jealous|== ==|that you|aren't aren't aren't|a a|part the|GAYTOURAGE... GAYTOURAGE... GAYTOURAGE...|you you|probably probably probably|don't don't|even even|now now now|how how|to to|WERQ WERQ WERQ|it! it! it!|Megna Megna Megna|James James I|hope hope|this this|helps. helps. "::I|did" did|provide provide provide|a a|notable notable notable|source source|for the|references references references|I was|providinga providinga providinga|book book|written written|by a|respected respected respected|journalist journalist journalist|from a|patient's patient's patient's|perspective. perspective. perspective.|I I|created created created|a a|separate separate|article article|for for|it, it,|with with|tons tons tons|of of|references, references, references,|and and|merely merely|put put|a reference|to to|it it|under under|See See|Also. Also. Also.|You You|deleted deleted|even even|that that|because because|it's it's|allegedly allegedly allegedly|an "an|""obscure" """obscure" """obscure|anti-psychiatry" anti-psychiatry "anti-psychiatry|book.""" "book.""" "book.""|The" The|fact are|biased biased|because have|vested vested vested|interests interests interests|to to|protect. protect. protect.|It is|people people|like who|make make|sure sure|the the|truth truth|never never|becomes becomes becomes|known known known|because it|would would|endanger endanger endanger|your your|pocketbook. pocketbook. ==Hello== ==Hello==|I to|let let let|you you|know know|how how|you a|nicer nicer nicer|person person|through through through|therapy therapy therapy|and and|talking about|your your|past past|experiences experiences experiences|that that|led led led|you be|an an|angry angry angry|antisocial antisocial antisocial|person person|today. today. Yes,|and and|this this|page page|is is|wayyyyy wayyyyy wayyyyy|too too|long long|as well.|It It|really really|needs needs|to be|condensed condensed condensed|heavily. heavily. heavily.|There are|much more|important important important|shows shows|that that|don't don't|have a|tenth tenth tenth|of what|this article|has. has. has.|Shame. Shame. ==Image ==Image|copyright copyright|problem problem problem|with "with|Image:KissBOTI.jpg==" "Image:KissBOTI.jpg==" "Image:KissBOTI.jpg==|Thank" for|uploading uploading "uploading|Image:KissBOTI.jpg." "Image:KissBOTI.jpg." "Image:KissBOTI.jpg.|However," However, However,|it it|currently currently currently|is is|missing missing missing|information information|on on|its its|copyright copyright|status. status. status.|Wikipedia Wikipedia|takes takes takes|copyright copyright|very very very|seriously. seriously. seriously.|It It|may deleted|soon, soon, soon,|unless unless unless|we we|can can|determine determine determine|the the|license license license|and source|of the|image. image. image.|If know|this this|information, information, information,|then then|you add|a a|copyright copyright|tag tag|to image|description description description|page. page.|If any|questions, questions, questions,|please please|feel feel|free to|ask ask ask|them them|at the|media media|copyright copyright|questions questions|page. page.|Thanks Thanks Thanks|again again|for your|cooperation. cooperation. Thanx Thanx|efe, efe, efe,|i i|noticed noticed noticed|you you|remove remove|800 800 800|bytes bytes bytes|of of|info info|on my|watchlist watchlist watchlist|so so|i i|went went went|into into|red red red|alert alert alert|but good|call. call. ==|Woah! Woah! Woah!|== ==|As As|someone someone|who'd who'd who'd|been been|the the|victim victim victim|of of|his his his|power power power|abuse, abuse, abuse,|this this|*really* *really* *really*|came came|as a|surprise surprise surprise|to me|when when|someone someone|e-mailed e-mailed e-mailed|this this|info info|to this|morning! morning! morning!|Sorry Sorry Sorry|he he|couldn't couldn't couldn't|be be|more more|adult adult adult|with with|his his|admin admin|powers, powers, powers,|but but|as as|Stan Stan Stan|Lee Lee Lee|said said|over over|four four|decades decades decades|ago, ago, ago,|with with|great great great|power power|comes comes|great great|responsibility. responsibility. responsibility.|Of Of Of|course, course, course,|the the|big big big|question question question|now now|is is|who who|Matthew Matthew Matthew|Fenton Fenton Fenton|will will|run run run|and and|hide hide hide|behind behind behind|when when|he he|gets gets gets|his his|head head head|handed handed handed|to to|him him|over over|his his|wanton wanton wanton|edits edits|of the|Jericho Jericho Jericho|and and|Lost Lost Lost|pages. pages. ==|Newsletter Newsletter Newsletter|== ==|Thanks Thanks|Indon. Indon. Indon.|I I|tried tried tried|to to|hide hide|it it|until the|delivery delivery delivery|day, day,|hehehhe. hehehhe. hehehhe.|Have Have Have|you you|seen seen|it it|before? before? before?|If If|not, not, not,|then done|a a|somewhat somewhat somewhat|good good|job job|of of|hiding hiding hiding|it it|P. P. P.|Cheers Cheers ==|List List List|of of|Malcolm Malcolm Malcolm|in the|Middle Middle Middle|characters characters characters|== ==|Your Your|addition addition|to to|List characters|was was|excellent. excellent. excellent.|Welcome! Welcome! OH OH|MY MY MY|just just|CALL CALL CALL|THEM THEM|ROCK ROCK ROCK|YOU YOU|IDIOTS!!!! IDIOTS!!!! ":::::::::" ":::::::::|I" am|not not|user user|168.209.97.34. 168.209.97.34. 168.209.97.34.|On On On|what what|basis basis basis|are you|acusing acusing acusing|me me|of of|being being|that that|user? user? user?|Please Please|answer answer|the the|very very|simple "simple|question:" "question:|Is" the|phrase phrase "phrase|""anti-Islamic" """anti-Islamic" """anti-Islamic|cut" cut cut|and and|past past|[sic] [sic] "[sic]|troll""" "troll""" "troll""|a" a|personal personal|attack attack|or or|is is|it personal|attack? attack? attack?|Do you|deem deem deem|this be|acceptable acceptable acceptable|language language language|on on|Wikipedia? Wikipedia? Wikipedia?|Pename Pename ":You" ":You|did" did|a a|great great|job job|in the|Bailando Bailando Bailando|por por por|un un un|sueño sueño sueño|(Argentina) (Argentina) (Argentina)|article. article.|Congratulations! Congratulations! ":|Saw" Saw Saw|your your|message message message|on my|homepage. homepage. homepage.|Is Is|there there|some some|reason reason reason|you you|don't like|my my|solution? solution? solution?|— — —|3 3 3|July July July|2005 2005 "2005|05:18" "05:18" "05:18|(UTC)" HHHHHHHHHHHHHHAAAAAAHAHA HHHHHHHHHHHHHHAAAAAAHAHA|you're you're|funny.. funny.. funny..|Na Na Na|seriously seriously seriously|dude. dude. dude.|I'm I'm|reallyyyyyyy reallyyyyyyy reallyyyyyyy|drunknnnk drunknnnk drunknnnk|but but|ya're ya're ya're|funny! funny! dont dont|u u u|speak speak|to me|like that|id id id|advise advise advise|u u|to to|watch watch watch|ur ur ur|mouth!! mouth!! ":You|call" call call|MacDonald's MacDonald's MacDonald's|a "your|""culture""?" """culture""?" """culture""?|Nonsense!" Nonsense! Nonsense!|Spend Spend Spend|some some|10 10 10|years years years|in in|France, France, France,|and and|then will|have a|hint hint hint|of what|Culture Culture Culture|is! is! "::""Somebody," "::""Somebody,|go" go|write "write|one.""" "one.""" "one.""|Do" Do|it it|yourself yourself|lazy. lazy. not|make make|personal personal|attacks. attacks. attacks.|Wikipedia Wikipedia|has has|a a|strict strict strict|policy policy policy|against against|personal attacks.|Attack Attack Attack|pages pages pages|and and|images images images|are not|tolerated tolerated tolerated|by by|Wikipedia Wikipedia|and and|are are|speedily speedily|deleted. deleted.|Users Users Users|who who|continue to|create create create|or or|repost repost repost|such such|pages and|images, images, images,|especially especially|those those|in in|violation violation violation|of of|our our|biographies biographies biographies|of of|living living living|persons persons persons|policy, policy, policy,|will Wikipedia.|Thank Thank|you. Thanks|for your|response response response|in in|this this|matter. matter. matter.|Our Our Our|plan plan plan|worke worke worke|like a|charm. charm. charm.|We We We|finally finally finally|got got|the article|negativity negativity negativity|under under|control control control|and then|got got|it it|protected! protected! "::This" "::This|is" is|ridiculous. ridiculous. "ridiculous.|::Aside" "::Aside" "::Aside|from" the|reference reference|not not|actually actually actually|calling calling|it it|a a|war war war|crime, crime, crime,|saying saying|that "that|""some""" """some""" """some""|characterize" characterize characterize|it it|as one|doesn't doesn't|make it|one. one. "one.|::War" "::War" "::War|crimes" crimes crimes|are are|serious serious serious|violations violations violations|of the|laws laws laws|of of|war. war. war.|The The|key key key|words words words|here here|are "are|""laws""" """laws""" """laws""|and" "and|""war.""" """war.""" """war.""|Unless" Unless Unless|one one|lives lives lives|in a|corrupt corrupt|town, town, town,|laws laws|are are|made made|by by|legislatures, legislatures, legislatures,|or or|in this|case case case|ratified ratified ratified|by by|them, them, them,|after after|being written|and and|argued argued argued|over over|by by|diplomats diplomats diplomats|in in|consultation consultation consultation|with with|their their|military's military's military's|generals. generals. generals.|The The|laws of|war war|were were|written written|with the|understanding understanding understanding|that that|killing killing killing|large large large|numbers numbers numbers|of people|may a|legitimate legitimate|and and|necessary necessary|part of|that that|process. process. process.|The not|written by|corrupt corrupt|and ignorant|peaceniks peaceniks peaceniks|sitting sitting sitting|around around|dreaming dreaming dreaming|up up|what they|think think|would be|moral. moral. "moral.|::I'm" "::I'm" "::I'm|deleting" deleting|this this|section. section. section.|It's It's|not not|salvageable. salvageable. "salvageable.|::" ==|Who Who Who|he he|really really|is is|== This|poor poor poor|guy guy|had had|his his|IP IP|stolen stolen stolen|by by|me. me.|Pwned! Pwned! Pwned!|Too Too Too|bad bad bad|his his|ISP ISP ISP|will will|permban permban permban|him. ==|POV POV|issue issue|== article|does not|tell tell|about laws|that that|require require require|boards boards boards|of of|directors, directors, directors,|typical typical typical|officers officers officers|on on|a a|board, board,|typical typical|educations, educations, educations,|experiences, experiences, experiences,|contacts, contacts, contacts,|etc. etc. etc.|of of|board board board|members. members. members.|There also|nothing history|of the|concept concept concept|of of|boards of|directors. directors. directors.|Almost Almost Almost|the the|entire entire entire|article article|is is|devoted devoted devoted|to to|pointing pointing pointing|out out|the the|alleged alleged alleged|shortcomings shortcomings shortcomings|of of|boards, boards, boards,|and and|none none none|of the|statements statements statements|have have|sources sources|to to|verify verify verify|them. them. them.|I'm I'm|tagging tagging tagging|this as|POV POV|until until|these these|issues issues issues|are are|resolved. resolved. I'm|Not Not|vandalizing. vandalizing. vandalizing.|You You|refuse refuse refuse|my my|evidence evidence evidence|on talk|area. area. area.|You be|blind blind blind|in in|your your|support a|Racist Racist Racist|who who|calls calls calls|for for|violence. violence. the|deranged deranged deranged|harrasser harrasser harrasser|here. You|and and|yours yours yours|are. are.|Project Project Project|your your|personality personality personality|onto onto onto|someone someone|else. Please|refrain from|making making|unconstructive unconstructive|edits edits|to to|Wikipedia, Wikipedia,|as as|you did|to to|Meat Meat Meat|grinder. grinder. grinder.|Your Your|edits edits|appear appear|to to|constitute constitute|vandalism have|been been|reverted. reverted. reverted.|If you|would would|like like|to to|experiment, experiment, experiment,|please please|use the|sandbox. sandbox. sandbox.|Thank you.|cab cab cab|(talk) "(talk)|:Don't" ":Don't" ":Don't|you" "you|mean:" "mean:" "mean:|'If" 'If 'If|you use|a a|condom. condom. condom.|Thank Thank|you.' you.' ":Nothing" ":Nothing|wrong" wrong|with with|that that|portrait, portrait, portrait,|but but|she she|was was|queen queen queen|for for|22 22 22|years, years, years,|mostly mostly mostly|as as|an an|adult. adult. adult.|It's It's|great great|for section|on on|her her|childhood. childhood. childhood.|Haven't Haven't Haven't|hade hade hade|time at|your English|yet yet yet|and and|help with|that, that,|if if|needed. needed. needed.|I don't|see why|you you|only only|took took took|this this|as as|criticism, criticism, criticism,|question question|my "my|""goal""" """goal""" """goal""|and" and|got got|so so|grumpy. grumpy. grumpy.|Of Of|course course course|all all|your your|positive positive positive|input input input|to is|appreciated appreciated appreciated|by by|everyone, everyone, everyone,|including including including|me. me.|I have|tried do|my my|bit bit|earlier. earlier. "::Thanks" "::Thanks|for" the|tip! tip! tip!|I've I've I've|been been|looking looking|at the|mediation mediation mediation|thing thing thing|a bit|already already already|- -|and and|suspect suspect suspect|you be|correct correct correct|that a|wholesale wholesale wholesale|revert revert|may be|the the|answer... answer... Only Only|a a|complete complete complete|loser loser loser|writes writes writes|a a|Wiki Wiki Wiki|profile profile profile|about about|themself! themself! themself!|5 5 5|July "2005|21:21" "21:21" "21:21|(UTC)" MY|CHANGES CHANGES CHANGES|DO DO DO|NOT NOT|AFFECT AFFECT AFFECT|ANY ANY ANY|OF OF|THE THE|CONCOCTED CONCOCTED CONCOCTED|OFFENSES OFFENSES OFFENSES|YOU YOU|HAVE HAVE HAVE|BROUGHT BROUGHT BROUGHT|UP! UP! "UP!|WP:NPOV" "WP:NPOV" "WP:NPOV|issues" issues|/ / /|synthesis synthesis "synthesis|WP:Verifiable" "WP:Verifiable" "WP:Verifiable|WP:OR" "WP:OR" "WP:OR|I" bring|your your|OWN OWN OWN|STANCE, STANCE, STANCE,|as as|being being|pro pro pro|orthodox orthodox orthodox|which which|in in|itself itself itself|is is|BIASED! BIASED! BIASED!|i i|am am|again again|going put|the the|changes changes changes|back back|on, on, on,|BECAUSE BECAUSE BECAUSE|I your|STANCE STANCE STANCE|IS IS|TO TO|PROTECT PROTECT|THE THE|CURRENT CURRENT CURRENT|SINGH SINGH SINGH|SABHA SABHA SABHA|ideological ideological ideological|stance stance stance|on on|sikhism, sikhism, sikhism,|WHICH WHICH WHICH|MEANS MEANS MEANS|that that|wikipedia wikipedia|ONLY ONLY ONLY|ACCEPTS ACCEPTS ACCEPTS|ORTHODOX ORTHODOX ORTHODOX|POV and|NOT NOT|unorthodox! unorthodox! unorthodox!|Which Which Which|means means means|going going|by OWN|judgment, judgment, judgment,|that the|CHRISTIAN CHRISTIAN CHRISTIAN|UNORTHODOX UNORTHODOX UNORTHODOX|CHURCH, CHURCH, CHURCH,|which which|exist, exist, exist,|on on|real real|life life|and and|on on|wiki, wiki, wiki,|HAS HAS HAS|NO NO|merit! merit! merit!|THAT THAT|IS IS|A A|BIASED BIASED BIASED|APPROACH! APPROACH! ==|HiDrNick HiDrNick HiDrNick|== ==|Present Present Present|for for|you you|fatty. fatty. fatty.|Relax. Relax. Relax.|don't don't|get get|too too|excited, excited, excited,|it's a|5000 5000 5000|Rhino Rhino Rhino|meal. meal. meal.|[] [] []|[] ==Unblock== ==Unblock==|Blocking Blocking Blocking|me me|will not|solve solve solve|anything. anything. anything.|I I|meant meant meant|what I|called called|that that|person person|and and|I I|shall shall shall|not not|take take|it back.|Today Today Today|he he|allows allows allows|himself himself himself|to to|deleate deleate deleate|all all|of our|images, images,|tommorow tommorow tommorow|all articles,|then then|he he|calls calls|us us us|second second|class class class|people. people. people.|Shame Shame Shame|on on|you for|giving giving|such such|users users|admin admin|rights. rights. rights.|See See|my my|messages messages messages|on "on|Wikipedia:Requests" "Wikipedia:Requests" "Wikipedia:Requests|for" for|comment/Lupo comment/Lupo ==|you you|know? know? know?|== I|already already|finish finish finish|the the|main main main|temple temple temple|structure. structure. structure.|whatever whatever whatever|you you|say, say, say,|arrogant arrogant arrogant|guy. guy. Waaaaahh Waaaaahh|erase erase erase|comments comments|on page|too, too, too,|do you|really really|think think|anybody anybody|is is|reading reading reading|this? this? this?|Are Are Are|you you|that that|insecure? insecure? "==|Wikipedia:Counter" "Wikipedia:Counter" "Wikipedia:Counter|Un-civility" Un-civility Un-civility|Unit Unit Unit|== Unit|is a|new new|wiki-project wiki-project wiki-project|I have|thought thought thought|up. up. up.|I was|wondering wondering wondering|if you|thought thought|it good|idea idea idea|and and|if you|wanted to|join join join|up. I|need need|some some|users users|backing backing backing|me me|before before|I I|construct construct construct|a a|wikiproject, wikiproject, wikiproject,|and to|share share share|my my|views views views|on on|subjects subjects subjects|such such|as as|concensus, concensus, concensus,|civilty, civilty, civilty,|etc. etc.|Reply Reply Reply|on my|talkpage talkpage talkpage|if if|you're you're|interested. interested. interested.|Thanks, Thanks, Thanks,|-MegamanZero|Talk -MegamanZero|Talk am|refering refering refering|to of|Chinese Chinese Chinese|languages languages languages|and and|dialects. dialects. A|rough rough|google google "google|tally:" "tally:" "tally:|*AIDS" *AIDS *AIDS|denialist denialist denialist|13,100 13,100 13,100|hits hits hits|*Big *Big *Big|Tobacco Tobacco Tobacco|denialist/ denialist/ denialist/|Big Big Big|Tobacco Tobacco|denialism denialism denialism|0 0 0|hits hits|*Holocaust *Holocaust *Holocaust|denialist denialist|486 486 486|hits *Holocaust|denier denier denier|306,000 306,000 306,000|hits hits|So So|there there|are are|486 hits|on on|Holocaust Holocaust Holocaust|denialists denialists denialists|who who|are are|getting getting getting|some personal|gain gain gain|from from|their their|denailism, denailism, denailism,|but but|306,000 306,000|google google|hits Holocaust|deniers deniers deniers|who not|getting getting|personal their|denialism? denialism? denialism?|Is Is|that that|what you|maintain? maintain? maintain?|And "And|""Big" """Big" """Big|Tobacco" "Tobacco|denialism""" "denialism""" "denialism""|actually" actually|gets gets|0 0|google hits|because is|so so|well well|known known|those those|denialists denialists|are are|doing doing|it it|for for|personal personal|gain? gain? gain?|And And|so so|on on|and so|forth. forth. forth.|This is|ludicrous. ludicrous. ludicrous.|Give Give Give|it it|up. ==|Taken Taken Taken|from from|Bell Bell Bell|X1 X1 X1|External External External|Links Links Links|section section|== ==|Bell X1|Flock Flock Flock|Album Album Album|Review Review Review|at at|WERS.org WERS.org WERS.org|• • ==|Goodbye Goodbye Goodbye|Cruel Cruel Cruel|World World World|== have|decided decided decided|to to|kill kill|myself. myself. myself.|My My My|Dad Dad Dad|died died died|two two|weeks weeks weeks|ago, ago,|and I|wish wish wish|to join|him. him.|I say|goodbye. goodbye. ==Kobe ==Kobe|Tai== Tai== Tai==|A A|proposed proposed proposed|deletion deletion|template template template|has been|added added|to article|Kobe Kobe Kobe|Tai, Tai, Tai,|suggesting suggesting suggesting|that deleted|according according according|to the|proposed deletion|process. process.|All All|contributions contributions contributions|are are|appreciated, appreciated, appreciated,|but but|this article|may may|not not|satisfy satisfy satisfy|Wikipedia's Wikipedia's Wikipedia's|criteria for|inclusion, inclusion, inclusion,|and the|deletion deletion|notice notice|should should|explain explain explain|why why|(see (see (see|also "also|""What" """What|Wikipedia" "is|not""" "not""" "not""|and" and|Wikipedia's Wikipedia's|deletion deletion|policy). policy). policy).|You may|prevent prevent prevent|the deletion|by by|removing removing|the the|notice, notice, notice,|but but|please please|explain you|disagree disagree disagree|with deletion|in your|edit edit|summary summary summary|or or|on its|talk talk|page. page.|Also, Also, Also,|please please|consider consider|improving improving improving|the to|address address address|the the|issues issues|raised. raised. raised.|Even Even Even|though though|removing notice|will will|prevent prevent|deletion deletion|through through|the deletion|process, process, process,|the may|still still|be deleted|if if|it it|matches matches matches|any deletion|criteria criteria|or or|it it|can be|sent sent sent|to to|Articles Articles Articles|for for|Deletion, Deletion, Deletion,|where where|it if|consensus consensus|to delete|is is|reached. reached. reached.|If you|agree deletion|of only|person who|has made|substantial substantial substantial|edits the|page, page,|please please|add of|Kobe Kobe|Tai. Tai. Tai.|'''''' '''''' ''''''|* * Yeah Yeah|thanks thanks|to to|however however however|did did|that because|now now|the the|stupid stupid|fish fish fish|guy guy|can can|get get|off off off|on on|stupid stupid|information information|Wrestlinglover420 Wrestlinglover420 Pss Pss|Rex, Rex, Rex,|be be|sure sure|to to|DOCUMENT DOCUMENT DOCUMENT|all the|things things things|you've you've|discovered discovered discovered|on the|John John|Kerry Kerry Kerry|page page|etc. etc.|It's It's|awesome awesome awesome|that I|INDEPENDENTLY INDEPENDENTLY INDEPENDENTLY|observed observed observed|(and (and (and|can can|corrorborate) corrorborate) corrorborate)|virtually virtually virtually|the the|exactsame exactsame exactsame|pattern pattern pattern|by by|these these|liberals. liberals. liberals.|Demonizing Demonizing Demonizing|conservatives; conservatives; conservatives;|lionizing lionizing lionizing|liberals. liberals.|It's It's|repeated repeated|ad ad ad|infinitum, infinitum, infinitum,|ad ad|nauseum. nauseum. nauseum.|The The|more more|proof proof proof|we we|have, have, have,|the the|easier easier easier|it it|will be|to to|persuade persuade persuade|all all|but but|their their|fellow fellow fellow|brain-dead brain-dead brain-dead|truth truth|haters haters haters|to to|give a|red red|cent cent cent|to to|Wikipedia. Wikipedia.|And, And,|until until|WHOLESALE WHOLESALE WHOLESALE|changes changes|are made|from top|down, down,|that's that's that's|exactly exactly exactly|what's what's what's|about about|to to|happen. happen. happen.|It's It's|almost almost almost|like like|this the|liberal's liberal's liberal's|religion. religion. religion.|Too bad|they're they're|gonna gonna gonna|have find|a a|church church church|other other|than than|Wikipedia to|practice practice practice|their their|faith, faith,|huh? huh? huh?|I've I've|heard heard|rumors rumors rumors|that that|my my|actions actions|are are|already already|sending sending sending|users users|Hippocrite, Hippocrite, Hippocrite,|Fred Fred Fred|Bauder, Bauder, Bauder,|WoohooKitty, WoohooKitty, WoohooKitty,|Kizzle, Kizzle, Kizzle,|FVW, FVW, FVW,|Derex Derex Derex|and and|especially especially|the the|pimply pimply pimply|faced faced faced|15 15 15|year year year|old old old|RedWolf RedWolf RedWolf|to to|become become become|so so|verklempt verklempt verklempt|they they|don't don't|know know|whether whether|to to|schedule schedule schedule|an an|appointement appointement appointement|with their|psychiatrist...or psychiatrist...or psychiatrist...or|their their|gynecologist. gynecologist. gynecologist.|Big Big|Daddy- Daddy- Daddy-|PHASE PHASE PHASE|II II II|Dry Dry Dry|up the|funding funding funding|(on (on (on|the the|road) road) Your|ignorant comments|Before Before|acting acting|as a|functional functional functional|illiterate, illiterate, illiterate,|you you|should should|have have|read the|pertinent pertinent pertinent|prior prior|discussion discussion|already already|took took|place place|in the|removed removed|content which|has no|place a|biography. biography. biography.|By By By|the the|way, way, way,|how how|is is|your your|boyfriend boyfriend boyfriend|Bertil Bertil Bertil|Videt Videt Videt|doing? doing? doing?|I I|read read|sensational sensational sensational|stuff stuff stuff|on on|his his|talk page|which which|he he|keeps keeps keeps|hiding. hiding. hiding.|Did Did Did|you you|get get|to to|meet meet meet|with his|other other|boyfriends boyfriends boyfriends|yet? yet? . .|I'm I'm|afraid afraid afraid|to that|if if|anyone anyone|agreed agreed agreed|with your|interpretation interpretation interpretation|on on|what what|denotes denotes denotes|a a|comment comment comment|or or|remark remark remark|by by|one one|to an|insult, insult, insult,|well well|I'd I'd I'd|have that|you're you're|all all|stark stark stark|raving, raving, raving,|bloody bloody bloody|mad! mad! === ===|Age Age Age|of of|Modern Modern Modern|Humans Humans Humans|=== ===|The The|article article|says says says|the the|age age age|of of|modern modern modern|humans humans humans|is is|200 200 200|thousands thousands thousands|years years|which is|unsourced unsourced unsourced|material material material|obviously obviously obviously|becausee becausee becausee|no one|knows. knows. knows.|However However|the source|provided provided|says says|130,000 130,000 130,000|years. years. years.|So So|how how|old old|are are|humans? humans? humans?|200 200|thousand thousand thousand|years years|old, old, old,|130 130 130|years old,|or or|the the|millions millions millions|of of|other other|numbers numbers|that that|science science science|has has|claimed? claimed? It|wasn't wasn't wasn't|a attack.|If If|your your|grasp grasp grasp|of of|english english english|is so|poor poor|you you|shouldn't shouldn't shouldn't|be be|attempting attempting attempting|to to|censor censor censor|people. ":::*Generic" ":::*Generic|fair" fair fair|use use|rationales rationales rationales|are, are, are,|by by|definition, definition, definition,|impossible. impossible. ":That" ":That|isnt" isnt|going to|work, you|dont dont|seem seem|stupid stupid|enough enough|to to|think it|will. will. will.|'''''' ''''''|- ":::" ":::|Get" Get|off off|your your|high high high|horse, horse, horse,|or or|block block block|me. You're|very very|unreasonable unreasonable unreasonable|and and|bored, bored, bored,|sick sick sick|person! person! person!|If no|reason reason|to delete|an article|without without|knowing knowing knowing|or or|seeing seeing seeing|the the|full full full|content. content. content.|Hold Hold Hold|your your|horses horses horses|and then|decide. decide. decide.|If have|an an|e-mail e-mail e-mail|address address|I'd I'd|like to|debate debate debate|this this|with with|you. you.|-Wikipedia -Wikipedia -Wikipedia|Supervisor! Supervisor! "::The" "::The|problem" problem|is not|only only|with the|sections sections sections|concerning "concerning|""Controversy" """Controversy" """Controversy|about" about|media "media|coverage""," "coverage""," "coverage"",|the" the|major major major|problem that|many many many|major major|points points points|about the|Greek Greek Greek|debt debt debt|crisis crisis crisis|are are|missing missing|in the|lead lead|and article,|even even|though it|consists consists consists|of of|>100 >100 >100|pages. pages.|This is|addressed addressed addressed|in "in|::*" "::*" "::*|section" section|#4 #4 #4|- "-|"">100" """>100" """>100|pages," pages, pages,|but but|still still|main main|points "points|missing?""" "missing?""" "missing?""|::*" section|#5 #5 #5|- "-|""" """" """|Why" Why|did did|Greece Greece Greece|need need|fiscal fiscal fiscal|austerity austerity austerity|in the|midst midst midst|of of|its its|crisis? crisis? "crisis?|""" """|::*" section|#6 #6 #6|- """|POV" POV|/ /|LEAD LEAD LEAD|debate "debate|""" """|::Two" "::Two" "::Two|weeks" ago,|I I|proposed proposed|in this|section #4|to to|have have|the points|at at|least least least|in in|summary summary|style style style|in lead|(as (as (as|important important|ones ones ones|are not|even even|in the|article) article) "article)|::Just" "::Just" "::Just|let's" let's let's|only only|take take|the the|first first|point point|listed listed|in in|#4, #4, #4,|being being|joining joining joining|the the|Euro Euro Euro|without without|sufficient sufficient sufficient|financial financial financial|convergence convergence convergence|and and|competitiveness competitiveness competitiveness|in the|summary summary|list list|of of|causes causes causes|for debt|crisis. crisis. crisis.|It major|single single|and and|early early early|root root root|cause cause|for crisis.|Without Without Without|this this|root cause|Greece Greece|could could|technically technically technically|not had|this this|debt crisis|because it|could could|always always always|have have|printed printed printed|itself itself|out out|of of|every every|debt debt|volume volume volume|as as|they they|did did|before before|with the|drachma. drachma. drachma.|But But|this this|cause cause|is the|100 100 100|WP WP WP|pages and|in the|WP WP|lead. lead. lead.|The The|current current|lead lead|only only|lists lists lists|normal normal normal|problems problems problems|like "like|""structural" """structural" """structural|weaknesses""" "weaknesses""" "weaknesses""|and" "and|""recessions""" """recessions""" """recessions""|(even" (even (even|though is|clear clear clear|that that|Greece Greece|faced faced|those those|normal problems|for for|decades decades|and and|always always|solved solved solved|them them|with with|high high|drachma drachma drachma|inflation inflation inflation|if if|needed) needed) needed)|- so|without without|naming naming naming|the the|root cause|there is|no no|cause "crisis.|::What" "::What" "::What|happened" happened|after after|I proposed|to points|in article|(at (at (at|least lead|as a|summary) summary) summary)|and and|also also|invited invited invited|everybody everybody|to to|add/change/delete add/change/delete add/change/delete|from from|my my|proposed proposed|the main|point point|list? list? list?|There There|were were|strong strong strong|opponents opponents opponents|working working working|in a|coordinated coordinated coordinated|action, action, action,|threatening threatening|to fight|any any|significant significant significant|change, change, change,|saying saying|one one|can can|not not|summarize summarize summarize|a a|Greek debt|crisis, crisis, crisis,|saying "saying|""Greek" """Greek" """Greek|interests" interests|[need [need [need|to to|have] have] have]|a "a|prominence"")" "prominence"")" "prominence"")|when" when|describing describing describing|the the|debt crisis|in in|WP, WP, WP,|saying saying|they they|will not|let let|other other|editors editors|summarize summarize|it, it,|and so|on. on. on.|So So|we have|almost almost|100 100|new new|pages pages|in talk|section, section, section,|and and|main the|lemma lemma lemma|not not|in article|(like (like (like|it was|during during during|the last|5 5|years) years) "years)|::" ||decline=Nobody decline=Nobody decline=Nobody|on on|Wikipedia Wikipedia|wants wants|your your|moronic moronic moronic|edits! edits! edits!|Take Take Take|a a|hike! hike! Welcome!|Hello, Hello, Hello,|, ,|and and|welcome welcome welcome|to to|Wikipedia! Wikipedia! Wikipedia!|Thank your|contributions. contributions. contributions.|I you|like like|the place|and and|decide decide decide|to to|stay. stay. stay.|Here Here|are a|few few few|good good|links links links|for "for|newcomers:" "newcomers:" "newcomers:|*The" *The *The|five five five|pillars pillars pillars|of of|Wikipedia Wikipedia|*How *How *How|to to|edit edit|a page|*Help *Help *Help|pages pages|*Tutorial *Tutorial *Tutorial|*How to|write write|a great|article article|*Manual *Manual *Manual|of of|Style Style Style|I you|enjoy enjoy enjoy|editing editing|here here|and and|being a|Wikipedian! Wikipedian! Wikipedian!|Please Please|sign sign|your your|name name|on on|talk talk|pages pages|using using using|four four|tildes tildes tildes|(~~~~); (~~~~); (~~~~);|this this|will will|automatically automatically automatically|produce produce produce|your name|and the|date. date. date.|If you|need need|help, help, help,|check "out|Wikipedia:Questions," "Wikipedia:Questions," "Wikipedia:Questions,|ask" ask|me talk|page, page,|or or|place place|{{helpme}} {{helpme}} {{helpme}}|on your|talk and|someone someone|will will|show show|up up|shortly shortly shortly|to to|answer answer|your your|questions. questions. questions.|Again, Again, Again,|welcome!  welcome!  welcome! |By way,|I I|noticed have|created created|the article|Dr. Dr. Dr.|Manfred Manfred Manfred|Gerstenfeld. Gerstenfeld. Gerstenfeld.|Some Some|of the|sentences sentences sentences|there there|seem seem|copied copied copied|directly directly directly|from from|Dr Dr Dr|Gerstenfeld’s Gerstenfeld’s Gerstenfeld’s|homepage; homepage; homepage;|this not|desirable, desirable, desirable,|because it|creates creates creates|the the|impression impression impression|that article|was was|copied copied|from the|homepage, homepage, homepage,|which which|might might|be be|be copyright|violation. violation. violation.|Perhaps Perhaps|you should|try to|rewrite rewrite rewrite|the article|a bit|to to|avoid avoid|that. that.|Also, Also,|some some|kind kind kind|of of|indication indication indication|about about|why why|Dr Dr|Gerstenfeld Gerstenfeld Gerstenfeld|is is|notable notable|would be|nice nice|to have|(cf. (cf. "(cf.|WP:BIO" "WP:BIO" "WP:BIO|and" "and|WP:PROFTEST" "WP:PROFTEST" "WP:PROFTEST|for" for|ideas ideas ideas|on on|how do|that). that). that).|— ==|i i|hate hate|your your|guts guts guts|== i|hope you|feel feel|good good|about "::|oh" oh oh|i i|bet bet bet|you are|little boy.|now now|go go|up up|stairs, stairs, stairs,|your your|mummy mummy mummy|made your|lunch lunch "PS:" "PS:|you're" all|middle-aged middle-aged middle-aged|losers losers losers|at at|home home home|in your|parents parents parents|basements basements basements|living living|off off|50 50 50|bucks bucks bucks|a a|week week Samuell, Samuell,|if not|want the|one one|dead, dead, dead,|better better|proceed proceed proceed|as as|requested. requested. requested.|Either Either Either|that that|or or|we'll we'll we'll|keep keep|beating! beating! i|dare dare dare|you you|== ==|Block Block Block|me. will|do do|it it|again, again,|i to|reply my|discussions discussions discussions|rather rather|owning owning owning|articles articles|and and|issuing issuing issuing|warnings. WELL|SAID SAID SAID|Loremaster Loremaster Loremaster|you not|own own|the article,|you you|tyrannical tyrannical tyrannical|anti-knowledge anti-knowledge anti-knowledge|hater. hater. didn't|say myself|don't don't|agree with|what what|the reference|says, says, says,|or or|I myself|know know|better better|than than|what says,|so so|I am|going to|correct correct|it it|or or|remove remove|it it|based my|own own|original original original|research. research. research.|Do Do|not not|distort distort distort|my my|words. words. words.|I said|Myanmar Myanmar Myanmar|has has|nothing nothing|to the|topic. topic. topic.|You You|have have|problems problems|with with|understanding. understanding. "::So" "::So|you" than|the the|admin! admin! admin!|Are you|excusing excusing excusing|all the|above? above? above?|Are you|ignoring ignoring|all his|breaks breaks breaks|on mediation|- -|do you|not not|remember remember remember|your your|reaction reaction reaction|when when|I changed|BOMBER BOMBER BOMBER|to to|Volunteer, Volunteer, Volunteer,|you seem|very very|quite quite|of of|this, this,|do not|think is|total total total|hypocritical? hypocritical? ==|October October October|2013 2013 2013|== You|want want|ME ME|for for|understanding? understanding? understanding?|I'll I'll|give give|you you|understanding, understanding, understanding,|you you|annoying annoying annoying|editor! editor! ,|6 6 6|January January January|2014 2014 2014|(UTC) "(UTC)|::::Ok," "::::Ok," "::::Ok,|so" so|Anon Anon Anon|IP IP|from from|Tempe, Tempe, Tempe,|Arizona Arizona Arizona|aka aka aka|174.19.166.126 174.19.166.126 174.19.166.126|aka aka|174.19.169.92, 174.19.169.92, 174.19.169.92,|who who|apparently apparently|only only|edits edits|the the|Ted Ted Ted|Cruz Cruz Cruz|article article|and and|no no|other, other, other,|now now|that have|conclusively conclusively conclusively|answered answered answered|your your|question, question, question,|please please|provide provide|me me|reasons reasons reasons|that be|edited edited edited|just just|like like|Jennifer Jennifer Jennifer|Granholm Granholm Granholm|article. article.|It It|was was|your your|suggestion suggestion suggestion|I I|assume assume assume|you some|thoughts thoughts thoughts|on this|topic, topic, topic,|right? right? "right?|22:38" "22:38" You're|a real|glutton glutton glutton|for for|punishment. punishment. punishment.|;-) ;-) I'm|the the|latest latest latest|yet, yet, yet,|but but|congratulations congratulations congratulations|on your|re-adminship. re-adminship. re-adminship.|That's That's That's|the the|third third third|time time|I've I've|voted voted voted|for you,|don't don't|make make|me me|do it|again! again! again!|-P -P -P|30 30 30|June June June|2005 "2005|17:17" "17:17" "17:17|(UTC)" ":Erm," ":Erm,|thank" thank|you. ":|LOTHAT" LOTHAT LOTHAT|VON VON VON|TROTHA TROTHA TROTHA|WAS WAS WAS|POISONED, POISONED, POISONED,|THAT'S THAT'S THAT'S|WHAT WHAT|CONTAMINATION CONTAMINATION CONTAMINATION|IS! IS! IS!|YOU YOU|GET GET GET|TYPHOID TYPHOID TYPHOID|FEVER FEVER FEVER|ONLY ONLY|THROUGH THROUGH THROUGH|POISONED POISONED POISONED|FOOD FOOD FOOD|OR OR OR|DRINK! DRINK! ==|Robbie Robbie Robbie|Hummel Hummel Hummel|== ==|Way Way Way|to to|speedy speedy|delete delete|my my|Robbie Hummel|article! article! article!|It's It's|now now|a real|article you|can't can't|do anything|about about|it. it.|I I|can't can't|believe believe|you would|do do|this to|me. You|must must must|hate hate|black black black|people. ":Merge" ":Merge|and" and|redirect redirect redirect|as per|, ,|also also|for for|Base Base Base|32 32 32|into into|Base32 Base32 Base32|(I (I (I|just just|edited edited|Base32, Base32, Base32,|and and|needed needed needed|Base64 Base64 Base64|in in|UTF-1). UTF-1). a|dumb dumb dumb|American, American, American,|right? right?|No No|degree? degree? degree?|Knows Knows Knows|nothing nothing|of of|engineering? engineering? engineering?|Thinks Thinks Thinks|mathematics mathematics mathematics|is "is|""universal""?" """universal""?" """universal""?|Played" Played Played|monopoly monopoly monopoly|in in|high high|school school school|instead instead instead|of of|learning? learning? learning?|How How|am am|I I|doing doing|so so|far? far? ":::::::::::You" ":::::::::::You|read" read|it; it; it;|your your|note note|addressed addressed|something something|else. else.|(Incidentally, (Incidentally, (Incidentally,|your your|reasoning reasoning reasoning|above above above|is is|unsound; unsound; unsound;|whether whether|or or|not not|my my|Rushdie Rushdie Rushdie|comparison comparison comparison|holds holds holds|up, up, up,|it not|fail fail fail|to to|hold hold hold|up up|because because|his his|literary literary literary|career career career|is a|failure). failure). failure).|But But|I you|understand, understand, understand,|I not|trying to|get get|any any|decision decision decision|reversed reversed reversed|(and (and|never never|was). was). was).|Rather, Rather, Rather,|I am|yelling yelling yelling|at at|you for|enforcing enforcing enforcing|a a|stupid stupid|policy. policy. policy.|- Sandifer, Sandifer,|I'm going|BUY BUY BUY|my my|way way|back back|into into|wikipedia. wikipedia.|For For|all your|puffery, puffery, puffery,|I'll I'll|bet bet|you've you've|never never|forked forked forked|over over|a a|penny penny penny|to the|cause. cause. cause.|And And|even even|you you|have, have,|I'll I'll|make make|your your|contribution contribution contribution|seem like|pennies. pennies. ==|Hello, Hello,|Nawlins Nawlins Nawlins|== ==|Why Why|do to|deflower deflower deflower|prepubescent prepubescent prepubescent|girls? girls? girls?|Don’t Don’t Don’t|you know|that’s that’s that’s|a a|felony? felony? Vinny Vinny|Burgoo Burgoo Burgoo|= = =|suspected suspected suspected|sock sock|puppet puppet puppet|Are you|ever ever|going to|withdraw withdraw withdraw|this this|accusation? accusation? accusation?|It's It's|currently currently|the the|second second|hit hit hit|with a|Google Google Google|search search|with with|'Vinny 'Vinny 'Vinny|Burgoo' Burgoo' Burgoo'|(my (my (my|one one|and and|only only|online online online|identity identity|for for|nearly nearly nearly|ten ten ten|years) years)|and and|it's it's|wholly wholly wholly|bogus. bogus. bogus.|Someone Someone Someone|posted posted posted|something something|in in|support of|something something|very very|stupid stupid|I had|done done|at at|Wiktionary Wiktionary Wiktionary|(I (I|called called|a a|serial serial serial|Wiki Wiki|tyrant tyrant tyrant|a a|'c**t' 'c**t' 'c**t'|after after|he he|had had|unambiguously unambiguously unambiguously|broken broken broken|Wiki's Wiki's Wiki's|rules, rules, rules,|then I|compounded compounded compounded|this this|by by|threatening threatening|him him|in in|what I|thought thought|at the|time a|transparently transparently transparently|jocular jocular jocular|manner, manner, manner,|but but|wasn't) wasn't) wasn't)|and this|'supporter' 'supporter' 'supporter'|was was|assumed assumed assumed|to be|me me|using using|another another another|identity identity|and and|another another|IP IP|trying get|around around|a a|temporary temporary temporary|block. block. block.|I still|use use|Wikipedia Wikipedia|a a|lot lot lot|but but|have no|interest interest|whatsoever whatsoever whatsoever|in in|editing editing|it it|ever ever|again, again,|so so|by by|all all|means means|say for|disruptive disruptive disruptive|editing "editing|(guilty:" "(guilty:" "(guilty:|I" got|fed fed fed|up up|with the|lot lot|of of|you) you) you)|or or|whatever whatever|else else|I was|accused accused accused|of of|before before|this this|puppeteer puppeteer puppeteer|nonsense nonsense nonsense|was was|settled settled settled|on on|(the (the (the|crime crime crime|kept kept kept|changing) changing) changing)|but but|I'm not|happy happy happy|with you|currently currently|show. show. show.|Take Take|it it|down down down|or else.|A A|genuine genuine genuine|threat threat threat|this this|time? time?|We'll We'll We'll|see. see. Other Other|than than|that could|see see|how how|the the|side side side|bar bar bar|looks looks looks|intergrated intergrated intergrated|into into|the top|welcome welcome|section right|and it|just just|one one|section. section.|Providing Providing Providing|you it|the same|length length length|and and|shrink shrink shrink|the the|other other|pics pics pics|down down|a a|little little|it should|fit fit fit|in the|top? top? I|reckon reckon reckon|you should|die die is|British British British|form form|and and|does not|correspond correspond correspond|to to|French French French|nobiliary nobiliary nobiliary|rules, rules,|which, which, which,|in in|any any|case, case, case,|are are|defunct, defunct, defunct,|given given|that that|French French|noble noble noble|titles titles titles|were were|rendered rendered rendered|obsolete obsolete obsolete|more a|century century century|ago. ago. ago.|I think|that, that,|technically, technically, technically,|she she|is is|merely merely|Raine Raine Raine|Spencer, Spencer, Spencer,|having having|retrieved retrieved retrieved|her her|previous previous previous|surname surname surname|upon upon upon|her her|divorce divorce divorce|from from|Chambrun. Chambrun. Chambrun.|(And (And (And|during the|French French|marriage, marriage, marriage,|she was|not not|Countess Countess Countess|of of|Chambrun, Chambrun, Chambrun,|she was|Countess Countess|Jean-Francois Jean-Francois Jean-Francois|de de de|Chambrun, Chambrun,|and, and, and,|as per|French French|usage, usage, usage,|would be|referred referred referred|to to|as as|Mme Mme Mme|de Chambrun,|with title|used used|only by|servants servants servants|and and|so-called so-called so-called|inferiors.) inferiors.) Hey Hey|jerk jerk jerk|we we|may may|do do|a "a|deal:" "deal:" "deal:|please" please|let let|in in|peace peace peace|the the|articles articles|of of|Carl Carl Carl|Grissom Grissom Grissom|and and|Bob Bob Bob|the the|goon. goon. goon.|Also Also Also|unlock unlock unlock|the the|Chase Chase Chase|Meridian Meridian Meridian|articles and|accept accept accept|that that|Jack Jack Jack|Napier Napier Napier|are are|in in|Batman Batman Batman|Forever. Forever. Forever.|In In In|change change|I I|let let|of of|vandalize vandalize|the the|user user|articles. articles. wikipedia.org wikipedia.org|for for|my my|fans fans fans|i i|leave leave|for for|one one|second second|and and|Wikipedia has|blocked blocked|my my|published published|content content|for for|racist racist racist|organizations organizations organizations|who who|spam spam spam|and/or and/or and/or|advertize advertize advertize|in the|search search|engines engines engines|under under|wikipedia.org wikipedia.org|name. name. name.|would would|you like|me to|should should|you you|the the|links links|or the|world world|the the|links? links? links?|I am|sick sick|of the|racism racism|on on|wikipedia.org. wikipedia.org. wikipedia.org.|stop stop|blocking blocking blocking|my my|publishing publishing publishing|that in|fact fact|not not|spam spam|and not|advertizing advertizing advertizing|anything. anything.|It my|life, life, life,|a real|american, american, american,|in in|america. america. again|the the|TYRANNY TYRANNY TYRANNY|of of|Liberal Liberal Liberal|opinions opinions opinions|rules rules rules|over over|all, all, all,|just the|Nazis Nazis Nazis|or or|Facists. Facists. ok ok|so so|its its|the the|currupt currupt "currupt|admin:" "admin:" "admin:|desucka,crooked" desucka,crooked desucka,crooked|bullet,and bullet,and bullet,and|krappydude. krappydude. krappydude.|made made|a a|mental mental mental|note PAGE|GO GO GO|DIE DIE DIE|YOU YOU|STUPID STUPID STUPID|ARSEWHOLE ARSEWHOLE ARSEWHOLE|AUTOMATED AUTOMATED AUTOMATED|FILTER FILTER ":::The" ":::The|article" as|it it|stands stands stands|is is|of of|almost almost|no no|use use|to the|readership readership readership|it's it's|aimed aimed aimed|at, at, at,|that's that's|the the|problem. problem. problem.|I can't|imagine imagine imagine|why why|any any|medical medical|professional professional professional|would would|choose to|use use|Wikipedia, Wikipedia,|but but|even even|if if|they they|do, do, do,|they they|have have|easy easy easy|access access access|to to|better better|source source|material. material. material.|The The|general general general|reader reader|doesn't doesn't|have have|that that|easy easy|access, access, access,|so so|it would|make make|sense sense|to to|aim aim aim|to article|at at|them. "::Dai" "::Dai|antagonized" antagonized antagonized|me me|with with|he he|comment comment|of my|'first' 'first' 'first'|page page|move. move. move.|Then Then Then|Snowded Snowded Snowded|suggested suggested suggested|I a|either either|a a|drunk drunk drunk|or or|just just|plain plain plain|stupid. stupid. stupid.|They They They|should be|attacking attacking attacking|me on|those those|public public public|talkpages talkpages talkpages|& & &|through through|their their|'edi 'edi 'edi|summaries'. summaries'. summaries'.|I I|used used|to a|happy happy|bloke, bloke, bloke,|but but|Dai Dai Dai|& &|Snowy Snowy Snowy|continue to|poke poke poke|& &|provoke provoke provoke|me, me,|via via via|stalking, stalking, stalking,|harrassment harrassment harrassment|& &|contant contant contant|ABF. ABF. ABF.|They They|treat treat treat|me like|dirt, dirt, dirt,|on on|thos thos thos|public public|pages. ==|How How|rumours rumours rumours|get get|started started started|== is|how how|rumours get|started. started. started.|Ramsquire Ramsquire Ramsquire|is is|caught caught caught|again again|starting starting starting|a a|rumour. rumour. "rumour.|*RPJ:" "*RPJ:" "*RPJ:|There" no|chain chain chain|of of|custody custody custody|on the|rifle. rifle. "rifle.|*Ramsquire:" "*Ramsquire:" "*Ramsquire:|""Yes" """Yes" """Yes|there" "there|is.""" "is.""" "is.""|*RPJ:" "*RPJ:|Where?" Where? "Where?|*Ramsquire:" "*Ramsquire:|""Its" """Its" """Its|not" "the|article.""" "article.""" "article.""|and" "and|""I'm" """I'm" """I'm|not" do|any any|research research research|for "for|you.""" "you.""" "you.""|*RPJ:" "*RPJ:|Ramsquire," Ramsquire, Ramsquire,|please, please, please,|just just|admit admit admit|you you|made the|whole whole whole|story story story|up up|about a|there there|being "being|""chain" """chain" """chain|of" "of|custody""" "custody""" "custody""|on" ":::This" ":::This|discussion" discussion|was was|dead dead dead|from from|more than|half half half|of of|month month|when I|archived archived archived|it. I|really really|want see|Heta, Heta, Heta,|Stigma Stigma Stigma|and and|Sho Sho Sho|in in|article, article,|but I|cannot cannot|add add|them them|again again|effectively, effectively, effectively,|because because|of of|threat threat|of of|edit edit|war war|triggering triggering triggering|mentioned mentioned mentioned|above above|by by|me, me,|which is|manifested manifested manifested|by by|reverts reverts reverts|made by|other editors|after after|readding readding readding|these these|letters letters letters|by "::::::::Oh" "::::::::Oh|seriously," seriously, seriously,|you're you're|definitely definitely definitely|a a|challenging challenging challenging|one. one.|As As|I I|said, said, said,|it's it's|a a|legal legal legal|matter. One One|thing thing|I hate|is people|who who|talk talk|about other|people people|behind behind|their their|backs backs backs|because because|they they|are are|too too|gutless gutless gutless|to to|confront confront confront|them them|in in|person. person. person.|You You|go go|bad bad|mouthing mouthing mouthing|people and|Slim Slim Slim|Virgin Virgin Virgin|and and|others others others|off off|behind behind|our our|backs. backs. backs.|Really Really Really|honorable honorable honorable|behaviour. behaviour. behaviour.|You a|weak weak weak|person. *Please *Please|refrain adding|nonsense nonsense|to to|WWE WWE|RAW. RAW. RAW.|It is|considered considered considered|vandalism. vandalism.|If experiment,|use ==|... ...|== ==|WHY WHY WHY|DO DO|YOU YOU|ACT ACT ACT|SO SO|HOSTILE HOSTILE HOSTILE|WHEN WHEN|YOU GET|INSULTED?!?! INSULTED?!?! INSULTED?!?!|LEARN LEARN LEARN|TO TO|FRIGGIN FRIGGIN FRIGGIN|FIND FIND FIND|SOURCES SOURCES SOURCES|BEFORE BEFORE BEFORE|YOU DELETE|THOSE THOSE THOSE|PRICING PRICING PRICING|GAME GAME GAME|ARTICLES, ARTICLES, ARTICLES,|GD GD ":::If" ":::If|you" you|two two|weren't weren't weren't|ganging ganging ganging|up up|on on|me me|I'd I'd|get report|you you|first first|and and|get get|you you|banned. banned. is|really really|world world|you you|enter enter enter|my my|yard, yard, yard,|I will|use use|my my|hunter hunter hunter|rifle rifle rifle|blow blow blow|out out|you you|head. head. head.|but but|we we|are in|wiki, wiki,|so will|flag flag flag|you you|as as|vandals. vandals. Your|break break break|== ==|Hey Hey|Mr Mr Mr|V. V. V.|I a|safe safe safe|and and|restful restful restful|break. break. break.|But But|don't be|gone gone gone|for for|too too|long! long! long!|) ) )|Best Best Best|wishes, wishes, My|edits edits|are are|fine. fine. fine.|You You|people are|on the|losing losing|side. side. side.|You no|shame. shame. ==|Dont Dont Dont|go go|on on|making making|a a|FOOL FOOL FOOL|of yourself|, ,|Paula! Paula! Paula!|The The|whole whole|school school|is is|laughing laughing|already! already! already!|== ==|Too bad|that cannot|quit quit quit|popping popping popping|that that|stuff! stuff! stuff!|Drugs Drugs Drugs|are are|gonna gonna|get you|in in|trouble trouble trouble|one one|day! day! day!|(much (much (much|more more|then then|the the|stuff stuff|you with|half half|the the|guys guys guys|in in|our our|class class|, ,|at the|movies! movies! movies!|Jonathan Jonathan Jonathan|told told told|his his|mom, mom, mom,|when when|she she|asked asked asked|what the|spots spots spots|on his|pants pants pants|were!) were!) were!)|Stop Stop|lying, lying, lying,|stop stop|accusing accusing accusing|people of|sockpuppetry sockpuppetry sockpuppetry|who who|seem seem|continents continents continents|apart, apart, apart,|stop stop|hiding hiding|exactly exactly|those those|tracks tracks tracks|about about|you you|accuse accuse accuse|others others|of. of. of.|You You|get get|yourself yourself|into into|a a|shambles, shambles, shambles,|credibility credibility credibility|wise. wise. wise.|Anyhow, Anyhow, Anyhow,|what what|business business business|of of|yours yours|is it|what people|without without|remotest remotest remotest|relation relation relation|to to|you do|on on|wikipedia? wikipedia? wikipedia?|You seem|drunk, drunk, drunk,|on on|drugs drugs drugs|and and|having having|your your|period period period|??? ??? The|place is|now now|it's it's|the the|correct correct|place. place. place.|It's It's|chronologically chronologically chronologically|and and|historically historically historically|correct correct|as is|now. now.|Otherwise Otherwise Otherwise|you to|move move move|also also|your your|data data data|as Before|I I|accuse accuse|you you|of of|cringeworthy cringeworthy cringeworthy|acts acts|with with|donkeys, donkeys, donkeys,|what what|does does|sprotected sprotected sprotected|mean? mean? the|reply reply|– – –|my my|biggest biggest biggest|issue issue|at the|moment moment moment|is is|whether "include|""sales" """sales" """sales|figures""" "figures""" "figures""|for" for|earlier earlier earlier|years... years... years...|as as|far I|know, know, know,|there there|were were|no no|published published|end end end|of of|year year|sales sales sales|figures figures figures|before before|1994, 1994, 1994,|and the|sales sales|published published|at time|for for|1994 1994 1994|to to|1996 1996 1996|have have|since since|been been|discredited discredited discredited|and and|revised, revised, revised,|so so|are are|basically basically basically|worthless. worthless. worthless.|The The|figures figures|currently currently|quoted quoted quoted|in articles|up up|to 1996|are are|usually usually "usually|""estimates""" """estimates""" """estimates""|that" been|taken taken|from from|various various various|charts charts charts|message message|boards, boards,|calculated calculated calculated|by by|enthusiasts enthusiasts enthusiasts|from from|officially officially|published published|yearly yearly yearly|sales figures|per per|artist artist artist|(i.e. (i.e.|sales sales|could could|be be|made made|up up|of of|one one|or or|more more|singles singles singles|or or|albums, albums, albums,|and and|estimating estimating estimating|what what|percentage percentage percentage|of of|sales sales|were were|assigned assigned assigned|to to|each each|record). record). record).|As As|these these|are are|completely completely|unofficial unofficial unofficial|and and|unverifiable, unverifiable, unverifiable,|I am|thinking thinking|to to|remove remove|them them|altogether altogether altogether|or or|at least|add note|that that|all all|figures figures|are are|unofficial and|estimated. estimated. estimated.|In In|any any|case case|I think|most most|people in|how how|many many|records records records|the the|37th 37th 37th|best best best|selling selling selling|album album album|of of|1987 1987 1987|sold sold sold|that that|year year|– –|it it|makes makes|more more|sense to|concentrate concentrate concentrate|efforts efforts|into into|keeping keeping|List of|best-selling best-selling best-selling|singles singles|in United|Kingdom Kingdom Kingdom|up to|date. do|have have|Welsh Welsh Welsh|friends friends friends|there there|ask them|how how|my my|Welsh Welsh|is? is? is?|I cannot|tell tell|you you|if if|I'm I'm|a a|native native native|speaker speaker speaker|or not|- -|I I|could could|be, be,|I'm a|cosmopolitan. cosmopolitan. cosmopolitan.|Personally, Personally, Personally,|my my|favorite favorite favorite|version version|was was|. ":Spot," ":Spot,|grow" grow|up! up! up!|The being|improved improved improved|with the|new new|structure. structure.|Please Please|stop stop|your your|nonsense. nonsense. SINCE SINCE|WHEN WHEN|IS IS|>>>>SOURCED<<<< >>>>SOURCED<<<< >>>>SOURCED<<<<|EDITING EDITING EDITING|VANDALISM??? VANDALISM??? VANDALISM???|READ READ READ|THE THE|CITED CITED CITED|SOURCES! SOURCES! SOURCES!|WHERE WHERE WHERE|pray pray pray|tell me|DOES DOES DOES|IT IT IT|SAY SAY SAY|THAT THAT|IRAN IRAN IRAN|EVER EVER EVER|(I (I|SAY SAY|EVER) EVER) EVER)|HAD HAD HAD|A A|DEMOCRATICAL DEMOCRATICAL DEMOCRATICAL|ELECTION ELECTION ELECTION|OF OF|ANY ANY|SORT SORT SORT|OR OR|SHAPE SHAPE SHAPE|in in|HISTORY?? HISTORY?? HISTORY??|QUIT QUIT QUIT|CONVERTING CONVERTING CONVERTING|WIKIPEDIA WIKIPEDIA WIKIPEDIA|INTO INTO INTO|A A|TRASH TRASH TRASH|BIN BIN BIN|with with|YOUR YOUR|SILLY SILLY SILLY|AND AND|INFANTILE INFANTILE INFANTILE|PRANKS! PRANKS! PRANKS!|KISSING KISSING KISSING|EACH EACH EACH|OTHER'S OTHER'S OTHER'S|REAR REAR REAR|ENDS ENDS ENDS|DOESN*T DOESN*T DOESN*T|MAKE MAKE MAKE|POV POV|less less less|POV ==|Eww, Eww, Eww,|I can|s s s|m m m|e e e|l l l|l l|something something|horrible horrible horrible|round round round|here! here! here!|== ==|Ewwww Ewwww Ewwww|is that|you? you? you?|i l|you you|from from|here, here,|man! man! man!|peee-yewww!go peee-yewww!go peee-yewww!go|take a|bath bath bath|or or|something, something, something,|fleabag! fleabag! ==|Hi Hi Hi|== How|dare dare|you? you?|try words.|Are you|Libra, Libra, Libra,|Gemini Gemini Gemini|or or|some some|haters haters|else? else? else?|The The|picture picture|on "the|""front" """front" """front|page""" "page""" "page""|was" was|so so|show-off. show-off. UKDoctor UKDoctor|responds responds responds|Shut Shut Shut|Up, Up, Up,|David David David|Ruben Ruben Ruben|- -|can't can't|you you|see see|JdWolff JdWolff JdWolff|referring referring referring|to to|others others|as as|TIGERS TIGERS TIGERS|IN IN IN|CAGES CAGES CAGES|!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!|David Ruben|is not|any any|better better|and and|should should|go go|take a|flying flying flying|leap leap leap|into the|deep deep deep|end the|Pacific Pacific Pacific|Ocean Ocean Ocean|if if|he he|wants wants|to. to. to.|. .|. .|WE WE WE|WHITE WHITE WHITE|DOCTORS DOCTORS DOCTORS|ARE ARE|TOTALLY TOTALLY TOTALLY|ASHAMED ASHAMED ASHAMED|OF THE|GENERAL GENERAL GENERAL|MEDICAL MEDICAL MEDICAL|COUNCIL COUNCIL COUNCIL|-and -and -and|we we|certainly certainly certainly|have say|our our|piece piece piece|in any|way way|fit. fit. comments|== ==|In In|response response|to to|your your|Please remove|content content|from you.|— —|@ @ @|Your Your|record record|indicates indicates indicates|that were|banned banned|as a|vandal vandal|several several several|times times|and and|asked asked|for for|a a|defense defense defense|several several|times. times. times.|Also, Also,|your your|record that|Bertil Bertil|videt videt videt|asked asked|you revert|some some|legitimate legitimate|changes changes|without without|reason reason|and did|it it|because because|he he|asked asked|you, you,|vandalazing vandalazing vandalazing|good good|content content|that that|did not|suit suit suit|him him|or or|you. you.|You You|should should|talk. talk. talk.|Also Also|please please|read read|your own|talk page|regarding regarding|many many|other other|warnings warnings warnings|given given|to you|by other|users. users. users.|Also Also|be a|man man man|(at least|try) try) try)|and and|deal deal deal|with page|rather rather|than than|begging begging begging|others others|to hold|your your|hand. hand. hand.|Before "::::Based" "::::Based|on" on|ChrisO's ChrisO's ChrisO's|behavior behavior behavior|that's that's|a a|load load load|of of|bull, bull, bull,|he's he's|just just|pretexting pretexting pretexting|to to|attack attack|me. me.|Further, Further, Further,|he he|NEVER NEVER NEVER|gave gave gave|me "a|""warning""" """warning""" """warning""|about" about|being being|blocked, blocked, blocked,|the "only|""warning""" """warning""|I" had|was was|this this|and I|RESPONDED RESPONDED RESPONDED|to the|abusive abusive abusive|jerk jerk|by by|placing placing placing|a a|question question|of his|interpretation interpretation|of the|rule rule rule|which he|flatly flatly flatly|refused refused refused|to to|respond respond respond|to. REDIRECT "REDIRECT|Talk:57th" "Talk:57th" "Talk:57th|Directors" Directors Directors|Guild Guild Guild|of of|America America America|Awards Awards "::::Ouch!" "::::Ouch!|That" That That|sounded sounded sounded|like a|threat threat|and and|since since|I didn't|actually actually|attack attack|you you|but but|instead instead|criticised criticised criticised|your your|behaviour, behaviour, behaviour,|I see|you are|again again|out of|line. line. line.|/ """he" """he|grew" grew grew|up up|in in|Russia, Russia, Russia,|he he|was was|training training training|with with|Russians, Russians, Russians,|he he|talks talks talks|Russian, Russian, Russian,|even even|Russian Russian Russian|President President President|came see|his his|fights, fights, fights,|thats thats thats|why why|he he|repeatedly repeatedly|has has|identified identified identified|himself himself|as as|Russian Russian|in "in|interviews""" "interviews""" "interviews""|And" And|that that|doesn't make|him him|Russian? Russian? Russian?|You You|really really|are are|very very|stupid, stupid, stupid,|as as|the the|banderlogs banderlogs banderlogs|are, are,|of of|course. course. course.|your your|whole whole|ideology ideology ideology|is on|stupidity stupidity stupidity|and and|ignorance, ignorance, ignorance,|after after|all. all. ":Time" ":Time|to" to|call call|in "the|""Three" """Three" """Three|Revert" Revert "Revert|Rule""," "Rule""," "Rule"",|as" see|both both both|have have|editted editted editted|it it|again? again? again?|I have|left left left|a a|message message|for for|both both|PeeJay2k3 PeeJay2k3 PeeJay2k3|and and|Oragina2 Oragina2 Oragina2|to to|not not|change change|the the|table table table|again, again,|until until|a a|consensus is|come come|to to|here here|on not,|we we|might might|need move|down down|the the|Resolving Resolving Resolving|Disputes Disputes Disputes|road. road. and|to to|suggest suggest|that is|flabbergastingly flabbergastingly flabbergastingly|arrogant ":Look," ":Look,|you" are|clearly clearly|trolling trolling|now now|and am|becoming becoming becoming|more little|fed you|wasting wasting|the time|of those|of of|us us|who are|here here|to good|encyclopaedia. encyclopaedia. encyclopaedia.|I am|of of|course course|prepared prepared prepared|to to|accept accept|your your|argument argument argument|that that|Alan Alan Alan|Whicker's Whicker's Whicker's|position position position|is is|'absolutely, 'absolutely, 'absolutely,|unequivocally, unequivocally, unequivocally,|and and|unquestionably unquestionably "unquestionably|definitive':" "definitive':" "definitive':|but" only|if are|prepared my|next-door-neighbour next-door-neighbour next-door-neighbour|Mr Mr|Osborne's Osborne's Osborne's|position position|that that|Manchester Manchester Manchester|is second|city city city|is also|'absolutely, unquestionably|definitive', definitive', definitive',|since since|there's there's there's|just as|much much|reason to|take take|his his|word word|on the|matter matter matter|as as|Mr Mr|Whicker's. Whicker's. Whicker's.|ⁿɡ͡b ⁿɡ͡b ⁿɡ͡b|\ \ ==|Respect Respect Respect|is is|earned earned earned|by by|respect respect respect|== ==|That That|user user|IS IS|a a|troll troll troll|and a|stalker. stalker. stalker.|They They|are not|respected respected|and are|close close close|to to|being being|banned. banned.|Did you|bother bother bother|to the|inflammatory inflammatory inflammatory|garbage garbage garbage|that they|write write|on wikipedia?|Or Or|are just|part troll|posse? posse? ==No ==No|Personal Personal Personal|Attacks== Attacks== Attacks==|Stop Stop|trying to|cover cover cover|up truth|about about|Wikipedia. Wikipedia.|I I|asked asked|the user|a question|about about|whether the|allegations allegations allegations|in in|that that|article article|were were|true. true. true.|I didn't|write that|article. article.|P.S. P.S. P.S.|I I|actually actually|didnt didnt didnt|need to|even even|ask ask|if were|true- true- true-|its its|obvious obvious|that they|were. were. ":|you" a|notorious notorious notorious|troll and|vandal vandal|too too|Hrafn. Hrafn. just|want to|point point|something something|out out|(and (and|I'm I'm|in in|no no|way way|a a|supporter supporter supporter|of the|strange strange strange|old old|git), git), git),|but is|referred as|Dear Dear Dear|Leader, Leader, Leader,|and and|his his|father father father|was was|referred as|Great Great Great|Leader. Leader. harmony harmony|between between|people this|village, village, village,|or or|maybe maybe maybe|vice vice vice|versa versa versa|... ...|.. .. ..|/ /|Blerim Blerim Blerim|Shabani. Shabani. Shabani.|/ ===hahahahahahaha=== ===hahahahahahaha===|Your Your|fake fake fake|information information|u u|have have|filled filled filled|wikipedia wikipedia|wont wont wont|be be|tolerated tolerated|, ,|stop stop|spread spread|propaganda propaganda|in in|wikipedia wikipedia|, ,|all all|information information|is is|fake fake|as the|fake fake|state state|of of|fyrom. fyrom. fyrom.|The The|truth truth|shall shall|prevail prevail ":I" ":I|can" can|sympathize sympathize sympathize|with your|frustration. frustration. frustration.|I know|many many|comic comic comic|book book|professionals professionals professionals|and know|a of|things things|I would|love love love|to include|in in|articles articles|but I|can't. can't. can't.|I a|linked linked linked|source that|other people|can can|double-check. double-check. double-check.|Your Your|conversation conversation conversation|with with|Heck Heck Heck|is is|useful useful|in can|let let|it it|guide guide guide|you you|look look|for for|sources can|link link|as as|references, references,|but but|in in|Wikipedia, Wikipedia,|a personal|conversation conversation|is not|an an|appropriate appropriate|source for|citation. citation. ==Reversion== ==Reversion==|Given Given Given|that that|some some|jerk jerk|vandalized vandalized vandalized|the the|characters characters|section section|by by|changing changing changing|the the|names names|to to|various various|Nintendo Nintendo Nintendo|characters, characters, characters,|I have|reverted reverted reverted|to a|much much|older older older|version. version. well|first, first, "first,|""accidental" """accidental" """accidental|suicide""" "suicide""" "suicide""|made" made|me me|laugh. laugh. laugh.|There are|accidents accidents accidents|and you|die die|and then|there are|suicides suicides suicides|and you|die. die. die.|Second Second|the the|next next|sentences sentences|hurt hurt hurt|my my|head. head.|You You|ASSUME ASSUME ASSUME|checkers? checkers? checkers?|I I|don't. don't. don't.|Some Some|writer writer writer|is "is|""theorizing""?" """theorizing""?" """theorizing""?|Well" Well Well|this this|guy guy|believed believed believed|that that|George George George|Hodel Hodel Hodel|was the|killer killer killer|of the|Black Black Black|Dahlia. Dahlia. Dahlia.|He He|has been|humiliated humiliated humiliated|for for|being being|wrong wrong|up up|and and|down the|internets. internets. internets.|So So|why why|not not|put put|down down|MY MY|theory? theory? theory?|Theone Theone Theone|in in|which which|Martians Martians Martians|killed killed killed|her? her? her?|Oh, Oh, Oh,|right, right,|because not|relevant relevant ==Cell ==Cell|(film)== (film)== (film)==|Why Why|is it|such such|a a|horrible horrible|thing thing|for for|me create|a page|for the|film? film? film?|I've I've|seen seen|pages pages|for for|other other|movies movies movies|that that|are are|currently currently|in in|production. production. production.|H-E H-E H-E|doulbe doulbe doulbe|hocky hocky hocky|sticks, sticks, sticks,|I've for|movies that|aren't aren't|even in|production production production|yet. yet. yet.|Can Can Can|I I|get get|some some|answers, answers, answers,|and and|don't don't|just just|tell read|some some|other "other|WP:BOLOGNA." "WP:BOLOGNA." So, So,|in in|other other|words, words, words,|you are|professionally professionally|on the|dole. dole. dole.|You must|live live|in parents|basement basement basement|and and|leech leech leech|off off|of of|them, them,|like a|11-year 11-year 11-year|old. old. old.|Maybe Maybe|if you|had had|a of|motivation, motivation, motivation,|you could|look real|job, job, job,|and not|play play play|your your|fantasy fantasy fantasy|as Wiki|boy. boy.|I'm I'm|sure sure|you you|couls couls couls|start start|a a|career career|as a|video video video|game game game|player. player. What|a a|joker joker joker|you are.|European European European|parliament parliament parliament|has no|power power|to do|anything. is|non non non|binding binding binding|because not|serious serious|and and|silly silly silly|reports reports reports|like not|meant meant|to be|serious. serious. serious.|what is|more important|is that|we we|ruled ruled ruled|your your|ancestors ancestors ancestors|for for|centuries centuries centuries|and and|trying put|negative negative negative|images images|of of|turks turks turks|in the|turkey turkey turkey|page to|change change|that. that.|This get|your your|'revenge'. 'revenge'. 'revenge'.|Go Go Go|and and|edit the|golden golden golden|dawn dawn dawn|wikipedia wikipedia|because because|your your|ideas ideas|will will|only only|be be|welcome welcome|there. there. ==|Ban Ban Ban|of "of|""Bryansee""" """Bryansee""" """Bryansee""|from" from|Wikipediocracy. Wikipediocracy. Wikipediocracy.|== ==|Hey, Hey, Hey,|you are|Zoloft. Zoloft. Zoloft.|The The|one one|who who|banned banned|me me|from from|Wikipediocracy Wikipediocracy Wikipediocracy|with threat|that I|die. "die.|""Well""" """Well""" """Well""|means" means|dead. dead. "dead.|""Recover""" """Recover""" """Recover""|means" "means|""die""." """die""." """die"".|You" are|wanting wanting wanting|me to|die die|by a|medication medication medication|increase increase increase|or or|meet meet|my my|maker. maker. maker.|Check Check Check|this "this|out:" "out:" MODERATORS MODERATORS|ARE ARE|SOME SOME|OF THE|MOST MOST MOST|INGORANT INGORANT INGORANT|AND AND|SELF SELF SELF|SERVING SERVING SERVING|JERKS JERKS JERKS|YOU WILL|FIND FIND|ON ON|THE THE|NET NET ":So" ":So|I" will|start a|criticism criticism|of the|quote quote quote|from from|Ollier Ollier Ollier|and and|Pain, Pain, Pain,|with with|whom have|more more|general general|issues issues|than "the|""postorogenic" """postorogenic" """postorogenic|part""." "part""." "part"".|Phrase" Phrase Phrase|by by|phrase phrase|that I|disagree "disagree|with:" "with:" "with:|:#" ":#" ":#|Only" Only|much much|later later later|was was|it it|realized realized realized|that the|two two|processes processes processes|[deformation [deformation [deformation|and the|creation creation creation|of of|topography] topography] topography]|were were|mostly mostly|not not|closely closely closely|related, related, related,|either either|in in|origin origin|or in|time. time.|Very Very Very|wrong. wrong. wrong.|Deformation Deformation Deformation|causes causes|topography, topography, topography,|and the|generation generation generation|of of|topography topography topography|is is|synchronous synchronous synchronous|with with|deformation. deformation. deformation.|I will|email email email|you a|copy copy|of of|Dahlen Dahlen Dahlen|and and|Suppe Suppe Suppe|(1988), (1988), (1988),|which which|shows that|this the|case case|- -|send send send|me message|so have|your your|address address|and and|can can|attach attach attach|a a|PDF. PDF. PDF.|They They|tackle tackle tackle|the the|large-scale large-scale large-scale|deformation deformation deformation|of of|sedimentary sedimentary sedimentary|rocks rocks rocks|via via|folding folding folding|and and|thrusting thrusting thrusting|during during|orogenesis. orogenesis. "orogenesis.|:#" ":#|...fold-belt" ...fold-belt ...fold-belt|mountainous mountainous "mountainous|areas...:" "areas...:" "areas...:|""fold-belt""" """fold-belt""" """fold-belt""|isn't" isn't|used used|professionally professionally|(AFAIK) (AFAIK) (AFAIK)|to to|refer a|collisional collisional collisional|mountain-building mountain-building mountain-building|event. event. event.|A A|minor minor|thing thing|though. though. "though.|:#" Only|in very|youngest, youngest, youngest,|late late late|Cenozoic Cenozoic Cenozoic|mountains mountains mountains|is is|there there|any any|evident evident evident|causal causal causal|relation relation|between between|rock rock rock|structure structure structure|and and|surface surface surface|landscape. landscape. landscape.|and the|following following "following|sentence:" "sentence:" "sentence:|If" I|were were|British, British, British,|I would|call call|this "this|""utter" """utter" """utter|twaddle""." "twaddle""." "twaddle"".|As" I|mentioned mentioned|above, above, above,|there way|for for|many many|of the|exposed exposed exposed|structures structures structures|to the|surface surface|without without|large large|amounts amounts amounts|of of|rock rock|uplift uplift uplift|and and|erosion. erosion. erosion.|And And|as a|matter matter|of of|fact, fact, fact,|the the|trajectory trajectory trajectory|of of|different different different|units units units|of rock|through through|an an|orogen orogen orogen|is in|part part|determined determined determined|by by|patterns patterns patterns|of of|surface surface|erosion. erosion.|To To|keep keep|it it|simple simple|and and|send send|you you|one one|paper, paper, paper,|you'll you'll you'll|find find|this this|in in|and and|at the|end the|paper paper paper|by by|Dahlen Suppe|(1988). (1988). "(1988).|:" "::::::What" "::::::What|are" you|deaf deaf deaf|can't hear|? WAS|HERE. HERE. HERE.|HE HE|POWNS POWNS POWNS|NOOBS NOOBS NOOBS|ALL ALL ALL|DAY! DAY! ":::And" ":::And|as" as|fully fully fully|expected, expected, expected,|yet yet|another another|abusive abusive|admin admin|gets gets|away away|with with|abusing abusing abusing|their ":Grow" ":Grow|up," up,|you you|immature immature immature|little little|brat. brat. brat.|This This|edit edit|warring warring warring|seems seems|to only|thing thing|you do|around around|here. not|vandalize vandalize|pages, pages,|as did|with with|this this|edit edit|to to|American American|Eagle Eagle Eagle|Outfitters. Outfitters. Outfitters.|If do|so, so, so,|you *|The "The|""bold" """bold" """bold|move""" "move""" "move""|was" was|at "at|05:48," "05:48," "05:48,|3" 3|December December December|2013‎ 2013‎ 2013‎|by by|. .|Someone Someone|listed listed|this this|move move|back back|as as|uncontroversial, uncontroversial, uncontroversial,|and have|changed changed|it it|into into|discussed, discussed, discussed,|at "at|Talk:Run" "Talk:Run" "Talk:Run|Devil" Devil Devil|Run Run Run|(Girls' (Girls' (Girls'|Generation Generation Generation|song)#Move? song)#Move? song)#Move?|(2). (2). ==THEN ==THEN|WHY WHY|IS IS|Attacking Attacking Attacking|my my|edits edits|by removing|my page|comments== comments== comments==|THAT IS|SHOWING SHOWING SHOWING|CONTEMPT CONTEMPT CONTEMPT|FOR FOR|OTHER OTHER OTHER|EDITORS EDITORS EDITORS|AND AND|IS IS|VERY VERY VERY|UNCIVIL UNCIVIL UNCIVIL|AS AS|WELL WELL|AS AS|YOU YOU|UNEVEN UNEVEN UNEVEN|AND AND|UNFAIR UNFAIR UNFAIR|LABELING LABELING LABELING|ME... ME... If|there there|was a|cure cure cure|for for|AIDs, AIDs, AIDs,|it would|probably probably|be be|bought bought bought|up up|by by|rich rich rich|jerks jerks|and and|sold sold|for for|double. double. double.|I if|u have|AIDs, AIDs,|then then|that is|sad sad sad|for you,|but but|many many|people people|have have|said said|that the|ones ones|to to|blame blame blame|are are|..... ..... .....|well, well,|I I|wont wont|go go|into into|that that|here. here.|many have|there there|own own|opinion opinion opinion|of of|who who|it it|is. is.|But But|that is|just just|my my|opinion. opinion. opinion.|It It|must must|suck suck suck|to person|with with|Aids. Aids. Aids.|I would|not not|know. know. These These|people are|INSANE. INSANE. INSANE.|== But|then I|rarely rarely rarely|get get|my my|evil evil evil|way way|with with|anything anything|these these|days, days, days,|must must|be be|getting getting|old old|or or|lazy. lazy.|Or Or|perhaps perhaps|both. both. ":I|have" have|painstakingly painstakingly painstakingly|taken taken|the to|scan scan scan|in the|CD CD CD|on my|desk desk desk|showing showing showing|that "that|""Extreme" """Extreme" """Extreme|Jaime""'s" "Jaime""'s" "Jaime""'s|name" "is|""Jaime" """Jaime" """Jaime|Guse""." "Guse""." "Guse"".|Additionally," Additionally, Additionally,|I I|continue point|out out|that that|Hiram Hiram Hiram|skits skits skits|are are|available available available|both both|at at|DaveRyanShow.com DaveRyanShow.com DaveRyanShow.com|and the|Best Best|of of|The The|Dave Dave Dave|Ryan Ryan Ryan|in the|Morning Morning Morning|Show Show Show|CDs. CDs. CDs.|The The|contents contents contents|are are|viewable viewable viewable|on on|Amazon. Amazon. Amazon.|Additionally, have|taken taken|some some|time to|review review|your your|edits edits|and and|history history|on on|Wikipedia. It|appears appears|you to|present present present|yourself yourself|as as|authoritative, authoritative, authoritative,|when when|you are|not. not.|You tried|multiple multiple multiple|times times|to become|an an|Administrator, Administrator, Administrator,|but to|act act act|in in|such a|reckless, reckless, reckless,|inconsistent inconsistent inconsistent|and and|immature immature|manner, manner,|I I|doubt doubt doubt|that will|ever ever|happen. an|encyclopedia encyclopedia encyclopedia|article, article,|especially especially|this "this|bit:" "bit:" "bit:|Armed" Armed Armed|once once once|again again|with a|song song song|that that|possesses possesses possesses|all the|classic classic classic|attributes attributes attributes|of a|successful successful successful|Eurovision Eurovision Eurovision|entry entry|- -|a a|catchy, catchy, catchy,|feel-good feel-good feel-good|melody, melody, melody,|and a|key-change key-change key-change|that that|builds builds builds|up a|big big|finish finish|- -|Chiara Chiara Chiara|is is|highly highly highly|likely likely|to to|enter enter|the the|contest contest|as the|favourites. favourites. favourites.|This newspaper|article. It|should be|removed. removed. removed.|Chiara's Chiara's Chiara's|fame fame fame|is also|not not|worthy worthy worthy|of of|mention mention mention|in encyclopedia.|We We|might might|as well|start start|writing writing|about the|grocer grocer grocer|or or|shopowner shopowner shopowner|round round|the the|corner. corner. die|from from|cancer. cancer. Hard Hard|to be|constructive constructive constructive|when other|party party party|behaves behaves behaves|like a|godking godking godking|thug. thug. ==|Librier Librier Librier|== ==|Anon Anon|raised raised raised|this this|issue issue|in in|their their|edit summary.|I I|agree agree|that this|term term term|seems seems|imprecisely imprecisely imprecisely|added not|accurate. accurate. accurate.|It not|generally generally|or or|strictly strictly strictly|associated associated associated|with the|Kelb Kelb Kelb|tal-Fenek. tal-Fenek. ==|ARRHGH! ARRHGH! ARRHGH!|== ==|Frederica Frederica Frederica|is most|annoying annoying|talking talking|head head|ever Someone|is is|threatning threatning threatning|an an|annon annon annon|and is|uncivilised uncivilised uncivilised|wiki wiki|conduct. conduct. bet|80% 80% 80%|of what|she did|was was|rubbish... rubbish... ==Hello==|Dude Dude Dude|your your|mother mother mother|is is|totally totally totally|hot. hot. doubt|this will|get get|through through|your your|thick thick thick|head head|(it's (it's (it's|not insult,|it's an|opinion opinion|based your|response) response) response)|but but|the the|problem issue|itself. itself. itself.|It's It's|that that|people to|enjoy enjoy|(whether (whether (whether|or your|side side|gets gets|it it|right) right) right)|to to|discuss, discuss, discuss,|turn, turn, turn,|twist twist twist|and and|frankly frankly frankly|abuse abuse abuse|topics topics topics|like this|which which|are are|detrimental detrimental detrimental|to the|basic basic basic|goals goals goals|of of|Wikis Wikis Wikis|in in|general general|and Wikipedia|in in|particular. particular. particular.|As As|John John|Stewart Stewart Stewart|said said|to to|two two|hacks; hacks; hacks;|You're You're|hurting hurting hurting|us. us. 2 2|words words|learn learn learn|them them|SHUT SHUT SHUT|UP UP UP|DONT DONT DONT|FOLLOW FOLLOW FOLLOW|ME ME|EVERYWHERE EVERYWHERE ":::hey" ":::hey|buddy," buddy, buddy,|hey hey|buddy, buddy,|guess guess guess|what? what? "what?|""I""" """I""" """I""|dont" dont|care care|realy realy realy|what "what|""your""" """your""" """your""|excuse" excuse excuse|is, is,|and and|couldn't couldn't|care care|less less|what what|Roaringflamer Roaringflamer Roaringflamer|says, says,|but are|obviously obviously|obsessed obsessed obsessed|with with|redirects. redirects. redirects.|If is|anybody anybody|that that|should be|banned, banned, banned,|its for|vandalism and|disruption disruption disruption|so so|there OOOOHHHH OOOOHHHH|With With With|a big|long long|Intellectually Intellectually Intellectually|Terrifying Terrifying Terrifying|and and|Superior Superior Superior|name name|like "like|""(referenced" """(referenced" """(referenced|to" to|Journal Journal Journal|of of|Labelled Labelled Labelled|Compounds Compounds Compounds|and "and|Radiopharmaceuticals)""." "Radiopharmaceuticals)""." "Radiopharmaceuticals)"".|How" How|Could Could Could|the quote|be be|wrong wrong|Hey!! Hey!! Hey!!|How dare|I I|even even|question question|it, it,|or or|possibly possibly possibly|be be|right, right,|in in|saying saying|the "the|""supposed""" """supposed""" """supposed""|quote" quote|is is|wrong. wrong.|What stupid|ignoramus ignoramus ignoramus|I I|must to|challenge challenge challenge|that. YOUR|THREATENING THREATENING THREATENING|BEHAVIOUR BEHAVIOUR BEHAVIOUR|== ==|== YOUR|CONSTANT CONSTANT CONSTANT|BLOCKING BLOCKING BLOCKING|AND AND|SABOTAGE SABOTAGE SABOTAGE|OF OF|MY MY|EDITS EDITS EDITS|IS IS|TANTAMOUNT TANTAMOUNT TANTAMOUNT|TO TO|STALIKING. STALIKING. STALIKING.|ARE ARE|YOU YOU|STALKING STALKING STALKING|ME? ME? ME?|ARE YOU|THREATENING THREATENING|ME ME|STEVE? STEVE? STEVE?|IS IS|THIS THIS|WHAT WHAT|YOURE YOURE YOURE|ABOUT, ABOUT, ABOUT,|THREATENING THREATENING|AND AND|HARRASSING HARRASSING HARRASSING|ME? ME?|WHY YOU|KEEP KEEP KEEP|STALKING STALKING|ME ME|THROUGH THROUGH|WIKIPEDIA? WIKIPEDIA? WIKIPEDIA?|ARE YOU|A A|TWISTED TWISTED TWISTED|WACKO, WACKO, WACKO,|DO YOU|WISH WISH WISH|ME ME|HARM? HARM? HARM?|WHY? WHY? WHY?|WHY WHY|ARE YOU|HARRASSING HARRASSING|ME!!!!!!!!!!! ME!!!!!!!!!!! ME!!!!!!!!!!!|LEAVE LEAVE LEAVE|ME ME|ALONE ALONE ALONE|YOU YOU|RACIST RACIST RACIST|WACKO!!!!!!!!! WACKO!!!!!!!!! WACKO!!!!!!!!!|== ":O:" ":O:|I" thought|that call|you you|such a|thing. thing.|I a|cookie cookie|so could|get get|bigger bigger bigger|and and|stronger. stronger. stronger.|Obviously Obviously|it it|wasn't wasn't|because you're|a a|fat fat fat|pig. pig. pig.|I'm I'm|sorry sorry|for the|misunderstanding. misunderstanding. It's|those those|biography biography biography|and and|political political political|articles articles|you should|watch watch|out out|for. for. FURTHERMORE.... FURTHERMORE....|I I|HAVE HAVE|JUST JUST|VISITED VISITED VISITED|RAGIB'S RAGIB'S RAGIB'S|PAGE PAGE|AND AND|STUDIED STUDIED STUDIED|THE THE|DISCUSSION DISCUSSION DISCUSSION|AREA. AREA. AREA.|RAGIB RAGIB RAGIB|IS IS|OBVIOUSLY OBVIOUSLY OBVIOUSLY|FROM FROM|BANGLADESH BANGLADESH BANGLADESH|AND AND|SEEMS SEEMS SEEMS|TO TO|BE BE BE|A A|SIMILARLY SIMILARLY SIMILARLY|PAROCHIAL PAROCHIAL PAROCHIAL|CHAUVINIST CHAUVINIST CHAUVINIST|EDITOR EDITOR EDITOR|OF OF|MANY MANY MANY|OTHER OTHER|ARTICLES, ARTICLES,|EVEN EVEN|ASKING ASKING ASKING|FOR FOR|UN-NECESSARY UN-NECESSARY UN-NECESSARY|DELETIONS DELETIONS DELETIONS|OF OF|ARTICLES ARTICLES ARTICLES|THAT THAT|HE HE|DOES DOES|NOT NOT|LIKE..... LIKE..... LIKE.....|AND AND|GETTING GETTING GETTING|SNUBBED SNUBBED SNUBBED|FOR FOR|THE THE|EFFORT!! EFFORT!! I|beg beg beg|your your|pardon? pardon? pardon?|I am|from the|region, region, region,|and and|berbers berbers berbers|are a|minority. minority. minority.|How you|presume presume presume|to know|people's people's people's|origins? origins? origins?|you your|make-belief make-belief make-belief|world, world, world,|but but|do not|post post|it as|fact fact|and don't|delete my|posts posts posts|either either|to to|further further|veil veil veil|the the|truth. truth. truth.|I am|contacting contacting contacting|Wikipedia Wikipedia|immediately immediately immediately|concerning concerning|this this|largely largely largely|fictitious, fictitious, fictitious,|vicious vicious vicious|article and|discussion. discussion. ,|as, as, as,|this my|IP IP|adress adress Would Would|you you|believe believe|it.. it.. it..|This This|frenchie frenchie frenchie|threatens threatens threatens|to to|ban ban|me me|because I|talk talk|badly badly badly|upon upon|Foie Foie Foie|Gras. Gras. Gras.|I already|said said|once once|that is|protected protected protected|by by|lobbyists. lobbyists. lobbyists.|That That|includes includes includes|frog frog frog|eaters. eaters. YOU,|TOO....... TOO....... TOO.......|== YOU|FOR FOR|ATTACKING ATTACKING ATTACKING|ME! ME! is|for for|removing post|on on|100% 100% 100%|== ==|I'm to|DDOS DDOS DDOS|your your|toaster toaster toaster|for for|this. you've|made your|point point|freakin freakin freakin|heck heck heck|what what|do want|me do|huh? I've|explained explained|why why|i i|changed changed|mold mold mold|to to|mould, mould, mould,|i've i've i've|made user|name name|now now|leave leave|me me|alone alone alone|already.... already.... already....|what your|problem. ==|Need Need Need|your your|help help|in Hi|Kansas Kansas Kansas|bear, bear, bear,|I need|your article|called "called|""Sultanate" """Sultanate" """Sultanate|of" "of|Rum""," "Rum""," "Rum"",|vandalized" vandalized|by by|Turkish Turkish Turkish|nationalist nationalist nationalist|and and|even even|including including|dubious dubious dubious|sources sources|from from|books books books|like like|lonelyplanet lonelyplanet lonelyplanet|travel travel travel|guides. guides. guides.|The The|guy guy|has a|profound profound profound|anti anti anti|neutrality neutrality neutrality|agenda, agenda, agenda,|even even|removing the|Persianate Persianate Persianate|description description|of the|state state|and and|changing changing|a a|section section|about about|Sultanate's Sultanate's Sultanate's|architecture, architecture, architecture,|by by|renaming renaming renaming|it "as|""culture""," """culture""," """culture"",|in" in|order order order|to move|around around|the the|sources sources|for Persianate|terms. terms. terms.|I it|needs be|addressed addressed|by by|more than|one one|person person|to to|kick kick kick|out the|nationalistic nationalistic nationalistic|bias bias bias|from the|article. pure|tripe tripe tripe|stolen stolen|from their|bio bio bio|on on|their their|official official official|website, website, website,|which is|outdated outdated outdated|by the|way. way. way.|That's That's|bad bad|wiki wiki|practice. practice. I|saw saw saw|it it|before before|watching watching watching|the the|episode. episode. episode.|Oh Oh|well. Stupid! Stupid!|You're You're|the who|stops stops stops|for for|massive massive massive|and and|undiscussed undiscussed undiscussed|removal removal|on article.|Also, Also,|you you|say say|you're you're|interest in|Chinese Chinese|history history|well well|then go|for for|it it|and don't|ever ever|pay pay pay|attention to|Vietnamese Vietnamese Vietnamese|history. history. Jackson Jackson|didn't didn't|perform perform perform|at the|WMA WMA WMA|because he|can't can't|sing sing sing|at at|all all|anymore. anymore. anymore.|That That|is the|real real|reason reason|he he|hasn't hasn't hasn't|toured toured toured|for a|decade, decade, decade,|along along along|with his|bankruptcy. bankruptcy. bankruptcy.|Even Even|his his|vocals vocals vocals|on "on|""We've" """We've" """We've|Had" Had "Had|Enough""" "Enough""" "Enough""|four" four|years years|ago ago ago|were were|poor poor|and and|he he|never never|had a|strong strong|voice voice voice|to to|begin begin begin|with, with, with,|certainly certainly|not not|comparable comparable comparable|with real|King, King, King,|Elvis Elvis Elvis|Presley. Presley. Presley.|Jackson Jackson|has has|had had|financial financial|problems problems|since since|at least|1998 1998 1998|due due due|to to|his his|declining declining declining|sales sales|and and|popularity, popularity, popularity,|as well|as as|his his|inactivity inactivity inactivity|and having|to to|support support|all all|his his|siblings siblings siblings|and and|parents. parents. parents.|In In|2002 2002 2002|it was|revealed revealed revealed|he in|debt debt|to various|international international international|banks banks banks|to the|tune tune tune|of of|tens tens tens|of of|millions of|dollars, dollars, dollars,|and and|after after|losing losing|those those|lawsuits lawsuits lawsuits|in in|May May May|2003 2003 2003|he was|confirmed confirmed confirmed|as the|verge verge verge|of of|bankuptcy bankuptcy bankuptcy|with with|debts debts debts|of of|$400 $400 $400|million. million. million.|Invincible Invincible Invincible|was a|flop flop flop|because it|sold sold|less less|than a|third third|of his|last last|album, album, "album,|""Dangerous""," """Dangerous""," """Dangerous"",|and" and|it was|thoroughly thoroughly thoroughly|mediocre mediocre mediocre|music. music. music.|Almost Almost|all of|Jackson's Jackson's Jackson's|remaining remaining remaining|fans fans|regard regard regard|it his|worst worst|album. album. album.|In In|1989 1989 1989|Jackson Jackson|made made|it it|known known|he addressed|as the|King King King|of of|Pop Pop Pop|- a|meaningless, meaningless, meaningless,|self-proclaimed self-proclaimed self-proclaimed|title. title. title.|He He|even even|planned planned planned|to to|buy buy buy|Graceland Graceland Graceland|so so|he he|could could|demolish demolish demolish|it, it,|which which|certainly certainly|says says|far far|more more|about about|Jackson's Jackson's|megalomania megalomania megalomania|than than|it does|about about|Presley. Presley.|Half Half Half|the the|songs songs songs|on the|Dangerous Dangerous Dangerous|album album|weren't weren't|good, good, good,|especially the|unbelievably unbelievably unbelievably|awful awful awful|Heal Heal Heal|the the|World, World, World,|and it|only only|sold sold|30 30|million million million|copies copies copies|on the|strength strength strength|of his|previous previous|three three three|albums. albums. albums.|Yeah, Yeah, Yeah,|WJ WJ WJ|was was|unique unique unique|all all|right, right,|but the|less less|said said|about the|better. must|know know|some some|very very|sad sad|20-year-olds 20-year-olds 20-year-olds|if they|still still|admire admire admire|the the|disgraced disgraced disgraced|former former former|King of|Pop. Pop. Pop.|Anyway, Anyway, Anyway,|most people|know know|him him|as as|Wacko Wacko Wacko|Jacko. Jacko. Jacko.|Justin Justin Justin|is real|King Pop|and and|like like|Eminem Eminem Eminem|he he|just just|doesn't doesn't|want to|risk risk risk|offending offending offending|WJ's WJ's WJ's|fans. fans. fans.|Justin Justin|will to|perform, perform, perform,|while while while|Jackson's Jackson's|active active active|career career|finished finished finished|a a|decade decade decade|ago. ago.|( ( (|) ==Appears ==Appears|to to|Be Be Be|Uncontructive?== Uncontructive?== Uncontructive?==|Since Since Since|when when|do do|your your|mere mere mere|feelings feelings feelings|= =|evidence? evidence? evidence?|Get Get|a a|clue clue clue|hypocrite. hypocrite. hypocrite.|You one|being being|unconstructive. unconstructive. WHy WHy|are you|ugly ugly ugly|and and|fat? fat? "::Is" "::Is|that" that|so? so? so?|Than Than Than|why why|so so|many people|questiong questiong questiong|your your|incredibly incredibly incredibly|arrogant, arrogant, arrogant,|and and|entirely entirely entirely|inappropriate inappropriate inappropriate|edit edit|actions? actions? actions?|Maybe Maybe|you're you're|such such|an an|arrogant arrogant|person, person,|you think|YOU YOU|are only|member member member|of the|community community community|that that|matters? matters? Yep, Yep,|he he|be the|mouthpiece, mouthpiece, mouthpiece,|but but|his his|law law law|still still|stands. stands. stands.|Oh, Oh,|that was|friggin' friggin' friggin'|bad. bad. **And **And|we a|winner winner winner|for the|douchiest douchiest douchiest|comment comment|award. award. 65536 0:"" +==RUDE== Dude, you are rude upload that carl picture back, or else. 0 1 2 3 4 5 6 7 8 9 10 11 78649 0:1 1:1 2:1 3:1 4:1 5:1 6:1 7:1 8:1 9:1 10:1 11:1 12:1 13:1 14:1 15:1 16:1 17:1 18:1 19:1 20:1 21:1 22:1 14281:1 15549:1 18532:1 22191:1 23536:1 23628:1 31929:1 32833:1 34566:1 35389:1 37844:1 38980:1 39602:1 44258:1 57516:1 57853:1 58814:1 58940:1 59232:1 63039:1 63431:1 77175:1 78141:1 +== OK! == IM GOING TO VANDALIZE WILD ONES WIKI THEN!!! 12 13 12 14 15 16 17 18 19 20 21 78649 23:2 24:1 25:1 26:1 27:1 28:1 29:1 30:1 31:1 32:1 33:1 34:1 35:1 36:1 37:1 38:1 39:1 40:1 41:1 42:1 15450:1 21352:1 23244:1 32242:1 34384:1 34549:1 34893:1 34917:1 38046:1 45259:2 45392:1 49599:1 50029:1 53793:1 62666:1 64983:1 67370:1 68478:1 74863:1 78607:1 +Stop trolling, zapatancas, calling me a liar merely demonstartes that you arer Zapatancas. You may choose to chase every legitimate editor from this site and ignore me but I am an editor with a record that isnt 99% trolling and therefore my wishes are not to be completely ignored by a sockpuppet like yourself. The consensus is overwhelmingly against you and your trollin g lover Zapatancas, 22 23 24 25 26 27 28 29 30 6 2 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 26 46 47 48 49 40 50 27 51 6 52 53 54 44 55 56 57 3 58 36 59 60 61 62 27 63 64 65 66 67 68 69 70 2 44 71 72 73 74 75 78649 4:2 6:1 12:2 43:1 44:1 45:1 46:1 47:1 48:1 49:1 50:1 51:2 52:1 53:3 54:1 55:1 56:1 57:1 58:1 59:1 60:1 61:1 62:1 63:1 64:1 65:1 66:1 67:1 68:1 69:1 70:1 71:1 72:1 73:2 74:1 75:1 76:1 77:1 78:1 79:1 80:1 81:2 82:1 83:1 84:1 85:1 86:1 87:1 88:1 89:3 90:1 91:1 92:1 93:1 94:1 95:1 96:1 97:1 98:1 99:1 100:1 101:1 102:1 103:1 104:1 105:1 106:1 107:1 108:1 109:1 110:1 111:1 112:1 113:1 114:1 115:1 116:1 117:1 118:1 119:1 120:1 121:1 122:1 123:1 124:1 125:1 126:1 127:1 128:1 129:1 130:1 131:1 132:1 133:1 134:1 135:1 136:1 137:1 138:1 139:1 140:1 141:1 142:1 143:1 144:1 145:1 146:1 147:1 148:1 149:1 150:1 151:1 152:1 153:1 154:1 155:1 156:1 157:1 158:1 159:1 160:1 161:1 13692:1 13717:1 14984:2 15159:1 15539:1 15592:1 16293:1 16715:1 16742:1 16856:1 17158:1 18129:2 18292:1 19312:1 19594:1 19786:1 21234:1 21494:1 22993:1 24013:1 24707:1 24901:1 25506:1 27322:1 27463:1 27502:1 28458:1 28613:1 29018:1 29446:1 30913:1 31935:1 31995:1 32628:1 35807:1 37160:1 37462:1 37951:1 38285:1 39207:1 39614:1 40020:1 40035:1 40150:1 40641:1 40782:1 41647:1 42370:1 42480:1 43171:1 43734:1 43816:1 44114:1 44175:1 44530:1 45228:1 45432:1 45772:1 47130:1 49049:1 49732:1 49738:1 51118:1 51681:2 52422:1 52561:1 52843:1 52860:1 54412:1 55121:1 55898:1 55985:1 56112:1 56863:1 57774:1 57853:2 58467:1 58620:1 58814:1 59232:2 59592:1 60564:1 61264:1 62049:1 62674:1 62726:1 62770:1 62883:1 63185:1 63513:3 63725:1 63735:1 64581:1 64945:1 65179:1 65210:1 65685:1 66093:1 66733:1 67812:1 68121:1 68211:1 70497:1 70803:1 72131:3 72221:1 72682:1 73000:1 75161:1 75308:1 75878:1 75943:1 76145:1 76302:1 76551:1 76731:1 76737:1 76755:1 77422:1 78035:1 78273:1 78575:1 +==You're cool== You seem like a really cool guy... *bursts out laughing at sarcasm*. 76 77 33 78 64 27 79 80 81 82 83 84 85 86 78649 53:1 67:1 137:1 162:1 163:1 164:1 165:1 166:1 167:1 168:1 169:1 170:1 171:1 172:1 173:1 174:1 175:1 176:1 177:1 178:1 179:1 180:1 181:1 182:1 183:1 184:1 185:1 15592:1 17099:1 22346:1 23145:1 25755:1 27463:1 30935:1 33918:1 35637:1 36478:1 39695:1 41645:1 45146:1 47539:1 47727:1 48487:1 52027:1 53054:1 53787:1 56755:1 60491:1 63513:1 69309:1 70363:1 71101:1 72544:1 74052:1 diff --git a/test/BaselineOutput/SingleRelease/Text/words_without_stopwords.tsv b/test/BaselineOutput/SingleRelease/Text/words_without_stopwords.tsv new file mode 100644 index 0000000000..24fa56e560 --- /dev/null +++ b/test/BaselineOutput/SingleRelease/Text/words_without_stopwords.tsv @@ -0,0 +1,11 @@ +#@ TextLoader{ +#@ header+ +#@ sep=tab +#@ col=text:TX:0 +#@ col=words_without_stopwords:TX:1-** +#@ } +text +==rude== dude, you are rude upload that carl picture back, or else. ==rude== dude, you rude upload carl picture back, else. +== ok! == im going to vandalize wild ones wiki then!!! == ok! == im going vandalize wild ones wiki then!!! +stop trolling, zapatancas, calling me a liar merely demonstartes that you arer zapatancas. you may choose to chase every legitimate editor from this site and ignore me but i am an editor with a record that isnt 99% trolling and therefore my wishes are not to be completely ignored by a sockpuppet like yourself. the consensus is overwhelmingly against you and your trollin g lover zapatancas, stop trolling, zapatancas, calling liar merely demonstartes you arer zapatancas. you choose chase legitimate editor site ignore i editor record isnt 99% trolling wishes completely ignored sockpuppet like yourself. consensus overwhelmingly you your trollin g lover zapatancas, +==you're cool== you seem like a really cool guy... *bursts out laughing at sarcasm*. ==you're cool== you like really cool guy... *bursts laughing sarcasm*. diff --git a/test/Microsoft.ML.StaticPipelineTesting/StaticPipeTests.cs b/test/Microsoft.ML.StaticPipelineTesting/StaticPipeTests.cs index aad42add36..dad5148ada 100644 --- a/test/Microsoft.ML.StaticPipelineTesting/StaticPipeTests.cs +++ b/test/Microsoft.ML.StaticPipelineTesting/StaticPipeTests.cs @@ -433,6 +433,93 @@ public void Tokenize() Assert.True(type.ItemType.AsKey.RawKind == DataKind.U2); } + [Fact] + public void NormalizeTextAndRemoveStopWords() + { + var env = new ConsoleEnvironment(seed: 0); + var dataPath = GetDataPath("wikipedia-detox-250-line-data.tsv"); + var reader = TextLoader.CreateReader(env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadText(1)), hasHeader: true); + var dataSource = new MultiFileSource(dataPath); + var data = reader.Read(dataSource); + + var est = data.MakeNewEstimator() + .Append(r => ( + r.label, + normalized_text: r.text.NormalizeText(), + words_without_stopwords: r.text.TokenizeText().RemoveStopwords())); + + var tdata = est.Fit(data).Transform(data); + var schema = tdata.AsDynamic.Schema; + + Assert.True(schema.TryGetColumnIndex("words_without_stopwords", out int stopwordsCol)); + var type = schema.GetColumnType(stopwordsCol); + Assert.True(type.IsVector && !type.IsKnownSizeVector && type.ItemType.IsText); + + Assert.True(schema.TryGetColumnIndex("normalized_text", out int normTextCol)); + type = schema.GetColumnType(normTextCol); + Assert.True(type.IsText && !type.IsVector); + } + + [Fact] + public void ConvertToWordBag() + { + var env = new ConsoleEnvironment(seed: 0); + var dataPath = GetDataPath("wikipedia-detox-250-line-data.tsv"); + var reader = TextLoader.CreateReader(env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadText(1)), hasHeader: true); + var dataSource = new MultiFileSource(dataPath); + var data = reader.Read(dataSource); + + var est = data.MakeNewEstimator() + .Append(r => ( + r.label, + bagofword: r.text.ToBagofWords(), + bagofhashedword: r.text.ToBagofHashedWords())); + + var tdata = est.Fit(data).Transform(data); + var schema = tdata.AsDynamic.Schema; + + Assert.True(schema.TryGetColumnIndex("bagofword", out int bagofwordCol)); + var type = schema.GetColumnType(bagofwordCol); + Assert.True(type.IsVector && type.IsKnownSizeVector && type.ItemType.IsNumber); + + Assert.True(schema.TryGetColumnIndex("bagofhashedword", out int bagofhashedwordCol)); + type = schema.GetColumnType(bagofhashedwordCol); + Assert.True(type.IsVector && type.IsKnownSizeVector && type.ItemType.IsNumber); + } + + [Fact] + public void Ngrams() + { + var env = new ConsoleEnvironment(seed: 0); + var dataPath = GetDataPath("wikipedia-detox-250-line-data.tsv"); + var reader = TextLoader.CreateReader(env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadText(1)), hasHeader: true); + var dataSource = new MultiFileSource(dataPath); + var data = reader.Read(dataSource); + + var est = data.MakeNewEstimator() + .Append(r => ( + r.label, + ngrams: r.text.TokenizeText().ToKey().ToNgrams(), + ngramshash: r.text.TokenizeText().ToKey().ToNgramsHash())); + + var tdata = est.Fit(data).Transform(data); + var schema = tdata.AsDynamic.Schema; + + Assert.True(schema.TryGetColumnIndex("ngrams", out int ngramsCol)); + var type = schema.GetColumnType(ngramsCol); + Assert.True(type.IsVector && type.IsKnownSizeVector && type.ItemType.IsNumber); + + Assert.True(schema.TryGetColumnIndex("ngramshash", out int ngramshashCol)); + type = schema.GetColumnType(ngramshashCol); + Assert.True(type.IsVector && type.IsKnownSizeVector && type.ItemType.IsNumber); + } + [Fact] public void LpGcNormAndWhitening() diff --git a/test/Microsoft.ML.Tests/Transformers/TextFeaturizerTests.cs b/test/Microsoft.ML.Tests/Transformers/TextFeaturizerTests.cs index 9946996bb3..74e2294cb3 100644 --- a/test/Microsoft.ML.Tests/Transformers/TextFeaturizerTests.cs +++ b/test/Microsoft.ML.Tests/Transformers/TextFeaturizerTests.cs @@ -88,5 +88,114 @@ public void TextTokenizationWorkout() CheckEquality("Text", "tokenized.tsv"); Done(); } + + + [Fact] + public void TextNormalizationAndStopwordRemoverWorkout() + { + string sentimentDataPath = GetDataPath("wikipedia-detox-250-line-data.tsv"); + var data = TextLoader.CreateReader(Env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadText(1)), hasHeader: true) + .Read(new MultiFileSource(sentimentDataPath)); + + var invalidData = TextLoader.CreateReader(Env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadFloat(1)), hasHeader: true) + .Read(new MultiFileSource(sentimentDataPath)); + + var est = new TextNormalizer(Env,"text") + .Append(new WordTokenizer(Env, "text", "words")) + .Append(new StopwordRemover(Env, "words", "words_without_stopwords")); + TestEstimatorCore(est, data.AsDynamic, invalidInput: invalidData.AsDynamic); + + var outputPath = GetOutputPath("Text", "words_without_stopwords.tsv"); + using (var ch = Env.Start("save")) + { + var saver = new TextSaver(Env, new TextSaver.Arguments { Silent = true }); + IDataView savedData = TakeFilter.Create(Env, est.Fit(data.AsDynamic).Transform(data.AsDynamic), 4); + savedData = new ChooseColumnsTransform(Env, savedData, "text", "words_without_stopwords"); + + using (var fs = File.Create(outputPath)) + DataSaverUtils.SaveDataView(ch, saver, savedData, fs, keepHidden: true); + } + + CheckEquality("Text", "words_without_stopwords.tsv"); + Done(); + } + + [Fact] + public void WordBagWorkout() + { + string sentimentDataPath = GetDataPath("wikipedia-detox-250-line-data.tsv"); + var data = TextLoader.CreateReader(Env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadText(1)), hasHeader: true) + .Read(new MultiFileSource(sentimentDataPath)); + + var invalidData = TextLoader.CreateReader(Env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadFloat(1)), hasHeader: true) + .Read(new MultiFileSource(sentimentDataPath)); + + var est = new WordBagEstimator(Env, "text", "bag_of_words"). + Append(new WordHashBagEstimator(Env, "text", "bag_of_wordshash")); + + // The following call fails because of the following issue + // https://github.com/dotnet/machinelearning/issues/969 + // TestEstimatorCore(est, data.AsDynamic, invalidInput: invalidData.AsDynamic); + + var outputPath = GetOutputPath("Text", "bag_of_words.tsv"); + using (var ch = Env.Start("save")) + { + var saver = new TextSaver(Env, new TextSaver.Arguments { Silent = true }); + IDataView savedData = TakeFilter.Create(Env, est.Fit(data.AsDynamic).Transform(data.AsDynamic), 4); + savedData = new ChooseColumnsTransform(Env, savedData, "text", "bag_of_words", "bag_of_wordshash"); + + using (var fs = File.Create(outputPath)) + DataSaverUtils.SaveDataView(ch, saver, savedData, fs, keepHidden: true); + } + + CheckEquality("Text", "bag_of_words.tsv"); + Done(); + } + + [Fact] + public void NgramWorkout() + { + string sentimentDataPath = GetDataPath("wikipedia-detox-250-line-data.tsv"); + var data = TextLoader.CreateReader(Env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadText(1)), hasHeader: true) + .Read(new MultiFileSource(sentimentDataPath)); + + var invalidData = TextLoader.CreateReader(Env, ctx => ( + label: ctx.LoadBool(0), + text: ctx.LoadFloat(1)), hasHeader: true) + .Read(new MultiFileSource(sentimentDataPath)); + + var est = new WordTokenizer(Env, "text", "text") + .Append(new TermEstimator(Env, "text", "terms")) + .Append(new NgramEstimator(Env, "terms", "ngrams")) + .Append(new NgramHashEstimator(Env, "terms", "ngramshash")); + + // The following call fails because of the following issue + // https://github.com/dotnet/machinelearning/issues/969 + // TestEstimatorCore(est, data.AsDynamic, invalidInput: invalidData.AsDynamic); + + var outputPath = GetOutputPath("Text", "ngrams.tsv"); + using (var ch = Env.Start("save")) + { + var saver = new TextSaver(Env, new TextSaver.Arguments { Silent = true }); + IDataView savedData = TakeFilter.Create(Env, est.Fit(data.AsDynamic).Transform(data.AsDynamic), 4); + savedData = new ChooseColumnsTransform(Env, savedData, "text", "terms", "ngrams", "ngramshash"); + + using (var fs = File.Create(outputPath)) + DataSaverUtils.SaveDataView(ch, saver, savedData, fs, keepHidden: true); + } + + CheckEquality("Text", "ngrams.tsv"); + Done(); + } } }