diff --git a/.gitignore b/.gitignore
index 09f63a5..9bd6391 100644
--- a/.gitignore
+++ b/.gitignore
@@ -1 +1,23 @@
-./data/
\ No newline at end of file
+__pycache__/
+*.py[cod]
+data/
+docs/build/
+
+*.so
+
+bin/
+build/
+develop-eggs/
+dist/
+eggs/
+lib/
+lib64/
+parts/
+sdist/
+var/
+*.egg-info/
+.installed.cfg
+*.egg
+
+pip-log.txt
+pip-delete-this-directory.txt
diff --git a/.readthedocs.yml b/.readthedocs.yml
new file mode 100644
index 0000000..63398e5
--- /dev/null
+++ b/.readthedocs.yml
@@ -0,0 +1,16 @@
+# .readthedocs.yml
+# Read the Docs configuration file
+# See https://docs.readthedocs.io/en/stable/config-file/v2.html for details
+
+# Required
+version: 2
+
+# Build documentation in the docs/ directory with Sphinx
+sphinx:
+ configuration: docs/source/conf.py
+
+# Optionally set the version of Python and requirements required to build your docs
+python:
+ version: 3.6
+ install:
+ - requirements: docs/requirements.txt
diff --git a/LICENSE.txt b/LICENSE.txt
new file mode 100644
index 0000000..9513659
--- /dev/null
+++ b/LICENSE.txt
@@ -0,0 +1,21 @@
+The MIT License (MIT)
+
+Copyright (c) 2021- decile.org
+
+Permission is hereby granted, free of charge, to any person obtaining a copy
+of this software and associated documentation files (the "Software"), to deal
+in the Software without restriction, including without limitation the rights
+to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+copies of the Software, and to permit persons to whom the Software is
+furnished to do so, subject to the following conditions:
+
+The above copyright notice and this permission notice shall be included in all
+copies or substantial portions of the Software.
+
+THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
+SOFTWARE.
diff --git a/README.md b/README.md
index 999b36a..541244a 100644
--- a/README.md
+++ b/README.md
@@ -1 +1,119 @@
-# spear
+
+
+[]()
+
+
+[](https://spear-decile.readthedocs.io/)
+[](https://github.com/decile-team/spear/blob/main/LICENSE.txt)
+[](https://decile.org/)
+
+
+
+
+
+
+
+
+
+## Semi-Supervised Data Programming for Data Efficient Machine Learning
+SPEAR is a library for data programming with semi-supervision. The package implements several recent data programming approaches including facility to programmatically label and build training data.
+
+### Pipeline
+* Design Labeling functions(LFs)
+* generate pickle file containing labels by passing raw data to LFs
+* Use one of the Label Aggregators(LA) to get final labels
+
+
All the class labels for which we define labeling functions are encoded in enum and utilized in our next tasks. Make sure not to define an Abstain(Labeling function(LF) not deciding anything) class inside this Enum, instead import the ABSTAIN object as used later in LF section.
\n",
+ "\n",
+ "
SPAM dataset contains 2 classes i.e HAM and SPAM. Note that the numbers we associate can be anything but it is suggested to use a continuous numbers from 0 to number_of_classes-1
\n",
+ "\n",
+ "
**Note that even though this example is a binary classification, this(SPEAR) library supports multi-class classification**
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 4,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import enum\n",
+ "\n",
+ "# enum to hold the class labels\n",
+ "class ClassLabels(enum.Enum):\n",
+ " SPAM = 1\n",
+ " HAM = 0\n",
+ "\n",
+ "THRESHOLD = 0.8"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Defining preprocessors, continuous_scorers, labeling functions:***\n",
+ "During labeling the unlabelled data we lookup for few keywords to assign a class SMS.\n",
+ "\n",
+ "Example : *If a message contains apply or buy in it then most probably the message is spam*"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 5,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "trigWord1 = {\"free\",\"credit\",\"cheap\",\"apply\",\"buy\",\"attention\",\"shop\",\"sex\",\"soon\",\"now\",\"spam\"}\n",
+ "trigWord2 = {\"gift\",\"click\",\"new\",\"online\",\"discount\",\"earn\",\"miss\",\"hesitate\",\"exclusive\",\"urgent\"}\n",
+ "trigWord3 = {\"cash\",\"refund\",\"insurance\",\"money\",\"guaranteed\",\"save\",\"win\",\"teen\",\"weight\",\"hair\"}\n",
+ "notFreeWords = {\"toll\",\"Toll\",\"freely\",\"call\",\"meet\",\"talk\",\"feedback\"}\n",
+ "notFreeSubstring = {\"not free\",\"you are\",\"when\",\"wen\"}\n",
+ "firstAndSecondPersonWords = {\"I\",\"i\",\"u\",\"you\",\"ur\",\"your\",\"our\",\"we\",\"us\",\"youre\"}\n",
+ "thirdPersonWords = {\"He\",\"he\",\"She\",\"she\",\"they\",\"They\",\"Them\",\"them\",\"their\",\"Their\"}"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Declaration of a simple preprocessor function**\n",
+ "\n",
+ "\n",
+ "For most of the tasks in NLP, computer vivsion instead of using the raw datapoint we preprocess the datapoint and then label it. Preprocessor functions are used to preprocess an instance before labeling it. We use **`@preprocessor(name,resources)`** decorator to declare a function as preprocessor."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 6,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import preprocessor\n",
+ "\n",
+ "\n",
+ "@preprocessor(name = \"LOWER_CASE\")\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "lower = convert_to_lower(\"RED\")"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Some Labeling function(LF) definitions**\n",
+ "Below are some examples on how to define LFs and continuous LFs(CLFs). To get the continuous score for a CLF, we need to define a function with continuous_scorer decorator(just like labeling_function decorator) and pass it to a CLF as displayed below. Also note how the continuous score can be used in CLF. Note that the word_similarity is the function with continuous_scorer decorator and is written in con_scorer file(this file is not a part of package) in same folder."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 7,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "model loading\n",
+ "model loaded\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import labeling_function, ABSTAIN\n",
+ "\n",
+ "from helper.con_scorer import word_similarity\n",
+ "import re\n",
+ "\n",
+ "\n",
+ "@preprocessor()\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF1(c,**kwargs): \n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF2(c,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF3(c,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM \n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF4(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF5(c,**kwargs):\n",
+ " for pattern in kwargs[\"keywords\"]: \n",
+ " if \"free\" in c.split() and re.search(pattern,c, flags= re.I):\n",
+ " return ClassLabels.HAM\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF6(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF7(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(label=ClassLabels.SPAM)\n",
+ "def LF8(c,**kwargs):\n",
+ " if (sum(1 for ch in c if ch.isupper()) > 6):\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF1(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF2(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF3(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF4(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF5(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF6(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF7(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=lambda x: 1-np.exp(float(-(sum(1 for ch in x if ch.isupper()))/2)),label=ClassLabels.SPAM)\n",
+ "def CLF8(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Accumulating all LFs into rules, an LFset(a class) object:***\n",
+ "### **Importing LFSet and passing LFs we defined, to that class**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 8,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import LFSet\n",
+ "\n",
+ "LFS = [LF1,\n",
+ " LF2,\n",
+ " LF3,\n",
+ " LF4,\n",
+ " LF5,\n",
+ " LF6,\n",
+ " LF7,\n",
+ " LF8,\n",
+ " CLF1,\n",
+ " CLF2,\n",
+ " CLF3,\n",
+ " CLF4,\n",
+ " CLF5,\n",
+ " CLF6,\n",
+ " CLF7,\n",
+ " CLF8\n",
+ " ]\n",
+ "\n",
+ "rules = LFSet(\"SPAM_LF\")\n",
+ "rules.add_lf_list(LFS)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Loading data:***\n",
+ "### **Load the data: X, Y**\n",
+ "
Note that the utils below is not a part of package but is used to load the necessary data. User have to use some means(which doesn't matter) to load his data(X, Y). X is the raw data that is to be passed to LFs and Y are true labels(if available). Note that feature matrix is not needed in Cage algorithm but it is needed in JL algorithm.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 9,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from helper.utils import load_data_to_numpy, get_test_U_data\n",
+ "\n",
+ "X, _, Y = load_data_to_numpy()\n",
+ "\n",
+ "test_size = 400\n",
+ "U_size = 4500\n",
+ "n_lfs = len(rules.get_lfs())\n",
+ "\n",
+ "X_T, Y_T, _, X_U, _= get_test_U_data(X, Y, n_lfs, test_size, U_size)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Labeling data:***\n",
+ "### **Paths**\n",
+ "* path_json: path to json file generated by PreLabels\n",
+ "* T_path_pkl: path to pkl file generated by PreLabels containing the test data with true labels\n",
+ "* U_path_pkl: path to pkl file generated by PreLabels containing the unlabelled data without true labels\n",
+ "* log_path: path to save the log which is generated during the algorithm\n",
+ "* params_path: path to save parameters of model\n",
+ "\n",
+ "
Make sure that the directory of the files(in above paths) exists. Note that any existing contents in pickle files will be erased.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 10,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "path_json = 'data_pipeline/Cage/sms_json.json'\n",
+ "T_path_pkl = 'data_pipeline/Cage/sms_pickle_T.pkl' #test data - have true labels\n",
+ "U_path_pkl = 'data_pipeline/Cage/sms_pickle_U.pkl' #unlabelled data - don't have true labels\n",
+ "\n",
+ "log_path_cage_1 = 'log/Cage/sms_log_1.txt' #cage is an algorithm, can be found below\n",
+ "params_path = 'params/Cage/sms_params.pkl' #file path to store parameters of Cage, used below"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Importing PreLabels class and using it to label data**\n",
+ "Json file should be generated only once as shown below.\n",
+ "
Note: We don't pass feature matrix as the CAGE algorithm don't need one. Also note that we don't pass gold_lables(or true labels) to the 2nd PreLabels class which generates labels to unlabelled data(U).
These functions can be used to extract data from pickle files and json file respectively. Note that these are the files generated using PreLabels.
\n",
+ "
For detailed contents of output, please refer documentation.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 12,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Number of elements in data list: 10\n",
+ "Shape of feature matrix: (0,)\n",
+ "Shape of labels matrix: (4500, 16)\n",
+ "Shape of continuous scores matrix : (4500, 16)\n",
+ "Total number of classes: 2\n",
+ "Classes dictionary in json file(modified to have integer keys): {1: 'SPAM', 0: 'HAM'}\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_data, get_classes\n",
+ "\n",
+ "data_U = get_data(path = U_path_pkl, check_shapes=True)\n",
+ "#check_shapes being True(above), asserts for relative shapes of arrays in pickle file\n",
+ "print(\"Number of elements in data list: \", len(data_U))\n",
+ "print(\"Shape of feature matrix: \", data_U[0].shape)\n",
+ "print(\"Shape of labels matrix: \", data_U[1].shape)\n",
+ "print(\"Shape of continuous scores matrix : \", data_U[6].shape)\n",
+ "print(\"Total number of classes: \", data_U[9])\n",
+ "\n",
+ "classes = get_classes(path = path_json)\n",
+ "print(\"Classes dictionary in json file(modified to have integer keys): \", classes)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Cage Algorithm:***\n",
+ "### **Importing Cage class (the algorithm) and declaring an object of it**\n",
+ "Cage algorithm needs only the pickle file(with labels given by LFs using PreLabels class) with unlabelled data(the data without true/gold labels) and it will predict the labels of this data. An optinal test data(which has true/gold labels) can also passed to get a log information of accuracies. \n",
+ "
Note: Multiple calls to fit_* functions will train parameters continuously ie, parameters are not reinitialised in fit_* functions. So, to train large data, one can call fit_* functions repeatedly on smaller chunks. Also, in order to perform multiple runs over the algorithm, one need to reinitialise paramters(by creating an object of Cage) at the start of each run.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 13,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.cage import Cage\n",
+ "\n",
+ "cage = Cage(path_json = path_json, n_lfs = n_lfs)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict_proba function of Cage class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class. \n",
+ "
Here the order of classes along a row for any instance is the ascending order of values used in enum defined before to hold labels.
\n",
+ "
For more details about arguments, please refer documentation; same should be the case for any of the member functions used from here on.
Make sure that the directory of the save_path file exists. Note that any existing contents in pickle file will be erased.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 17,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "cage.save_params(save_path = params_path)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Load parameters**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 18,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "cage_2 = Cage(path_json = path_json, n_lfs = n_lfs)\n",
+ "cage_2.load_params(load_path = params_path)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **predict_proba function of Cage class**\n",
+ "The output(probs_test) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class.\n",
+ "
Here the order of classes along a row for any instance is the ascending order of values used in enum defined before to hold labels.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 19,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in Cage class. Hope you have loaded parameters.\n",
+ "probs_test shape: (400, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "probs_test = cage_2.predict_proba(path_test = T_path_pkl, qc = 0.85) \n",
+ "#NEED NOT use the same test data(above) used in Cage class before.\n",
+ "print(\"probs_test shape: \",probs_test.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **predict function of Cage class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances,) containing integers(strings) if need_strings is Flase(True), having the classes of each instance. Just the use case with need_strings as False is displayed here."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 20,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in Cage class. Hope you have loaded parameters.\n",
+ "labels_test shape: (400,)\n",
+ "accuracy_score: 0.7975\n",
+ "f1_score: 0.5030674846625766\n"
+ ]
+ }
+ ],
+ "source": [
+ "labels_test = cage_2.predict(path_test = T_path_pkl, qc = 0.85, need_strings = False)\n",
+ "print(\"labels_test shape: \", labels_test.shape)\n",
+ "\n",
+ "from sklearn.metrics import accuracy_score, f1_score\n",
+ "\n",
+ "#Y_T is true labels of test data, type is numpy array of shape (num_instances,)\n",
+ "print(\"accuracy_score: \", accuracy_score(Y_T, labels_test))\n",
+ "print(\"f1_score: \", f1_score(Y_T, labels_test, average = 'binary'))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Converting numpy array of integers to enums**\n",
+ "The below utility from spear can help convert return values of predict(obtained when need_strings is Flase) to a numpy array of enums."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 21,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_enum\n",
+ "\n",
+ "labels_test_enum = get_enum(np_array = labels_test, enm = ClassLabels) \n",
+ "#the second argument is the Enum class defined at beginning\n",
+ "print(type(labels_test_enum[0]))"
+ ]
+ }
+ ],
+ "metadata": {
+ "kernelspec": {
+ "display_name": "Python 3",
+ "language": "python",
+ "name": "python3"
+ },
+ "language_info": {
+ "codemirror_mode": {
+ "name": "ipython",
+ "version": 3
+ },
+ "file_extension": ".py",
+ "mimetype": "text/x-python",
+ "name": "python",
+ "nbconvert_exporter": "python",
+ "pygments_lexer": "ipython3",
+ "version": "3.6.9"
+ }
+ },
+ "nbformat": 4,
+ "nbformat_minor": 2
+}
diff --git a/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_cage_jl-checkpoint.ipynb b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_cage_jl-checkpoint.ipynb
new file mode 100644
index 0000000..2f064b6
--- /dev/null
+++ b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_cage_jl-checkpoint.ipynb
@@ -0,0 +1,1093 @@
+{
+ "cells": [
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***End to End tutorial for SMS_SPAM labeling using SPEAR(Cage and JL):***"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 4,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "#pip install"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 5,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import sys\n",
+ "sys.path.append('../../')\n",
+ "import numpy as np"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Defining an Enum to hold labels:***\n",
+ "### **Representation of class Labels**\n",
+ "\n",
+ "
All the class labels for which we define labeling functions are encoded in enum and utilized in our next tasks. Make sure not to define an Abstain(Labeling function(LF) not deciding anything) class inside this Enum, instead use the Abstain object as used later in LF section.
\n",
+ "\n",
+ "
SPAM dataset contains 2 classes i.e HAM and SPAM. Note that the numbers we associate can be anything but it is suggested to use a continuous numbers from 0 to number_of_classes-1
\n",
+ "\n",
+ "
**Note that even though this example is a binary classification, this(SPEAR) library supports multi-label classification**
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 6,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import enum\n",
+ "\n",
+ "# enum to hold the class labels\n",
+ "class ClassLabels(enum.Enum):\n",
+ " SPAM = 1\n",
+ " HAM = 0\n",
+ "\n",
+ "THRESHOLD = 0.8"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Defining preprocessors, continuous_scorers, labeling functions:***\n",
+ "During labeling the unlabelled data we lookup for few keywords to assign a class SMS.\n",
+ "\n",
+ "Example : *If a message contains apply or buy in it then most probably the message is spam*"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 7,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "trigWord1 = {\"free\",\"credit\",\"cheap\",\"apply\",\"buy\",\"attention\",\"shop\",\"sex\",\"soon\",\"now\",\"spam\"}\n",
+ "trigWord2 = {\"gift\",\"click\",\"new\",\"online\",\"discount\",\"earn\",\"miss\",\"hesitate\",\"exclusive\",\"urgent\"}\n",
+ "trigWord3 = {\"cash\",\"refund\",\"insurance\",\"money\",\"guaranteed\",\"save\",\"win\",\"teen\",\"weight\",\"hair\"}\n",
+ "notFreeWords = {\"toll\",\"Toll\",\"freely\",\"call\",\"meet\",\"talk\",\"feedback\"}\n",
+ "notFreeSubstring = {\"not free\",\"you are\",\"when\",\"wen\"}\n",
+ "firstAndSecondPersonWords = {\"I\",\"i\",\"u\",\"you\",\"ur\",\"your\",\"our\",\"we\",\"us\",\"youre\"}\n",
+ "thirdPersonWords = {\"He\",\"he\",\"She\",\"she\",\"they\",\"They\",\"Them\",\"them\",\"their\",\"Their\"}"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Declaration of a simple preprocessor function**\n",
+ "\n",
+ "\n",
+ "For most of the tasks in NLP, computer vivsion instead of using the raw datapoint we preprocess the datapoint and then label it. Preprocessor functions are used to preprocess an instance before labeling it. We use **`@preprocessor(name,resources)`** decorator to declare a function as preprocessor."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 8,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import preprocessor\n",
+ "\n",
+ "\n",
+ "@preprocessor(name = \"LOWER_CASE\")\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "lower = convert_to_lower(\"RED\")"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Some Labeling function(LF) definitions**\n",
+ "Below are some examples on how to define LFs and continuous LFs(CLFs). To get the continuous score for a CLF, we need to define a function with continuous_scorer decorator(just like labeling_function decorator) and pass it to a CLF as displayed below. Also note how the continuous score can be used in CLF. Note that the word_similarity is the function with continuous_scorer decorator and is written in con_scorer file(this file is not a part of package) in same folder."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 9,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "model loading\n",
+ "model loaded\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import labeling_function, ABSTAIN\n",
+ "\n",
+ "from helper.con_scorer import word_similarity\n",
+ "import re\n",
+ "\n",
+ "\n",
+ "@preprocessor()\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF1(c,**kwargs): \n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF2(c,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF3(c,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM \n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF4(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF5(c,**kwargs):\n",
+ " for pattern in kwargs[\"keywords\"]: \n",
+ " if \"free\" in c.split() and re.search(pattern,c, flags= re.I):\n",
+ " return ClassLabels.HAM\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF6(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF7(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(label=ClassLabels.SPAM)\n",
+ "def LF8(c,**kwargs):\n",
+ " if (sum(1 for ch in c if ch.isupper()) > 6):\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF1(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF2(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF3(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF4(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF5(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF6(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF7(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=lambda x: 1-np.exp(float(-(sum(1 for ch in x if ch.isupper()))/2)),label=ClassLabels.SPAM)\n",
+ "def CLF8(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Accumulating all LFs into rules, an LFset(a class) object:***\n",
+ "### **Importing LFSet and passing LFs we defined, to that class**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 10,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import LFSet\n",
+ "\n",
+ "LFS = [LF1,\n",
+ " LF2,\n",
+ " LF3,\n",
+ " LF4,\n",
+ " LF5,\n",
+ " LF6,\n",
+ " LF7,\n",
+ " LF8,\n",
+ " CLF1,\n",
+ " CLF2,\n",
+ " CLF3,\n",
+ " CLF4,\n",
+ " CLF5,\n",
+ " CLF6,\n",
+ " CLF7,\n",
+ " CLF8\n",
+ " ]\n",
+ "\n",
+ "rules = LFSet(\"SPAM_LF\")\n",
+ "rules.add_lf_list(LFS)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Loading data:***\n",
+ "### **Load the data: X, X_feats, Y**\n",
+ "
Note that the utils below is not a part of package but is used to load the necessary data. User have to use some means(which doesn't matter) to load his data. X is the raw data that is to be passed to LFs, X_feats is a numpy array of shape (num_instances, num_features) and Y are true labels(if available).
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 11,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from helper.utils import load_data_to_numpy, get_various_data\n",
+ "\n",
+ "X, X_feats, Y = load_data_to_numpy()\n",
+ "\n",
+ "validation_size = 100\n",
+ "test_size = 400\n",
+ "L_size = 100\n",
+ "U_size = 4500\n",
+ "n_lfs = len(rules.get_lfs())\n",
+ "\n",
+ "X_V, Y_V, X_feats_V,_, X_T, Y_T, X_feats_T,_, X_L, Y_L, X_feats_L,_, X_U, X_feats_U,_ = get_various_data(X, Y,\\\n",
+ " X_feats, n_lfs, validation_size, test_size, L_size, U_size)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Labeling data:***\n",
+ "### **Paths**\n",
+ "* path_json: path to json file generated by PreLabels\n",
+ "* V_path_pkl: path to pkl file generated by PreLabels containing the validation data with true labels\n",
+ "* L_path_pkl: path to pkl file generated by PreLabels containing the labeled data with true labels\n",
+ "* T_path_pkl: path to pkl file generated by PreLabels containing the test data with true labels\n",
+ "* U_path_pkl: path to pkl file generated by PreLabels containing the unlabelled data without true labels\n",
+ "* log_path: path to save the log which is generated during the algorithm\n",
+ "\n",
+ "
Difference between test and labeled data is that labeled data may be used in the algorithm(JL uses it while Cage doesn't) but test data isn't. Make sure to have the pickle files EMPTY ie, it should not any data inside it before passing to .generate_pickle() member function of PreLabels
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 12,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "path_json = 'data_pipeline/sms_json.json'\n",
+ "V_path_pkl = 'data_pipeline/sms_pickle_V.pkl' #validation data - have true labels\n",
+ "T_path_pkl = 'data_pipeline/sms_pickle_T.pkl' #test data - have true labels\n",
+ "L_path_pkl = 'data_pipeline/sms_pickle_L.pkl' #Labeled data - have true labels\n",
+ "U_path_pkl = 'data_pipeline/sms_pickle_U.pkl' #unlabelled data - don't have true labels\n",
+ "\n",
+ "log_path_cage_1 = 'log/cage_log_1.txt' #cage is an algorithm, can be found below\n",
+ "log_path_jl_1 = 'log/jl_log_1.txt' #jl is an algorithm, can be found below"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Importing PreLabels class and using it to label data**\n",
+ "Json file should be generated only once as shown below."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 13,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stderr",
+ "output_type": "stream",
+ "text": [
+ "100%|██████████| 100/100 [00:08<00:00, 12.19it/s]\n",
+ "100%|██████████| 400/400 [00:27<00:00, 14.81it/s]\n",
+ "100%|██████████| 100/100 [00:06<00:00, 15.05it/s]\n",
+ "100%|██████████| 4500/4500 [05:23<00:00, 13.93it/s]\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import PreLabels\n",
+ "\n",
+ "sms_noisy_labels = PreLabels(name=\"sms\",\n",
+ " data=X_V,\n",
+ " gold_labels=Y_V,\n",
+ " data_feats=X_feats_V,\n",
+ " rules=rules,\n",
+ " labels_enum=ClassLabels,\n",
+ " num_classes=2)\n",
+ "sms_noisy_labels.generate_pickle(V_path_pkl)\n",
+ "sms_noisy_labels.generate_json(path_json) #generating json files once is enough\n",
+ "\n",
+ "sms_noisy_labels = PreLabels(name=\"sms\",\n",
+ " data=X_T,\n",
+ " gold_labels=Y_T,\n",
+ " data_feats=X_feats_T,\n",
+ " rules=rules,\n",
+ " labels_enum=ClassLabels,\n",
+ " num_classes=2)\n",
+ "sms_noisy_labels.generate_pickle(T_path_pkl)\n",
+ "\n",
+ "sms_noisy_labels = PreLabels(name=\"sms\",\n",
+ " data=X_L,\n",
+ " gold_labels=Y_L,\n",
+ " data_feats=X_feats_L,\n",
+ " rules=rules,\n",
+ " labels_enum=ClassLabels,\n",
+ " num_classes=2)\n",
+ "sms_noisy_labels.generate_pickle(L_path_pkl)\n",
+ "\n",
+ "sms_noisy_labels = PreLabels(name=\"sms\",\n",
+ " data=X_U,\n",
+ " rules=rules,\n",
+ " data_feats=X_feats_U,\n",
+ " labels_enum=ClassLabels,\n",
+ " num_classes=2)\n",
+ "sms_noisy_labels.generate_pickle(U_path_pkl)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Accessing labeled data:***\n",
+ "### **Importing and the use of get_data and get_classes**\n",
+ "
These functions can be used to extract data from pickle files and json file respectively. Note that these are the files generated using PreLabels.
\n",
+ "
For detailed contents of output, please refer documentation.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 14,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Number of elements in data list: 10\n",
+ "Shape of feature matrix: (4500, 1024)\n",
+ "Shape of labels matrix: (4500, 16)\n",
+ "Shape of continuous scores matrix : (4500, 16)\n",
+ "Total number of classes: 2\n",
+ "Classes dictionary in json file(modified to have integer keys): {1: 'SPAM', 0: 'HAM'}\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_data, get_classes\n",
+ "\n",
+ "data_U = get_data(path = U_path_pkl, check_shapes=True)\n",
+ "#check_shapes being True(above), asserts for relative shapes of arrays in pickle file\n",
+ "print(\"Number of elements in data list: \", len(data_U))\n",
+ "print(\"Shape of feature matrix: \", data_U[0].shape)\n",
+ "print(\"Shape of labels matrix: \", data_U[1].shape)\n",
+ "print(\"Shape of continuous scores matrix : \", data_U[6].shape)\n",
+ "print(\"Total number of classes: \", data_U[9])\n",
+ "\n",
+ "classes = get_classes(path = path_json)\n",
+ "print(\"Classes dictionary in json file(modified to have integer keys): \", classes)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Cage Algorithm:***\n",
+ "### **Importing Cage class (the algorithm) and declaring an object of it**\n",
+ "Cage algorithm needs only the pickle file(with labels given by LFs using PreLabels class) with unlabelled data(the data without true/gold labels) and it will predict the labels of this data. An optinal test data(which has true/gold labels) can also passed to get a log information of accuracies. \n",
+ "
Note: Multiple calls to fit_* functions will train parameters continuously ie, parameters are not reinitialised in fit_* functions. So, to train large data, one can call fit_* functions repeatedly on smaller chunks. Also, in order to perform multiple runs over the algorithm, one need to reinitialise paramters(by creating an object of Cage) at the start of each run.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 15,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.Cage import Cage\n",
+ "\n",
+ "cage = Cage(path_json = path_json, n_lfs = n_lfs)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict_proba function of Cage class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class. For more details about arguments, please refer documentation; same should be the case for any of the member functions used from here on."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 16,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "final_test_accuracy_score: 0.815\n",
+ "test_average_metric: binary\tfinal_test_f1_score: 0.5747126436781609\n",
+ "probs shape: (4500, 2)\n",
+ "labels shape: (4500,)\n"
+ ]
+ }
+ ],
+ "source": [
+ "cage = Cage(path_json = path_json, n_lfs = n_lfs)\n",
+ "\n",
+ "probs = cage.fit_and_predict_proba(path_pkl = U_path_pkl, path_test = T_path_pkl, path_log = log_path_cage_1, \\\n",
+ " qt = 0.9, qc = 0.85, metric_avg = ['binary'], n_epochs = 200, lr = 0.01)\n",
+ "labels = np.argmax(probs, 1)\n",
+ "print(\"probs shape: \", probs.shape)\n",
+ "print(\"labels shape: \",labels.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict function of Cage class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances,) containing integers(because need_strings is False), having the classes of each instance."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 17,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "final_test_accuracy_score: 0.815\n",
+ "test_average_metric: binary\tfinal_test_f1_score: 0.5747126436781609\n",
+ "labels shape: (4500,)\n",
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "cage = Cage(path_json = path_json, n_lfs = n_lfs)\n",
+ "\n",
+ "labels = cage.fit_and_predict(path_pkl = U_path_pkl, path_test = T_path_pkl, path_log = log_path_cage_1, \\\n",
+ " qt = 0.9, qc = 0.85, metric_avg = ['binary'], n_epochs = 200, lr = 0.01, \\\n",
+ " need_strings = False)\n",
+ "\n",
+ "print(\"labels shape: \", labels.shape)\n",
+ "print(type(labels[0]))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict function of Cage class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances,) containing strings(because need_strings is True), having the classes of each instance."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 18,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "final_test_accuracy_score: 0.815\n",
+ "test_average_metric: binary\tfinal_test_f1_score: 0.5747126436781609\n",
+ "labels_strings shape: (4500,)\n",
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "cage = Cage(path_json = path_json, n_lfs = n_lfs)\n",
+ "\n",
+ "labels_strings = cage.fit_and_predict(path_pkl = U_path_pkl, path_test = T_path_pkl, path_log = log_path_cage_1, \\\n",
+ " qt = 0.9, qc = 0.85, metric_avg = ['binary'], n_epochs = 200, lr = 0.01, \\\n",
+ " need_strings = True)\n",
+ "\n",
+ "print(\"labels_strings shape: \", labels_strings.shape)\n",
+ "print(type(labels_strings[0]))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Save parameters**\n",
+ "
Make sure the pickle you are passing here is EMPTY
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 19,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "cage.save_params(save_path = 'params/sms_cage_params.pkl')"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Load parameters**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 20,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "cage_2 = Cage(path_json = path_json, n_lfs = n_lfs)\n",
+ "cage_2.load_params(load_path = 'params/sms_cage_params.pkl')"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **predict_proba function of Cage class**\n",
+ "The output(probs_test) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 21,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in Cage class. Hope you have loaded parameters.\n",
+ "probs_test shape: (400, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "probs_test = cage_2.predict_proba(path_test = T_path_pkl, qc = 0.85) \n",
+ "#NEED NOT use the same test data(above) used in Cage class before.\n",
+ "print(\"probs_test shape: \",probs_test.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **predict function of Cage class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances,) containing integers(strings) if need_strings is Flase(True), having the classes of each instance. Just the use case with need_strings as False is displayed here."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 22,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in Cage class. Hope you have loaded parameters.\n",
+ "labels_test shape: (400,)\n",
+ "accuracy_score: 0.815\n",
+ "f1_score: 0.5747126436781609\n"
+ ]
+ }
+ ],
+ "source": [
+ "labels_test = cage_2.predict(path_test = T_path_pkl, qc = 0.85, need_strings = False)\n",
+ "print(\"labels_test shape: \", labels_test.shape)\n",
+ "\n",
+ "from sklearn.metrics import accuracy_score, f1_score\n",
+ "\n",
+ "#Y_T is true labels of test data, type is numpy array of shape (num_instances,)\n",
+ "print(\"accuracy_score: \", accuracy_score(Y_T, labels_test))\n",
+ "print(\"f1_score: \", f1_score(Y_T, labels_test, average = 'binary'))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Converting numpy array of integers to enums**\n",
+ "The below utility from spear can help convert return values of predict(obtained when need_strings is Flase) to a numpy array of enums"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 23,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_enum\n",
+ "\n",
+ "labels_test_enum = get_enum(np_array = labels_test, enm = ClassLabels) \n",
+ "#the second argument is the Enum class defined at beginning\n",
+ "print(type(labels_test_enum[0]))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Joint Learning(JL) Algorithm:***\n",
+ "## **Importing JL class (the algorithm) and declaring an object of it**\n",
+ "JL algoritm needs the four types of data:(all this data should be labeled using LFs via PreLabels class)\n",
+ "* Unlabeled data(doesn't have true/gold labels)\n",
+ "* labeled data(have true/gold labels)\n",
+ "* validation data(have true/gold labels)\n",
+ "* test data(have true/gold labels)\n",
+ "\n",
+ "
All this data is compulsory for training(passed in fit_and_predict functions). Note that the amount of labeled or validation data can be small, for example they can be of the order of 100 each. Also refer subset selection to find the subset of the data, that is available with you, to label(using a trustable means) and use it as 'labeled data' so that the data complements the LFs.
\n",
+ "
The member functions of JL can be choosen to return fm(feature model) or gm(graphical model) predictions. It is highly advised to use the predictions of fm.
\n",
+ "
Note: Multiple calls to fit_* functions will train parameters continuously ie, parameters are not reinitialised in fit_* functions. So, to train large data, one can call fit_* functions repeatedly on smaller chunks. Also, in order to perform multiple runs over the algorithm, one need to reinitialise paramters(by creating an object of JL) at the start of each run.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 24,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.JL import JL\n",
+ "\n",
+ "n_features = 1024\n",
+ "n_hidden = 512\n",
+ "feature_model = 'nn'\n",
+ "\n",
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, n_hidden = n_hidden, \\\n",
+ " feature_model = feature_model)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict_proba function of JL class with two return values**\n",
+ "Here return_gm argument is True which returns predictions from graphical model(Cage) along with feature model. Also note that here test data(path_T) is compulsory and metric_avg is just one value(instead of list as in Cage). The output(probs) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 25,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "early stopping at epoch: 19\tbest_epoch: 8\n",
+ "score used: f1_score\n",
+ "best_gm_val_score:0.5581395348837209\tbest_fm_val_score:0.7499999999999999\n",
+ "best_gm_test_score:0.6025641025641025\tbest_fm_test_score:0.7999999999999999\n",
+ "best_gm_test_precision:0.46078431372549017\tbest_fm_test_precision:0.7272727272727273\n",
+ "best_gm_test_recall:0.8703703703703703\tbest_fm_test_recall:0.8888888888888888\n",
+ "probs_fm shape: (4500, 2)\n",
+ "probs_gm shape: (4500, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "loss_func_mask = [1,1,1,1,1,1,1] \n",
+ "'''\n",
+ "One can keep 0s in places where he don't want the specific loss function to be part\n",
+ "the final loss function used in training. Refer documentation(spear.JL.core.JL) to understand\n",
+ "the which index of loss_func_mask refers to what loss function.\n",
+ "Note: the loss_func_mask may not be the optimal mask for sms dataset.\n",
+ "'''\n",
+ "batch_size = 150\n",
+ "lr_fm = 0.0005\n",
+ "lr_gm = 0.01\n",
+ "use_accuracy_score = False\n",
+ "\n",
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, n_hidden = n_hidden, \\\n",
+ " feature_model = feature_model)\n",
+ "\n",
+ "probs_fm, probs_gm = jl.fit_and_predict_proba(path_L = L_path_pkl, path_U = U_path_pkl, path_V = V_path_pkl, \\\n",
+ " path_T = T_path_pkl, loss_func_mask = loss_func_mask, batch_size = batch_size, lr_fm = lr_fm, lr_gm = \\\n",
+ " lr_gm, use_accuracy_score = use_accuracy_score, path_log = log_path_jl_1, return_gm = True, n_epochs = \\\n",
+ " 100, start_len = 7,stop_len = 10, is_qt = True, is_qc = True, qt = 0.9, qc = 0.85, metric_avg = 'binary')\n",
+ "\n",
+ "labels = np.argmax(probs_fm, 1)\n",
+ "print(\"probs_fm shape: \", probs_fm.shape)\n",
+ "print(\"probs_gm shape: \", probs_gm.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict_proba function of JL class with one return value**\n",
+ "Here return_gm argument is False which returns predictions only from feature model. The output(probs) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 26,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "early stopping at epoch: 27\tbest_epoch: 16\n",
+ "score used: f1_score\n",
+ "best_gm_val_score:0.5454545454545454\tbest_fm_val_score:0.631578947368421\n",
+ "best_gm_test_score:0.5949367088607594\tbest_fm_test_score:0.676056338028169\n",
+ "best_gm_test_precision:0.4519230769230769\tbest_fm_test_precision:0.5454545454545454\n",
+ "best_gm_test_recall:0.8703703703703703\tbest_fm_test_recall:0.8888888888888888\n",
+ "probs_fm shape: (4500, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, n_hidden = n_hidden, \\\n",
+ " feature_model = feature_model)\n",
+ "\n",
+ "probs_fm = jl.fit_and_predict_proba(path_L = L_path_pkl, path_U = U_path_pkl, path_V = V_path_pkl, \\\n",
+ " path_T = T_path_pkl, loss_func_mask = loss_func_mask, batch_size = batch_size, lr_fm = lr_fm, lr_gm = \\\n",
+ " lr_gm, use_accuracy_score = use_accuracy_score, path_log = log_path_jl_1, return_gm = False, n_epochs = \\\n",
+ " 100, start_len = 7,stop_len = 10, is_qt = True, is_qc = True, qt = 0.9, qc = 0.85, metric_avg = 'binary')\n",
+ "\n",
+ "labels = np.argmax(probs_fm, 1)\n",
+ "print(\"probs_fm shape: \", probs_fm.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict function of JL class**\n",
+ "Here return_gm argument is True. The output(probs) is a numpy matrix of shape (num_instances,) containing integers(because need_strings is False), having the classes of each instance."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 27,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "early stopping at epoch: 27\tbest_epoch: 16\n",
+ "score used: f1_score\n",
+ "best_gm_val_score:0.5581395348837209\tbest_fm_val_score:0.7058823529411764\n",
+ "best_gm_test_score:0.5911949685534591\tbest_fm_test_score:0.7868852459016393\n",
+ "best_gm_test_precision:0.44761904761904764\tbest_fm_test_precision:0.7058823529411765\n",
+ "best_gm_test_recall:0.8703703703703703\tbest_fm_test_recall:0.8888888888888888\n",
+ "labels_fm shape: (4500,)\n",
+ "labels_gm shape: (4500,)\n",
+ "\n",
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, n_hidden = n_hidden, \\\n",
+ " feature_model = feature_model)\n",
+ "\n",
+ "labels_fm, labels_gm = jl.fit_and_predict(path_L = L_path_pkl, path_U = U_path_pkl, path_V = V_path_pkl, \\\n",
+ " path_T = T_path_pkl, loss_func_mask = loss_func_mask, batch_size = batch_size, lr_fm = lr_fm, lr_gm = \\\n",
+ " lr_gm, use_accuracy_score = use_accuracy_score, path_log = log_path_jl_1, return_gm = True, n_epochs = \\\n",
+ " 100, start_len = 7,stop_len = 10, is_qt = True, is_qc = True, qt = 0.9, qc = 0.85, metric_avg = 'binary', \\\n",
+ " need_strings = False)\n",
+ "\n",
+ "print(\"labels_fm shape: \", labels_fm.shape)\n",
+ "print(\"labels_gm shape: \", labels_gm.shape)\n",
+ "print(type(labels_fm[0]))\n",
+ "print(type(labels_gm[0]))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict function of JL class**\n",
+ "Here return_gm argument is True. The output(probs) is a numpy matrix of shape (num_instances,) containing strings(because need_strings is True), having the classes of each instance."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 28,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "early stopping at epoch: 25\tbest_epoch: 14\n",
+ "score used: f1_score\n",
+ "best_gm_val_score:0.5714285714285715\tbest_fm_val_score:0.7272727272727273\n",
+ "best_gm_test_score:0.6025641025641025\tbest_fm_test_score:0.8235294117647058\n",
+ "best_gm_test_precision:0.46078431372549017\tbest_fm_test_precision:0.7538461538461538\n",
+ "best_gm_test_recall:0.8703703703703703\tbest_fm_test_recall:0.9074074074074074\n",
+ "labels_fm shape: (4500,)\n",
+ "labels_gm shape: (4500,)\n",
+ "\n",
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, n_hidden = n_hidden, \\\n",
+ " feature_model = feature_model)\n",
+ "\n",
+ "labels_fm, labels_gm = jl.fit_and_predict(path_L = L_path_pkl, path_U = U_path_pkl, path_V = V_path_pkl, \\\n",
+ " path_T = T_path_pkl, loss_func_mask = loss_func_mask, batch_size = batch_size, lr_fm = lr_fm, lr_gm = \\\n",
+ " lr_gm, use_accuracy_score = use_accuracy_score, path_log = log_path_jl_1, return_gm = True, n_epochs = \\\n",
+ " 100, start_len = 7,stop_len = 10, is_qt = True, is_qc = True, qt = 0.9, qc = 0.85, metric_avg = 'binary', \\\n",
+ " need_strings = True)\n",
+ "\n",
+ "print(\"labels_fm shape: \", labels_fm.shape)\n",
+ "print(\"labels_gm shape: \", labels_gm.shape)\n",
+ "print(type(labels_fm[0]))\n",
+ "print(type(labels_gm[0]))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Save parameters**\n",
+ "
Make sure the pickle you are passing here is EMPTY
Note that predict_fm_proba takes feature matrix(can also be obtained from pickle file using get_data()) as argument while predict_gm_proba takes pickle file(containing labels given by LFs) as argument.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 31,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in JL class. Hope you have loaded parameters.\n",
+ "probs_fm_test shape: (400, 2)\n",
+ "probs_gm_test shape: (400, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "probs_fm_test = jl_2.predict_fm_proba(x_test = X_feats_T)\n",
+ "probs_gm_test = jl_2.predict_gm_proba(path_test = T_path_pkl, qc = 0.85)\n",
+ "\n",
+ "print(\"probs_fm_test shape: \", probs_fm_test.shape)\n",
+ "print(\"probs_gm_test shape: \", probs_gm_test.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **predict_fm/gm functions of JL class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances,) containing integers(strings) if need_strings is Flase(True), having the classes of each instance. Just the use case with need_strings as False is displayed here. \n",
+ "
Note that predict_fm takes feature matrix(can also be obtained from pickle file using get_data()) as argument while predict_gm takes pickle file(containing labels given by LFs) as argument.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 32,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in JL class. Hope you have loaded parameters.\n",
+ "labels_fm_test shape: (400,)\n",
+ "labels_gm_test shape: (400,)\n",
+ "accuracy_score of gm: 0.815 | fm: 0.9475\n",
+ "f1_score of gm: 0.5595238095238095 | fm: 0.8235294117647058\n"
+ ]
+ }
+ ],
+ "source": [
+ "labels_fm_test = jl_2.predict_fm(x_test = X_feats_T, need_strings=False)\n",
+ "labels_gm_test = jl_2.predict_gm(path_test = T_path_pkl, qc = 0.85, need_strings=False)\n",
+ "\n",
+ "print(\"labels_fm_test shape: \", labels_fm_test.shape)\n",
+ "print(\"labels_gm_test shape: \", labels_gm_test.shape)\n",
+ "\n",
+ "from sklearn.metrics import accuracy_score, f1_score\n",
+ "\n",
+ "#Y_T is true labels of test data, type is numpy array of shape (num_instances,)\n",
+ "print(\"accuracy_score of gm: \", accuracy_score(Y_T, labels_gm_test), \"| fm: \", accuracy_score(Y_T, labels_fm_test))\n",
+ "print(\"f1_score of gm: \", f1_score(Y_T, labels_gm_test, average = 'binary'), \"| fm: \", f1_score(Y_T, labels_fm_test, average = 'binary'))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Converting numpy array of integers to enums**\n",
+ "The below utility from spear can help convert return values of predict_fm, predict_gm(obtained when need_strings is Flase) to a numpy array of enums"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 33,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_enum\n",
+ "\n",
+ "probs_fm_test_enum = get_enum(np_array = labels_fm_test, enm = ClassLabels) \n",
+ "#the second argument is the Enum class defined at beginning\n",
+ "print(type(probs_fm_test_enum[0]))"
+ ]
+ }
+ ],
+ "metadata": {
+ "kernelspec": {
+ "display_name": "Python 3",
+ "language": "python",
+ "name": "python3"
+ },
+ "language_info": {
+ "codemirror_mode": {
+ "name": "ipython",
+ "version": 3
+ },
+ "file_extension": ".py",
+ "mimetype": "text/x-python",
+ "name": "python",
+ "nbconvert_exporter": "python",
+ "pygments_lexer": "ipython3",
+ "version": "3.6.9"
+ }
+ },
+ "nbformat": 4,
+ "nbformat_minor": 2
+}
diff --git a/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_hls-checkpoint.ipynb b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_hls-checkpoint.ipynb
new file mode 100644
index 0000000..fe130d2
--- /dev/null
+++ b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_hls-checkpoint.ipynb
@@ -0,0 +1,640 @@
+{
+ "cells": [
+ {
+ "cell_type": "markdown",
+ "id": "27e4057f",
+ "metadata": {},
+ "source": [
+ "# ***End to End tutorial for SMS_SPAM labeling using High Level Supervision:***\n",
+ "**The paper and documentation can be found here:** [Paper](https://openreview.net/pdf/e4d3b0f4237ea03ce6b9b73bd796822f7f84a40c.pdf), [Documentation](https://spear-decile.readthedocs.io/en/latest)"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 1,
+ "id": "54b88922",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "'''\n",
+ "User don't need to include this cell to use the package\n",
+ "'''\n",
+ "import sys\n",
+ "sys.path.append('../../')"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "d1cd22ce",
+ "metadata": {},
+ "source": [
+ "# ***Defining an Enum to hold labels:***\n",
+ "### **Representation of class Labels**\n",
+ "\n",
+ "
All the class labels for which we define labeling functions are encoded in enum and utilized in our next tasks. Make sure not to define an Abstain(Labeling function(LF) not deciding anything) class inside this Enum, instead import the ABSTAIN object as used later in LF section.
\n",
+ "\n",
+ "
SPAM dataset contains 2 classes i.e HAM and SPAM. Note that the numbers we associate can be anything but it is suggested to use a continuous numbers from 0 to number_of_classes-1
\n",
+ "\n",
+ "
**Note that even though this example is a binary classification, this(SPEAR) library supports multi-class classification**
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 2,
+ "id": "3d396484",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import enum\n",
+ "\n",
+ "# enum to hold the class labels\n",
+ "class ClassLabels(enum.Enum):\n",
+ " SPAM = 1\n",
+ " HAM = 0\n",
+ "\n",
+ "THRESHOLD = 0.8"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "ed8759f9",
+ "metadata": {},
+ "source": [
+ "# ***Defining preprocessors, continuous_scorers, labeling functions:***\n",
+ "During labeling the unlabelled data we lookup for few keywords to assign a class SMS.\n",
+ "\n",
+ "Example : *If a message contains apply or buy in it then most probably the message is spam*"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 3,
+ "id": "d93a5ac3",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "trigWord1 = {\"free\",\"credit\",\"cheap\",\"apply\",\"buy\",\"attention\",\"shop\",\"sex\",\"soon\",\"now\",\"spam\"}\n",
+ "trigWord2 = {\"gift\",\"click\",\"new\",\"online\",\"discount\",\"earn\",\"miss\",\"hesitate\",\"exclusive\",\"urgent\"}\n",
+ "trigWord3 = {\"cash\",\"refund\",\"insurance\",\"money\",\"guaranteed\",\"save\",\"win\",\"teen\",\"weight\",\"hair\"}\n",
+ "notFreeWords = {\"toll\",\"Toll\",\"freely\",\"call\",\"meet\",\"talk\",\"feedback\"}\n",
+ "notFreeSubstring = {\"not free\",\"you are\",\"when\",\"wen\"}\n",
+ "firstAndSecondPersonWords = {\"I\",\"i\",\"u\",\"you\",\"ur\",\"your\",\"our\",\"we\",\"us\",\"youre\"}\n",
+ "thirdPersonWords = {\"He\",\"he\",\"She\",\"she\",\"they\",\"They\",\"Them\",\"them\",\"their\",\"Their\"}"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "1e1ffb4b",
+ "metadata": {},
+ "source": [
+ "### **Declaration of a simple preprocessor function**\n",
+ "\n",
+ "\n",
+ "For most of the tasks in NLP, computer vivsion instead of using the raw datapoint we preprocess the datapoint and then label it. Preprocessor functions are used to preprocess an instance before labeling it. We use **`@preprocessor(name,resources)`** decorator to declare a function as preprocessor."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 4,
+ "id": "102adabd",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import preprocessor\n",
+ "\n",
+ "\n",
+ "@preprocessor(name = \"LOWER_CASE\")\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "lower = convert_to_lower(\"RED\")"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "3ddae1cb",
+ "metadata": {},
+ "source": [
+ "# ***High Level Supervision Algorithm:***"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 5,
+ "id": "944fe4ad",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "#my_data_feeders\n",
+ "import collections\n",
+ "\n",
+ "f_d = 'f_d'\n",
+ "f_d_U = 'f_d_U'\n",
+ "test_w = 'test_w'\n",
+ "\n",
+ "train_modes = [f_d, f_d_U]\n",
+ "\n",
+ "F_d_U_Data = collections.namedtuple('GMMDataF_d_U', 'x l m L d r')\n",
+ "F_d_Data = collections.namedtuple('GMMDataF_d', 'x labels')"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "d2be11f7",
+ "metadata": {},
+ "source": [
+ "### **Importing the required functionalities**\n",
+ "\n",
+ "\n",
+ "Import the required libraries. Also, import the latest version of tensorflow."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 6,
+ "id": "2758a604",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "WARNING:tensorflow:From /home/parth/.local/lib/python3.8/site-packages/tensorflow/python/compat/v2_compat.py:96: disable_resource_variables (from tensorflow.python.ops.variable_scope) is deprecated and will be removed in a future version.\n",
+ "Instructions for updating:\n",
+ "non-resource variables are not supported in the long term\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.Implyloss import *\n",
+ "import numpy as np\n",
+ "import sys, os, shutil\n",
+ "import tensorflow.compat.v1 as tf\n",
+ "tf.disable_v2_behavior()\n",
+ "# tf.reset_default_graph()"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "7898a182",
+ "metadata": {},
+ "source": [
+ "### **Setting up the model's checkpoints**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 7,
+ "id": "016a1991",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Checkpoint file does not exist\n",
+ "INFO:tensorflow:best.ckpt-51 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Saved new best checkpoint to path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-51\n",
+ "Restoring best checkpoint from path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-51\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-51\n",
+ "INFO:tensorflow:best.ckpt-52 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Saved new best checkpoint to path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-52\n",
+ "Restoring best checkpoint from path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-51\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-51\n",
+ "INFO:tensorflow:best.ckpt-53 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Saved new best checkpoint to path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-53\n",
+ "INFO:tensorflow:best.ckpt-54 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Saved new best checkpoint to path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-54\n",
+ "Restoring best checkpoint from path: /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-53\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.266783/foo-bar/best.ckpt-53\n",
+ "INFO:tensorflow:/tmp/best_ckpt_0.743327/best.ckpt-12 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "INFO:tensorflow:/tmp/best_ckpt_0.743327/best.ckpt-13 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "INFO:tensorflow:/tmp/best_ckpt_0.743327/best.ckpt-14 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Best ckpt path: /tmp/best_ckpt_0.743327/best.ckpt-13\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.743327/best.ckpt-13\n",
+ "INFO:tensorflow:/tmp/best_ckpt_0.743327/best.ckpt-15 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Best ckpt path: /tmp/best_ckpt_0.743327/best.ckpt-13\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.743327/best.ckpt-13\n",
+ "INFO:tensorflow:/tmp/best_ckpt_0.743327/best.ckpt-16 is not in all_model_checkpoint_paths. Manually adding it.\n",
+ "Best ckpt path: /tmp/best_ckpt_0.743327/best.ckpt-16\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.743327/best.ckpt-16\n",
+ "Best ckpt path: /tmp/best_ckpt_0.743327/best.ckpt-15\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/best_ckpt_0.743327/best.ckpt-15\n",
+ "Saved MRU checkpoint to path: /tmp/checkpoints/hls-model\n",
+ "Restoring checkpoint from path: /tmp/checkpoints/hls-model\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/checkpoints/hls-model\n",
+ "Restoring checkpoint from path: /tmp/checkpoints/hls-model\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/checkpoints/hls-model\n",
+ "Saved MRU checkpoint to path: /tmp/checkpoints_0.064679/hls-model-11\n",
+ "Restoring checkpoint from path: /tmp/checkpoints_0.064679/hls-model-11\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/checkpoints_0.064679/hls-model-11\n",
+ "WARNING:tensorflow:From /home/parth/.local/lib/python3.8/site-packages/tensorflow/python/training/saver.py:968: remove_checkpoint (from tensorflow.python.training.checkpoint_management) is deprecated and will be removed in a future version.\n",
+ "Instructions for updating:\n",
+ "Use standard file APIs to delete files with this prefix.\n",
+ "Saved MRU checkpoint to path: /tmp/checkpoints_0.064679/hls-model-5\n",
+ "Restoring checkpoint from path: /tmp/checkpoints_0.064679/hls-model-5\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/checkpoints_0.064679/hls-model-5\n",
+ "Saved MRU checkpoint to path: /tmp/checkpoints_0.443770/hls-model-11\n",
+ "Restoring checkpoint from path: /tmp/checkpoints_0.443770/hls-model-11\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/checkpoints_0.443770/hls-model-11\n",
+ "Saved MRU checkpoint to path: /tmp/checkpoints_0.443770/hls-model-5\n",
+ "Restoring checkpoint from path: /tmp/checkpoints_0.443770/hls-model-5\n",
+ "INFO:tensorflow:Restoring parameters from /tmp/checkpoints_0.443770/hls-model-5\n"
+ ]
+ }
+ ],
+ "source": [
+ "# import tensorflow.compat.v1 as tf\n",
+ "# tf.disable_v2_behavior()\n",
+ "tf.reset_default_graph()\n",
+ "\n",
+ "\n",
+ "test_best_ckpt()\n",
+ "test_checkmate()\n",
+ "test_checkpoint()\n",
+ "test_mru_checkpoints(num_to_keep=1)\n",
+ "test_mru_checkpoints(num_to_keep=5)\n"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "6ffb2908",
+ "metadata": {},
+ "source": [
+ "### **Initializing the Directories for storing relevant information**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 8,
+ "id": "a6f76abb",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "checkpoint_dir = './checkpoint'\n",
+ "# data_dir = \"/home/parth/Desktop/SEM6/RnD/Learning-From-Rules/data/TREC\" # Directory containing data pickles\n",
+ "# data_dir = \"/home/parth/Desktop/SEM6/RnD/spear/examples/SMS_SPAM/data_pipeline/\"\n",
+ "data_dir = \"../../examples/SMS_SPAM/data_pipeline/\"\n",
+ "inference_output_dir = './inference_output/'\n",
+ "log_dir = './log/hls'\n",
+ "metric_pickle_dir = './met_pickl/'\n",
+ "tensorboard_dir = './tensorboard'"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "712aec03",
+ "metadata": {},
+ "source": [
+ "### **Creating the directories if they don't exist**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 9,
+ "id": "6b9f760a",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "if not os.path.exists(inference_output_dir):\n",
+ " os.makedirs(inference_output_dir)\n",
+ "\n",
+ "if not os.path.exists(log_dir):\n",
+ " os.makedirs(log_dir)\n",
+ "\n",
+ "if not os.path.exists(metric_pickle_dir):\n",
+ " os.makedirs(metric_pickle_dir)\n",
+ "\n",
+ "if not os.path.exists(tensorboard_dir):\n",
+ " os.makedirs(tensorboard_dir)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "8b133fa9",
+ "metadata": {},
+ "source": [
+ "### **Initializing the parameter values**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 10,
+ "id": "5fbdc2fc",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "checkpoint_load_mode = 'mru' # Which kind of checkpoint to restore from. Possible options are mru: Most recently saved checkpoint. Use this to continue a run f_d, f_d_U: Use these to load the best checkpoint from these runs \n",
+ "# d_pickle = data_dir+\"d_processed.p\"\n",
+ "d_pickle = data_dir+\"sms_pickle_L.pkl\"\n",
+ "dropout_keep_prob = 0.8\n",
+ "early_stopping_p = 20 # early stopping patience (in epochs)\n",
+ "f_d_adam_lr = 0.0003 # default = 0.01\n",
+ "f_d_batch_size = 16\n",
+ "f_d_class_sampling = [10,10] # Comma-separated list of number of times each d instance should be sampled depending on its class for training f on d. Size of list must equal number of classes.\n",
+ "f_d_epochs = 4 # default = 2\n",
+ "f_d_metrics_pickle = metric_pickle_dir+\"metrics_train_f_on_d.p\"\n",
+ "f_d_primary_metric = 'accuracy' #'f1_score_1' # Metric for best checkpoint computation. The best metrics pickle will also be stored on this basis. Valid values are: accuracy: overall accuracy. f1_score_1: f1_score of class 1. avg_f1_score: average of all classes f1_score \n",
+ "f_d_U_adam_lr = 0.0003 # default = 0.01\n",
+ "f_d_U_batch_size = 32\n",
+ "f_d_U_epochs = 4 # default = 2 \n",
+ "f_d_U_metrics_pickle = metric_pickle_dir+\"metrics_train_f_on_d_U.p\"\n",
+ "f_infer_out_pickle = inference_output_dir+\"infer_f.p\" # output file name for any inference that was ran on f (classification) network\n",
+ "gamma = 0.1 # weighting factor for loss on U used in implication, pr_loss, snorkel, generalized cross entropy etc. \n",
+ "lamda = 0.1\n",
+ "min_rule_coverage = 0 # Minimum coverage of a rule in U in order to include it in co-training. Rules which have coverage less than this are assigned a constant weight of 1.0.\n",
+ "mode = \"implication\" # \"learn2reweight\" / \"implication\" / \"pr_loss\" / \"f_d\" \n",
+ "test_mode = \"\" # \"\" / test_f\" / \"test_w\" / \"test_all\"\n",
+ "num_classes = 2 # can be 0. Number of classes. If 0, this will be dynamically determined using max of labels in 'd'.\n",
+ "num_load_d = None # can be 0. Number of instances to load from d. If 0 load all.\n",
+ "num_load_U = None # can be 0. Number of instances to load from U. If 0 load all.\n",
+ "num_load_validation = None # can be 0. Number of instances to load from validation. If 0 load all.\n",
+ "q = \"1\"\n",
+ "rule_classes = None # Comma-separated list of the classes predicted by each rule if string is empty, rule classes are determined from data associated with rule firings.\n",
+ "shuffle_batches = True # Don't shuffle batches. Useful for debugging and stepping through batch by batch\n",
+ "test_w_batch_size = 1000\n",
+ "# U_pickle = data_dir+\"U_processed.p\"\n",
+ "U_pickle = data_dir+\"sms_pickle_U.pkl\"\n",
+ "use_joint_f_w = False # whether to utilize w network during inference\n",
+ "# validation_pickle = data_dir+\"validation_processed.p\"\n",
+ "validation_pickle = data_dir+\"sms_pickle_V.pkl\"\n",
+ "w_infer_out_pickle = inference_output_dir+\"infer_w.p\" # output file name for any inference that was ran on w (rule) network\n",
+ "json_file = data_dir+\"sms_json.json\"\n"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 11,
+ "id": "29a0fb4a",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import shutil\n",
+ "output_dir = \"./\" + str(mode) + \"_\" + str(gamma) + \"_\" + str(lamda) + \"_\" + str(q)\n",
+ "if not os.path.exists(output_dir):\n",
+ " os.makedirs(output_dir)\n",
+ "\n",
+ "if test_mode==\"\":\n",
+ " if os.path.exists(checkpoint_dir):\n",
+ " shutil.rmtree(checkpoint_dir, ignore_errors=True) \n",
+ " os.makedirs(checkpoint_dir)\n",
+ "\n",
+ "# number of input dir - 1 (data_dir)\n",
+ "# number of output dir - 6 (checkpoint, inference_output, log_dir, metric_pickle, output, tensorboard)\n"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "1769866e",
+ "metadata": {},
+ "source": [
+ "### **Creating a Data Feeder Object to process data**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 12,
+ "id": "41858faa",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "WARNING:tensorflow:From /home/parth/.local/lib/python3.8/site-packages/tensorflow/python/util/dispatch.py:201: calling dropout (from tensorflow.python.ops.nn_ops) with keep_prob is deprecated and will be removed in a future version.\n",
+ "Instructions for updating:\n",
+ "Please use `rate` instead of `keep_prob`. Rate should be set to `rate = 1 - keep_prob`.\n",
+ "WARNING:tensorflow:From /home/parth/.local/lib/python3.8/site-packages/tensorflow/python/util/dispatch.py:201: softmax_cross_entropy_with_logits (from tensorflow.python.ops.nn_ops) is deprecated and will be removed in a future version.\n",
+ "Instructions for updating:\n",
+ "\n",
+ "Future major versions of TensorFlow will allow gradients to flow\n",
+ "into the labels input on backprop by default.\n",
+ "\n",
+ "See `tf.nn.softmax_cross_entropy_with_logits_v2`.\n",
+ "\n",
+ "WARNING:tensorflow:From /home/parth/Desktop/SEM6/RnD/spear/notebooks/SMS_SPAM/../../spear/Implyloss/model.py:641: to_float (from tensorflow.python.ops.math_ops) is deprecated and will be removed in a future version.\n",
+ "Instructions for updating:\n",
+ "Use `tf.cast` instead.\n",
+ "INFO:tensorflow:./checkpoint/f_d_U/best.ckpt-124 is not in all_model_checkpoint_paths. Manually adding it.\n"
+ ]
+ }
+ ],
+ "source": [
+ "if(str(test_mode)==\"\"):\n",
+ " output_text_file=log_dir + \"/\" + str(mode) + \"_\" + str(gamma) + \"_\" + str(lamda) + \"_\" + str(q)+\".txt\"\n",
+ "else: \n",
+ " output_text_file=log_dir + \"/\" + str(test_mode) + \"_\" + str(mode) + \"_\" + str(gamma) + \"_\" + str(lamda) + \"_\" + str(q)+\".txt\"\n",
+ "sys.stdout = open(output_text_file,\"w\")\n",
+ "if(test_mode!=\"\"):\n",
+ " mode = test_mode\n",
+ "if mode not in ['learn2reweight', 'implication', 'f_d', 'pr_loss', 'gcross', 'label_snorkel', 'pure_snorkel', 'gcross_snorkel', 'test_f', 'test_w', 'test_all']:\n",
+ " raise ValueError('Invalid run mode ' + mode)\n",
+ "\n",
+ "data_feeder = DataFeeder(d_pickle, \n",
+ " U_pickle, \n",
+ " validation_pickle,\n",
+ " json_file,\n",
+ " shuffle_batches, \n",
+ " num_load_d, \n",
+ " num_load_U, \n",
+ " num_classes, \n",
+ " f_d_class_sampling, \n",
+ " min_rule_coverage, \n",
+ " rule_classes, \n",
+ " num_load_validation, \n",
+ " f_d_batch_size, \n",
+ " f_d_U_batch_size, \n",
+ " test_w_batch_size,\n",
+ " out_dir=output_dir)\n"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 13,
+ "id": "92840867",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ " num_features, num_classes, num_rules, num_rules_to_train = data_feeder.get_features_classes_rules()"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 14,
+ "id": "5fd1f51a",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "print(\"Number of features: \", num_features)\n",
+ "print(\"Number of classes: \",num_classes)\n",
+ "print(\"Print num of rules to train: \", num_rules_to_train)\n",
+ "print(\"Print num of rules: \", num_rules)\n",
+ "print(\"\\n\\n\")"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 15,
+ "id": "e5ca4b7e",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "rule_classes = data_feeder.rule_classes"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "95e973e0",
+ "metadata": {},
+ "source": [
+ "### **Initializing the rule network and classification network of the algorithm**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 16,
+ "id": "d3dc90ae",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "w_network = networks.w_network_fully_connected #rule network - CHANGE config in w_network_fully_connected of my_networks - DONE\n",
+ "f_network = networks.f_network_fully_connected #classification network - CHANGE config in f_network_fully_connected of my_networks - DONE\n",
+ " "
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "f4f8dff5",
+ "metadata": {},
+ "source": [
+ "### **Creating a High Level Supervision Network Object to be trained and tested**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 17,
+ "id": "1882b85c",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stderr",
+ "output_type": "stream",
+ "text": [
+ "/home/parth/.local/lib/python3.8/site-packages/tensorflow/python/keras/legacy_tf_layers/core.py:171: UserWarning: `tf.layers.dense` is deprecated and will be removed in a future version. Please use `tf.keras.layers.Dense` instead.\n",
+ " warnings.warn('`tf.layers.dense` is deprecated and '\n",
+ "/home/parth/.local/lib/python3.8/site-packages/tensorflow/python/keras/engine/base_layer_v1.py:1719: UserWarning: `layer.apply` is deprecated and will be removed in a future version. Please use `layer.__call__` method instead.\n",
+ " warnings.warn('`layer.apply` is deprecated and '\n"
+ ]
+ }
+ ],
+ "source": [
+ "tf.reset_default_graph()\n",
+ "hls = HighLevelSupervisionNetwork(\n",
+ " num_features,\n",
+ " num_classes,\n",
+ " num_rules,\n",
+ " num_rules_to_train,\n",
+ " rule_classes,\n",
+ " w_network,\n",
+ " f_network,\n",
+ " f_d_epochs, \n",
+ " f_d_U_epochs, \n",
+ " f_d_adam_lr, \n",
+ " f_d_U_adam_lr, \n",
+ " dropout_keep_prob, \n",
+ " f_d_metrics_pickle, \n",
+ " f_d_U_metrics_pickle, \n",
+ " early_stopping_p, \n",
+ " f_d_primary_metric, \n",
+ " mode, \n",
+ " data_dir, \n",
+ " tensorboard_dir, \n",
+ " checkpoint_dir, \n",
+ " checkpoint_load_mode, \n",
+ " gamma, \n",
+ " lamda,\n",
+ " raw_d_x=data_feeder.raw_d.x, #instances from the \"d\" set\n",
+ " raw_d_L=data_feeder.raw_d.L) #labels from the \"d\" set\n",
+ "\n",
+ "float_formatter = lambda x: \"%.3f\" % x # Output 3 digits after decimal point in numpy arrays\n",
+ "np.set_printoptions(formatter={'float_kind':float_formatter})"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 18,
+ "id": "e41b23e9",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "print('Run mode is ' + mode)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "9fd904b0",
+ "metadata": {},
+ "source": [
+ "### **Train and Test on the hls object**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": null,
+ "id": "89a2e277",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "if mode == 'f_d':\n",
+ " print('training f on d')\n",
+ " hls.train.train_f_on_d(data_feeder, f_d_epochs)\n",
+ "elif mode[:4]!=\"test\":\n",
+ " print(mode+\" training started\")\n",
+ " hls.train.train_f_on_d_U(data_feeder, f_d_U_epochs, loss_type=mode)\n",
+ " print(mode+\" training ended\")\n",
+ "elif mode == 'test_f':\n",
+ " print('Running test_f')\n",
+ " hls.test.test_f(data_feeder, log_output=True, \n",
+ " save_filename=f_infer_out_pickle, \n",
+ " use_joint_f_w=use_joint_f_w)\n",
+ "elif mode == 'test_w': # use only if train_mode = implication or train_mode = pr_loss\n",
+ " print('Running test_w')\n",
+ " hls.test.test_w(data_feeder, log_output=True, save_filename=w_infer_out_pickle+\"_test\")\n",
+ "elif mode == 'test_all': # use only if train_mode = implication or train_mode = pr_loss\n",
+ " print('Running all tests')\n",
+ " print('\\ninference on f network ...\\n')\n",
+ " hls.test.test_f(data_feeder, log_output=True, \n",
+ " save_filename=f_infer_out_pickle,\n",
+ " use_joint_f_w=use_joint_f_w)\n",
+ " print('\\ninference on w network...')\n",
+ " print('we only test on instances covered by atleast one rule\\n')\n",
+ " hls.test.test_w(data_feeder, log_output=True, save_filename=w_infer_out_pickle+\"_test\")\n",
+ "else:\n",
+ " assert not \"Invalid mode string: %s\" % mode\n",
+ "\n",
+ "sys.stdout.close()"
+ ]
+ }
+ ],
+ "metadata": {
+ "kernelspec": {
+ "display_name": "Python 3",
+ "language": "python",
+ "name": "python3"
+ },
+ "language_info": {
+ "codemirror_mode": {
+ "name": "ipython",
+ "version": 3
+ },
+ "file_extension": ".py",
+ "mimetype": "text/x-python",
+ "name": "python",
+ "nbconvert_exporter": "python",
+ "pygments_lexer": "ipython3",
+ "version": "3.8.10"
+ }
+ },
+ "nbformat": 4,
+ "nbformat_minor": 5
+}
diff --git a/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_jl-checkpoint.ipynb b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_jl-checkpoint.ipynb
new file mode 100644
index 0000000..01fc659
--- /dev/null
+++ b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_jl-checkpoint.ipynb
@@ -0,0 +1,920 @@
+{
+ "cells": [
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***End to End tutorial for SMS_SPAM labeling using JL:***\n",
+ "**The paper, documentation, colab notebook can be found here:** [Paper](https://arxiv.org/abs/2008.09887), [Documentation](https://spear-decile.readthedocs.io/en/latest/#joint-learning-jl), [Colab](https://colab.research.google.com/drive/1HqkqQ8ytWjP9on3du-vVB07IQvo8Li3W?usp=sharing)"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 1,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "#pip install"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 2,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "'''\n",
+ "User don't need to include this cell to use the package\n",
+ "'''\n",
+ "import sys\n",
+ "sys.path.append('../../') "
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 3,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import numpy as np"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Defining an Enum to hold labels:***\n",
+ "### **Representation of class Labels**\n",
+ "\n",
+ "
All the class labels for which we define labeling functions are encoded in enum and utilized in our next tasks. Make sure not to define an Abstain(Labeling function(LF) not deciding anything) class inside this Enum, instead import the ABSTAIN object as used later in LF section.
\n",
+ "\n",
+ "
SPAM dataset contains 2 classes i.e HAM and SPAM. Note that the numbers we associate can be anything but it is suggested to use a continuous numbers from 0 to number_of_classes-1
\n",
+ "\n",
+ "
**Note that even though this example is a binary classification, this(SPEAR) library supports multi-class classification**
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 4,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import enum\n",
+ "\n",
+ "# enum to hold the class labels\n",
+ "class ClassLabels(enum.Enum):\n",
+ " SPAM = 1\n",
+ " HAM = 0\n",
+ "\n",
+ "THRESHOLD = 0.8"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Defining preprocessors, continuous_scorers, labeling functions:***\n",
+ "During labeling the unlabelled data we lookup for few keywords to assign a class SMS.\n",
+ "\n",
+ "Example : *If a message contains apply or buy in it then most probably the message is spam*"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 5,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "trigWord1 = {\"free\",\"credit\",\"cheap\",\"apply\",\"buy\",\"attention\",\"shop\",\"sex\",\"soon\",\"now\",\"spam\"}\n",
+ "trigWord2 = {\"gift\",\"click\",\"new\",\"online\",\"discount\",\"earn\",\"miss\",\"hesitate\",\"exclusive\",\"urgent\"}\n",
+ "trigWord3 = {\"cash\",\"refund\",\"insurance\",\"money\",\"guaranteed\",\"save\",\"win\",\"teen\",\"weight\",\"hair\"}\n",
+ "notFreeWords = {\"toll\",\"Toll\",\"freely\",\"call\",\"meet\",\"talk\",\"feedback\"}\n",
+ "notFreeSubstring = {\"not free\",\"you are\",\"when\",\"wen\"}\n",
+ "firstAndSecondPersonWords = {\"I\",\"i\",\"u\",\"you\",\"ur\",\"your\",\"our\",\"we\",\"us\",\"youre\"}\n",
+ "thirdPersonWords = {\"He\",\"he\",\"She\",\"she\",\"they\",\"They\",\"Them\",\"them\",\"their\",\"Their\"}"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Declaration of a simple preprocessor function**\n",
+ "\n",
+ "\n",
+ "For most of the tasks in NLP, computer vivsion instead of using the raw datapoint we preprocess the datapoint and then label it. Preprocessor functions are used to preprocess an instance before labeling it. We use **`@preprocessor(name,resources)`** decorator to declare a function as preprocessor."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 6,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import preprocessor\n",
+ "\n",
+ "\n",
+ "@preprocessor(name = \"LOWER_CASE\")\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "lower = convert_to_lower(\"RED\")"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Some Labeling function(LF) definitions**\n",
+ "Below are some examples on how to define LFs and continuous LFs(CLFs). To get the continuous score for a CLF, we need to define a function with continuous_scorer decorator(just like labeling_function decorator) and pass it to a CLF as displayed below. Also note how the continuous score can be used in CLF. Note that the word_similarity is the function with continuous_scorer decorator and is written in con_scorer file(this file is not a part of package) in same folder."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 7,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "model loading\n",
+ "model loaded\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import labeling_function, ABSTAIN\n",
+ "\n",
+ "from helper.con_scorer import word_similarity\n",
+ "import re\n",
+ "\n",
+ "\n",
+ "@preprocessor()\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF1(c,**kwargs): \n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF2(c,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF3(c,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(c.split())) > 0:\n",
+ " return ClassLabels.SPAM \n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF4(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF5(c,**kwargs):\n",
+ " for pattern in kwargs[\"keywords\"]: \n",
+ " if \"free\" in c.split() and re.search(pattern,c, flags= re.I):\n",
+ " return ClassLabels.HAM\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF6(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF7(c,**kwargs):\n",
+ " if \"free\" in c.split() and len(kwargs[\"keywords\"].intersection(c.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(label=ClassLabels.SPAM)\n",
+ "def LF8(c,**kwargs):\n",
+ " if (sum(1 for ch in c if ch.isupper()) > 6):\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF1(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF2(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF3(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF4(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF5(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF6(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF7(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=lambda x: 1-np.exp(float(-(sum(1 for ch in x if ch.isupper()))/2)),label=ClassLabels.SPAM)\n",
+ "def CLF8(c,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Accumulating all LFs into rules, an LFset(a class) object:***\n",
+ "### **Importing LFSet and passing LFs we defined, to that class**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 8,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import LFSet\n",
+ "\n",
+ "LFS = [LF1,\n",
+ " LF2,\n",
+ " LF3,\n",
+ " LF4,\n",
+ " LF5,\n",
+ " LF6,\n",
+ " LF7,\n",
+ " LF8,\n",
+ " CLF1,\n",
+ " CLF2,\n",
+ " CLF3,\n",
+ " CLF4,\n",
+ " CLF5,\n",
+ " CLF6,\n",
+ " CLF7,\n",
+ " CLF8\n",
+ " ]\n",
+ "\n",
+ "rules = LFSet(\"SPAM_LF\")\n",
+ "rules.add_lf_list(LFS)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Loading data:***\n",
+ "### **Load the data: X, X_feats, Y**\n",
+ "
Note that the utils below is not a part of package but is used to load the necessary data. User have to use some means(which doesn't matter) to load his data(X, X_feats, Y). X is the raw data that is to be passed to LFs, X_feats is feature matrix, of type numpy array and shape (num_instances, num_features) and Y are true labels(if available). Note that we except user to provide feature matrix and feature matrix is not needed in Cage algorithm but it is needed in JL algorithm.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 9,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from helper.utils import load_data_to_numpy, get_various_data\n",
+ "\n",
+ "X, X_feats, Y = load_data_to_numpy()\n",
+ "\n",
+ "validation_size = 100\n",
+ "test_size = 400\n",
+ "L_size = 100\n",
+ "U_size = 4500\n",
+ "n_lfs = len(rules.get_lfs())\n",
+ "\n",
+ "X_V, Y_V, X_feats_V,_, X_T, Y_T, X_feats_T,_, X_L, Y_L, X_feats_L,_, X_U, X_feats_U,_ = get_various_data(X, Y,\\\n",
+ " X_feats, n_lfs, validation_size, test_size, L_size, U_size)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Labeling data:***\n",
+ "### **Paths**\n",
+ "* path_json: path to json file generated by PreLabels\n",
+ "* V_path_pkl: path to pkl file generated by PreLabels containing the validation data with true labels\n",
+ "* L_path_pkl: path to pkl file generated by PreLabels containing the labeled data with true labels\n",
+ "* T_path_pkl: path to pkl file generated by PreLabels containing the test data with true labels\n",
+ "* U_path_pkl: path to pkl file generated by PreLabels containing the unlabelled data without true labels\n",
+ "* log_path: path to save the log which is generated during the algorithm\n",
+ "* params_path: path to save parameters of model\n",
+ "\n",
+ "
Difference between test and labeled data is that labeled data may be used in the algorithm(JL uses it while Cage doesn't) but test data isn't. Make sure that the directory of the files(in above paths) exists. Note that any existing contents in pickle files will be erased.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 10,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "path_json = 'data_pipeline/JL/sms_json.json'\n",
+ "V_path_pkl = 'data_pipeline/JL/sms_pickle_V.pkl' #validation data - have true labels\n",
+ "T_path_pkl = 'data_pipeline/JL/sms_pickle_T.pkl' #test data - have true labels\n",
+ "L_path_pkl = 'data_pipeline/JL/sms_pickle_L.pkl' #Labeled data - have true labels\n",
+ "U_path_pkl = 'data_pipeline/JL/sms_pickle_U.pkl' #unlabelled data - don't have true labels\n",
+ "\n",
+ "log_path_jl_1 = 'log/JL/sms_log_1.txt' #jl is an algorithm, can be found below\n",
+ "params_path = 'params/JL/sms_params.pkl' #file path to store parameters of JL, used below"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Importing PreLabels class and using it to label data**\n",
+ "Json file should be generated only once as shown below.\n",
+ "
Note: We don't pass gold_lables(or true labels) to the 4th PreLabels class which generates labels to unlabelled data(U).
These functions can be used to extract data from pickle files and json file respectively. Note that these are the files generated using PreLabels.
\n",
+ "
For detailed contents of output, please refer documentation.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 12,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Number of elements in data list: 10\n",
+ "Shape of feature matrix: (4500, 1024)\n",
+ "Shape of labels matrix: (4500, 16)\n",
+ "Shape of continuous scores matrix : (4500, 16)\n",
+ "Total number of classes: 2\n",
+ "Classes dictionary in json file(modified to have integer keys): {1: 'SPAM', 0: 'HAM'}\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_data, get_classes\n",
+ "\n",
+ "data_U = get_data(path = U_path_pkl, check_shapes=True)\n",
+ "#check_shapes being True(above), asserts for relative shapes of arrays in pickle file\n",
+ "print(\"Number of elements in data list: \", len(data_U))\n",
+ "print(\"Shape of feature matrix: \", data_U[0].shape)\n",
+ "print(\"Shape of labels matrix: \", data_U[1].shape)\n",
+ "print(\"Shape of continuous scores matrix : \", data_U[6].shape)\n",
+ "print(\"Total number of classes: \", data_U[9])\n",
+ "\n",
+ "classes = get_classes(path = path_json)\n",
+ "print(\"Classes dictionary in json file(modified to have integer keys): \", classes)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# ***Joint Learning(JL) Algorithm:***\n",
+ "## **Importing JL class (the algorithm) and declaring an object of it**\n",
+ "JL algoritm needs the four types of data:(all this data should be labeled using LFs via PreLabels class)\n",
+ "* Unlabeled data(doesn't have true/gold labels)\n",
+ "* labeled data(have true/gold labels)\n",
+ "* validation data(have true/gold labels)\n",
+ "* test data(have true/gold labels)\n",
+ "\n",
+ "
All this data is compulsory for training(passed in fit_and_predict functions). Note that the amount of labeled or validation data can be small, for example they can be of the order of 100 each. Also refer subset selection to find the subset of the data, that is available with you, to label(using a trustable means/SMEs) and use it as 'labeled data' so that the data complements the LFs.
\n",
+ "
The member functions of JL can be choosen to return fm(feature model) or gm(graphical model) predictions. It is highly advised to use the predictions of fm.
\n",
+ "
Note: Multiple calls to fit_* functions will train parameters continuously ie, parameters are not reinitialised in fit_* functions. So, to train large data, one can call fit_* functions repeatedly on smaller chunks. Also, in order to perform multiple runs over the algorithm, one need to reinitialise paramters(by creating an object of JL) at the start of each run.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 13,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.jl import JL\n",
+ "\n",
+ "n_features = 1024\n",
+ "n_hidden = 512\n",
+ "feature_model = 'nn'\n",
+ "'''\n",
+ "'nn' is neural network. other alternative is 'lr'(logistic regression) which doesn't need n_hidden to be passed\n",
+ "during initialisation.\n",
+ "''' \n",
+ "\n",
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, feature_model = feature_model, \\\n",
+ " n_hidden = n_hidden)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict_proba function of JL class with two return values**\n",
+ "Here return_gm argument is True which returns predictions/probabilities from graphical model(Cage algorithm) along with feature model. Also note that here test data(path_T) is compulsory and metric_avg is just one value(instead of list as in Cage). The output(probs) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class. \n",
+ "
Here the order of classes along a row for any instance is the ascending order of values used in enum defined before to hold labels.
\n",
+ "
For more details about arguments, please refer documentation; same should be the case for any of the member functions used from here on.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 14,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stderr",
+ "output_type": "stream",
+ "text": [
+ " 19%|█▉ | 19/100 [01:09<04:56, 3.66s/it]"
+ ]
+ },
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "early stopping at epoch: 19\tbest_epoch: 8\n",
+ "score used: f1_score\n",
+ "best_gm_val_score:0.7272727272727272\tbest_fm_val_score:0.8292682926829268\n",
+ "best_gm_test_score:0.5540540540540541\tbest_fm_test_score:0.8264462809917356\n",
+ "best_gm_test_precision:0.4270833333333333\tbest_fm_test_precision:0.7246376811594203\n",
+ "best_gm_test_recall:0.7884615384615384\tbest_fm_test_recall:0.9615384615384616\n",
+ "probs_fm shape: (4500, 2)\n",
+ "probs_gm shape: (4500, 2)\n"
+ ]
+ },
+ {
+ "name": "stderr",
+ "output_type": "stream",
+ "text": [
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "loss_func_mask = [1,1,1,1,1,1,1] \n",
+ "'''\n",
+ "One can keep 0s in places where he don't want the specific loss function to be part\n",
+ "the final loss function used in training. Refer documentation(spear.JL.core.JL) to understand\n",
+ "the which index of loss_func_mask refers to what loss function.\n",
+ "\n",
+ "Note: the loss_func_mask above may not be the optimal mask for sms dataset. We have to try\n",
+ " some other masks too, to find the best one that gives good accuracies.\n",
+ "'''\n",
+ "batch_size = 150\n",
+ "lr_fm = 0.0005\n",
+ "lr_gm = 0.01\n",
+ "use_accuracy_score = False\n",
+ "\n",
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, feature_model = feature_model, \\\n",
+ " n_hidden = n_hidden)\n",
+ "\n",
+ "probs_fm, probs_gm = jl.fit_and_predict_proba(path_L = L_path_pkl, path_U = U_path_pkl, path_V = V_path_pkl, \\\n",
+ " path_T = T_path_pkl, loss_func_mask = loss_func_mask, batch_size = batch_size, lr_fm = lr_fm, lr_gm = \\\n",
+ " lr_gm, use_accuracy_score = use_accuracy_score, path_log = log_path_jl_1, return_gm = True, n_epochs = \\\n",
+ " 100, start_len = 7,stop_len = 10, is_qt = True, is_qc = True, qt = 0.9, qc = 0.85, metric_avg = 'binary')\n",
+ "\n",
+ "labels = np.argmax(probs_fm, 1)\n",
+ "print(\"probs_fm shape: \", probs_fm.shape)\n",
+ "print(\"probs_gm shape: \", probs_gm.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **fit_and_predict_proba function of JL class with one return value**\n",
+ "Here return_gm argument is False which returns predictions only from feature model. Also note the feature_model used here is 'lr'(logistic regression). The output(probs) is a numpy matrix of shape (num_instances, num_classes) having the probability of a particular instance being that class.\n",
+ "
Here the order of classes along a row for any instance is the ascending order of values used in enum defined before to hold labels.
Here the order of classes along a row for any instance is the ascending order of values used in enum defined before to hold labels.
\n",
+ "
Note that predict_fm_proba takes feature matrix(can also be obtained from pickle file using get_data()) as argument while predict_gm_proba takes pickle file(containing labels given by LFs) as argument.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 20,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in JL class. Hope you have loaded parameters.\n",
+ "Warning: Predict is used before training any paramters in JL class. Hope you have loaded parameters.\n",
+ "probs_fm_test shape: (400, 2)\n",
+ "probs_gm_test shape: (400, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "probs_fm_test = jl_2.predict_fm_proba(x_test = X_feats_T)\n",
+ "probs_gm_test = jl_2.predict_gm_proba(path_test = T_path_pkl, qc = 0.85)\n",
+ "\n",
+ "print(\"probs_fm_test shape: \", probs_fm_test.shape)\n",
+ "print(\"probs_gm_test shape: \", probs_gm_test.shape)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **predict_fm/gm functions of JL class**\n",
+ "The output(probs) is a numpy matrix of shape (num_instances,) containing integers(strings) if need_strings is Flase(True), having the classes of each instance. Just the use case with need_strings as False is displayed here. \n",
+ "
Note that predict_fm takes feature matrix(can also be obtained from pickle file using get_data()) as argument while predict_gm takes pickle file(containing labels given by LFs) as argument.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 21,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "Warning: Predict is used before training any paramters in JL class. Hope you have loaded parameters.\n",
+ "Warning: Predict is used before training any paramters in JL class. Hope you have loaded parameters.\n",
+ "labels_fm_test shape: (400,)\n",
+ "labels_gm_test shape: (400,)\n",
+ "accuracy_score of gm: 0.8325 | fm: 0.9075\n",
+ "f1_score of gm: 0.54421768707483 | fm: 0.7299270072992701\n"
+ ]
+ }
+ ],
+ "source": [
+ "labels_fm_test = jl_2.predict_fm(x_test = X_feats_T, need_strings=False)\n",
+ "labels_gm_test = jl_2.predict_gm(path_test = T_path_pkl, qc = 0.85, need_strings=False)\n",
+ "\n",
+ "print(\"labels_fm_test shape: \", labels_fm_test.shape)\n",
+ "print(\"labels_gm_test shape: \", labels_gm_test.shape)\n",
+ "\n",
+ "from sklearn.metrics import accuracy_score, f1_score\n",
+ "\n",
+ "#Y_T is true labels of test data, type is numpy array of shape (num_instances,)\n",
+ "print(\"accuracy_score of gm: \", accuracy_score(Y_T, labels_gm_test), \"| fm: \", accuracy_score(Y_T, labels_fm_test))\n",
+ "print(\"f1_score of gm: \", f1_score(Y_T, labels_gm_test, average = 'binary'), \"| fm: \", f1_score(Y_T, labels_fm_test, average = 'binary'))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Converting numpy array of integers to enums**\n",
+ "The below utility from spear can help convert return values of predict_fm, predict_gm(obtained when need_strings is Flase) to a numpy array of enums."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 22,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_enum\n",
+ "\n",
+ "probs_fm_test_enum = get_enum(np_array = labels_fm_test, enm = ClassLabels) \n",
+ "#the second argument is the Enum class defined at beginning\n",
+ "print(type(probs_fm_test_enum[0]))"
+ ]
+ }
+ ],
+ "metadata": {
+ "kernelspec": {
+ "display_name": "Python 3",
+ "language": "python",
+ "name": "python3"
+ },
+ "language_info": {
+ "codemirror_mode": {
+ "name": "ipython",
+ "version": 3
+ },
+ "file_extension": ".py",
+ "mimetype": "text/x-python",
+ "name": "python",
+ "nbconvert_exporter": "python",
+ "pygments_lexer": "ipython3",
+ "version": "3.6.9"
+ }
+ },
+ "nbformat": 4,
+ "nbformat_minor": 2
+}
diff --git a/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_labeling-checkpoint.ipynb b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_labeling-checkpoint.ipynb
new file mode 100644
index 0000000..319d682
--- /dev/null
+++ b/notebooks/SMS_SPAM/.ipynb_checkpoints/sms_labeling-checkpoint.ipynb
@@ -0,0 +1,861 @@
+{
+ "cells": [
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "# **SMS SPAM DETECTION** "
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Installation**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 1,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import sys\n",
+ "sys.path.append('../../')"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Load SMS Dataset**\n",
+ "\n",
+ "The SMS Spam Collection is a set of SMS tagged messages that have been collected for SMS Spam research. It contains one set of SMS messages in English of 5,574 messages, tagged acording being ham (legitimate) or spam. We have used **ELMo** embeddings as features to represent sms sentences.\n"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 2,
+ "metadata": {},
+ "outputs": [
+ {
+ "data": {
+ "text/html": [
+ "
\n",
+ "\n",
+ "
\n",
+ " \n",
+ "
\n",
+ "
\n",
+ "
SMS TEXT
\n",
+ "
\n",
+ " \n",
+ " \n",
+ "
\n",
+ "
0
\n",
+ "
Go until jurong point, crazy.. Available only ...
\n",
+ "
\n",
+ "
\n",
+ "
1
\n",
+ "
Ok lar... Joking wif u oni...\\n
\n",
+ "
\n",
+ "
\n",
+ "
2
\n",
+ "
Free entry in 2 a wkly comp to win FA Cup fina...
\n",
+ "
\n",
+ "
\n",
+ "
3
\n",
+ "
U dun say so early hor... U c already then say...
\n",
+ "
\n",
+ "
\n",
+ "
4
\n",
+ "
Nah I don't think he goes to usf, he lives aro...
\n",
+ "
\n",
+ "
\n",
+ "
5
\n",
+ "
FreeMsg Hey there darling it's been 3 week's n...
\n",
+ "
\n",
+ "
\n",
+ "
6
\n",
+ "
Even my brother is not like to speak with me. ...
\n",
+ "
\n",
+ "
\n",
+ "
7
\n",
+ "
As per your request 'Melle Melle (Oru Minnamin...
\n",
+ "
\n",
+ "
\n",
+ "
8
\n",
+ "
WINNER!! As a valued network customer you have...
\n",
+ "
\n",
+ "
\n",
+ "
9
\n",
+ "
Had your mobile 11 months or more? U R entitle...
\n",
+ "
\n",
+ " \n",
+ "
\n",
+ "
"
+ ],
+ "text/plain": [
+ " SMS TEXT\n",
+ "0 Go until jurong point, crazy.. Available only ...\n",
+ "1 Ok lar... Joking wif u oni...\\n\n",
+ "2 Free entry in 2 a wkly comp to win FA Cup fina...\n",
+ "3 U dun say so early hor... U c already then say...\n",
+ "4 Nah I don't think he goes to usf, he lives aro...\n",
+ "5 FreeMsg Hey there darling it's been 3 week's n...\n",
+ "6 Even my brother is not like to speak with me. ...\n",
+ "7 As per your request 'Melle Melle (Oru Minnamin...\n",
+ "8 WINNER!! As a valued network customer you have...\n",
+ "9 Had your mobile 11 months or more? U R entitle..."
+ ]
+ },
+ "metadata": {},
+ "output_type": "display_data"
+ }
+ ],
+ "source": [
+ "from helper.utils import load_data_to_numpy\n",
+ "import numpy as np\n",
+ "import pandas as pd\n",
+ "\n",
+ "X, X_feats, Y = load_data_to_numpy()\n",
+ "\n",
+ "df = pd.DataFrame({'SMS TEXT':X})\n",
+ "result = df.head(10)\n",
+ "display(result)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "\n",
+ "### **Representation of class Labels**\n",
+ "\n",
+ "
All the class labels for which we define labeling functions are encoded in enum and utilized in our next tasks
\n",
+ "\n",
+ "
SPAM dataset contains 2 classes i.e HAM and SPAM
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 3,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import enum\n",
+ "\n",
+ "# enum to hold the class labels\n",
+ "class ClassLabels(enum.Enum):\n",
+ " SPAM = 1\n",
+ " HAM = 0\n",
+ "\n",
+ "THRESHOLD = 0.8"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "During labeling the unlabelled data we lookup for few keywords to assign a class SMS.\n",
+ "\n",
+ "Example : *If a message contains apply or buy in it then most probably the message is spam*"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 4,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "trigWord1 = {\"free\",\"credit\",\"cheap\",\"apply\",\"buy\",\"attention\",\"shop\",\"sex\",\"soon\",\"now\",\"spam\"}\n",
+ "trigWord2 = {\"gift\",\"click\",\"new\",\"online\",\"discount\",\"earn\",\"miss\",\"hesitate\",\"exclusive\",\"urgent\"}\n",
+ "trigWord3 = {\"cash\",\"refund\",\"insurance\",\"money\",\"guaranteed\",\"save\",\"win\",\"teen\",\"weight\",\"hair\"}\n",
+ "notFreeWords = {\"toll\",\"Toll\",\"freely\",\"call\",\"meet\",\"talk\",\"feedback\"}\n",
+ "notFreeSubstring = {\"not free\",\"you are\",\"when\",\"wen\"}\n",
+ "firstAndSecondPersonWords = {\"I\",\"i\",\"u\",\"you\",\"ur\",\"your\",\"our\",\"we\",\"us\",\"youre\"}\n",
+ "thirdPersonWords = {\"He\",\"he\",\"She\",\"she\",\"they\",\"They\",\"Them\",\"them\",\"their\",\"Their\"}"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Labeling Functions**\n",
+ "\n",
+ "#### Labeling functions are helpful for users to assign a class for an instance programatically. ####\n",
+ "\n",
+ "These labeling functions are heuristics which might yeild very noisy lables (or) abstains on many datapoints. Each labeling function is associated with a class and each labeling function can trigger on its corresponding class given an instance. We use **`@labeling_function(name,resources, preprocessor, label)`** decorator for declaring a labeling function. Before labeling an instance we can preprocess instance through preprocessors."
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Declaration of simple labeling functions**"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 5,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "sampleLabels.red\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import labeling_function, ABSTAIN\n",
+ "\n",
+ "class sampleLabels(enum.Enum):\n",
+ " red = 1\n",
+ " green = 0\n",
+ "\n",
+ "@labeling_function(label=sampleLabels.red,name=\"SAMPLE_LABELING\")\n",
+ "def sample_labeling(x):\n",
+ " '''A sample labeling function which predicts red when x is \"red\"\n",
+ " label=1 argument in decorator indicates that this lf is corresponding to class red'''\n",
+ " if(x == \"red\"):\n",
+ " return sampleLabels.red\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "label, _ = sample_labeling(\"red\")\n",
+ "print(label)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Declaration of simple preprocessor functions**\n",
+ "\n",
+ "\n",
+ "For most of the tasks in NLP, computer vivsion instead of using the raw datapoint we preprocess the datapoint and then label it. Preprocessor functions are used to preprocess an instance before labeling it. We use **`@preprocessor(name,resources)`** decorator to declare a function as preprocessor."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 6,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "red\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import preprocessor\n",
+ "\n",
+ "\n",
+ "@preprocessor(name = \"LOWER_CASE\")\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "lower = convert_to_lower(\"RED\")\n",
+ "print(lower)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Declaration of continious scoring functions**\n",
+ "\n",
+ "Along with labeling instances with hard labels we aslo provide soft labels ranging from 0-1 for an instance.\n",
+ "\n",
+ "We use **`@continuous_scorer(name,resources)`** decorator to declare a function as continious scorer."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 7,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "0.2\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import continuous_scorer\n",
+ "\n",
+ "@continuous_scorer(name=\"INVERSE SCORER\")\n",
+ "def continious(x):\n",
+ " if x<1:\n",
+ " return x\n",
+ " else:\n",
+ " return 1/x\n",
+ " \n",
+ "\n",
+ "score = continious(5)\n",
+ "print(score)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Few labeling functions to annotate SMS Dataset**\n",
+ "\n",
+ "We have used glove embeddings as part of our continuos scorer to assign soft labels (similarity score).\n",
+ "\n",
+ "`word_similarity` is a function with `@continuous_scorer(name,resources)` decorator to calculate the similarity with trigger words."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 14,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import labeling_function, ABSTAIN, preprocessor\n",
+ "\n",
+ "from helper.con_scorer import word_similarity\n",
+ "import re\n",
+ "\n",
+ "\n",
+ "@preprocessor()\n",
+ "def convert_to_lower(x):\n",
+ " return x.lower().strip()\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF1(x,**kwargs): \n",
+ " if len(kwargs[\"keywords\"].intersection(x.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF2(x,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(x.split())) > 0:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def LF3(x,**kwargs):\n",
+ " if len(kwargs[\"keywords\"].intersection(x.split())) > 0:\n",
+ " return ClassLabels.SPAM \n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF4(x,**kwargs):\n",
+ " if \"free\" in x.split() and len(kwargs[\"keywords\"].intersection(x.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF5(x,**kwargs):\n",
+ " for pattern in kwargs[\"keywords\"]: \n",
+ " if \"free\" in x.split() and re.search(pattern,x, flags= re.I):\n",
+ " return ClassLabels.HAM\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF6(x,**kwargs):\n",
+ " if \"free\" in x.split() and len(kwargs[\"keywords\"].intersection(x.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "\n",
+ "@labeling_function(resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def LF7(x,**kwargs):\n",
+ " if \"free\" in x.split() and len(kwargs[\"keywords\"].intersection(x.split()))>0:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(label=ClassLabels.SPAM)\n",
+ "def LF8(x,**kwargs):\n",
+ " if (sum(1 for ch in x if ch.isupper()) > 6):\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "# @labeling_function()\n",
+ "# def LF9(x,**kwargs):\n",
+ "# return ClassLabels.HAM.value\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord1),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF1(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord2),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF2(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=trigWord3),pre=[convert_to_lower],label=ClassLabels.SPAM)\n",
+ "def CLF3(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF4(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=notFreeSubstring),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF5(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=firstAndSecondPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF6(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=word_similarity,resources=dict(keywords=thirdPersonWords),pre=[convert_to_lower],label=ClassLabels.HAM)\n",
+ "def CLF7(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.HAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "@labeling_function(cont_scorer=lambda x: 1-np.exp(float(-(sum(1 for ch in x if ch.isupper()))/2)),label=ClassLabels.SPAM)\n",
+ "def CLF8(x,**kwargs):\n",
+ " if kwargs[\"continuous_score\"] >= THRESHOLD:\n",
+ " return ClassLabels.SPAM\n",
+ " else:\n",
+ " return ABSTAIN\n",
+ "\n",
+ "# @labeling_function()\n",
+ "# def CLF9(x,**kwargs):\n",
+ "# return ClassLabels.HAM\n"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **LFSet**\n",
+ "\n",
+ "Place holder for declared labeling functions. "
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 15,
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.labeling import LFSet\n",
+ "\n",
+ "LFS = [LF1,\n",
+ " LF2,\n",
+ " LF3,\n",
+ " LF4,\n",
+ " LF5,\n",
+ " LF6,\n",
+ " LF7,\n",
+ " LF8,\n",
+ " CLF1,\n",
+ " CLF2,\n",
+ " CLF3,\n",
+ " CLF4,\n",
+ " CLF5,\n",
+ " CLF6,\n",
+ " CLF7,\n",
+ " CLF8\n",
+ " ]\n",
+ "\n",
+ "rules = LFSet(\"SPAM_LF\")\n",
+ "rules.add_lf_list(LFS)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Label the dataset with defined labeling functions**\n",
+ "\n",
+ "We can label the dataset using PreLabels by providing as set of labeling funtions. We can also provide the golden labels of the dataset if we already have some labeled data to evaluate our lf's.We provide both the soft labels and hard labels given an instance, although these labels can be very noisy we provide few frameworks to effectively use these rules to label unlabelled data."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 16,
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stderr",
+ "output_type": "stream",
+ "text": [
+ "100%|██████████| 5574/5574 [05:52<00:00, 15.83it/s]\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.labeling import PreLabels\n",
+ "\n",
+ "R = np.zeros((X.shape[0],len(rules.get_lfs())))\n",
+ "\n",
+ "sms_noisy_labels = PreLabels(name=\"sms\",\n",
+ " data=X,\n",
+ " data_feats = X_feats,\n",
+ " gold_labels=Y,\n",
+ " rules=rules,\n",
+ " labels_enum=ClassLabels,\n",
+ " num_classes=2)\n",
+ "L,S = sms_noisy_labels.get_labels()"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "metadata": {},
+ "source": [
+ "### **Analyse and refining labeling functions**\n",
+ "\n",
+ "Once we are done with labeling the dataset with given lf's, we can analyse the labeling functions we declared by calculating coverage, overlap, conflicts, empirical accuracy for of each lf which helps us to re-iterate on the process by refining new lf's."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 17,
+ "metadata": {
+ "tags": []
+ },
+ "outputs": [
+ {
+ "data": {
+ "image/png": "iVBORw0KGgoAAAANSUhEUgAAA3MAAAJdCAYAAACYmC6IAAAAOXRFWHRTb2Z0d2FyZQBNYXRwbG90bGliIHZlcnNpb24zLjMuNCwgaHR0cHM6Ly9tYXRwbG90bGliLm9yZy8QVMy6AAAACXBIWXMAAAsTAAALEwEAmpwYAABvYUlEQVR4nO3deZgdVZn48e9LAgRkJxGBEBI1KCCL2gTmh4PIGpQhMIIJChMUjDiEcdegCIjLgKKigGJGEFwJAmpGg8gWFUcgAQIhCUvECB1RQgggsia8vz+qOtw03em+vd2u7u/nee5D1alzqs696fty36pTpyIzkSRJkiRVyzqN7oAkSZIkqX4mc5IkSZJUQSZzkiRJklRBJnOSJEmSVEEmc5IkSZJUQSZzkiRJklRBJnOSJHVSRGREvLbR/ZA0eEXEBhHxvxHxRET8NCKOi4ibarY/FRGvbmQf1XdM5rRWEfHuiJhbBoaHI+LqiHhLo/slSS3KHzLzI+LpiPhbRHw7IjZrdL8kqZd+Rx0JbAVsmZlHtd6YmRtl5gMd9Gt0eXJqaDf7ogYzmVO7IuKjwLnAlyiCxijgW8CEPjp+RIR/o5LaFREfA84GPgFsCuwFbA9cGxHr9eBx/MEjqS69+Dtqe+C+zFzZzf1oAPCHstoUEZsCZwInZeZVmfnPzHwhM/83Mz8REetHxLkR8dfydW5ErF+2XRQRh9bsa2hELIuIN5Xre0XE/0XE4xFxZ0TsW1N3dkR8MSL+ADwNvDoi3lvu8x8R8UBEfKBVXz9Znu36a0ScUDsMquznORHxYET8PSIujIgNevvzk9T7ImIT4HPAyZn56zJGLQHeBYwGPh4Rz0TEFjVt3hgRj0bEuuX6+8r4siIiromI7WvqZkScFBH3A/e3cfx3RMQdEfFkRDwUEWfUbGs56z2ljE0PR8THa7aPK8/WP1nGpq/1+AckqWG6+Ttq34hojoiPRcQjZfx4b7ntc8BpwMTyat/xbRy79nfQBhHx1Yj4SxTDMm8qfwf9rqz+eLmff4mI10bEb8t6j0bEjL74rNQ9JnNqz78Aw4CftbP9MxRnwHcHdgPGAaeW234CHF1T92Dg0cy8PSK2BX4FfAHYAvg4cGVEjKipfywwBdgY+AvwCHAosAnwXuDrNYnheOCjwAHAa4F9W/XzLGCHsp+vBbalCIKSqu//UcSpq2oLM/MpYBawC/BH4J01m98NXJGZL0TEBODTwL8DI4DfU8SvWocDewI7tXH8fwL/AWwGvAP4YEQc3qrO24CxwEHApyLigLL8G8A3MnMT4DXA5Z15w5Iqozu/owBeRTHaYFvgeOCCiNg8M0+nuNI3oxxOeVEH/TgHeDNFvNwC+CTwIrBPuX2zcj9/BD4P/AbYHBgJnNfpd6uGMZlTe7akSMDau4T/HuDMzHwkM5dRnB0/ttz2Y+CwiNiwXH83L/1AOgaYlZmzMvPFzLwWmAu8vWbfl2TmgsxcWZ7F+lVm/ikLv6UINP9a1n0X8L2y/tPAGS07iYigSAo/kpmPZeY/KALgpK5+KJL6leG0H6ceLrf/mPLkUhkTJpVlACcC/52Zi8p9fAnYvfbqXLn9scx8pvUBMnN2Zs4vY9ldFHHura2qfa48Iz8f+B4vneh6AXhtRAzPzKcy8+YuvH9J/Vd3fkdBESPOLH8HzQKeAl5XTwfKW1XeB3woM5dm5qrM/L/MfK6dJi9QDOHcJjOfzcyb2qmnfsRkTu1ZDgxfy30i21BcNWvxl7KMzFwMLAL+rUzoDuOlH0/bA0eVQywfj4jHgbcAW9fs66HaA0XEIRFxc0Q8VtZ/O8WPtJZ+PNRO2xHAhsBtNcf6dVkuqfoepf04tXW5/UrgXyJia4oz0S9SXIGDIh59oyY+PAYExZnwFmvEo1oRsWdE3BjFMPInKJLD4a2q1bZfHScpzrTvANwTEXOiZmi6pAGhy7+jWtq3SgSfBjaqsw/DKa4O/qmT9T9JEQNvjYgFEfG+Oo+nBjCZU3v+CDxHMcSoLX+l+CHUYlRZ1qJlqOUEYGGZ4EHxw+YHmblZzesVmXlWTdtsWSjHj19JMUxgq8zcjGL4VJRVHqYYCtBiu5rlR4FngJ1rjrVpZtYbDCX1Ty1x6t9rCyNiI+AQ4PrMXEFxNX8ixSiByzKzJcY8BHygVTzaIDP/r2Z3Sft+DMwEtsvMTYELeSk2taiNSavjZGben5lHA6+kmMDlioh4RWffuKR+r7u/o3rCo8CzFEO5W3tZbMvMv2Xm+zNzG+ADwLfCR7H0eyZzalNmPkFxb9kFEXF4RGwYEeuWV8m+TJGsnRoRIyJieFn3hzW7uIziHpEP8tJVOco6/xYRB0fEkIgYVt7oW5uQ1VoPWB9YBqyMiEPK/ba4HHhvROxYXgX8bM17eBH4H4p77F4JEBHbRsTBXf1cJPUfZZz6HHBeRIwvY9RoirjQDPygrPpjinvbjmTNeHQhcEpE7AzFhAUR8bJpvtdiY+CxzHw2IsZRJIutfbaMnztT3PM7ozzWMRExooxTj5d1X6zj2JL6sR74HdUTfXgRuBj4WkRsU/7u+pfyRPkyipiz+nl0EXFUze+xFRQJn3GpnzOZU7sy86sUk4ucSvGlfwiYCvycYgKTucBdwHzg9rKspe3DFGel/h/lj5ey/CGKq3WfrtnnJ2jnb7G8z+2/KH6craD4sTSzZvvVwDeBG4HFQMt9Jy3jwT/VUh4RTwLXUeeYc0n9V2Z+mSKenAM8CdxCEVf2r7kvZCbFJCR/y8w7a9r+jOKq2GVlfLib4opeZ/0ncGZE/IPih1hbk5j8liIGXQ+ck5m/KcvHAwsi4imKyVAmtXVfnqTq6s7vqB708XL/cyiGkp8NrFPOM/BF4A/lUPO9gD2AW8q4NJPiXru1Pq9OjRcvjTaRqi8idqT4Qba+z1+R1CjlFcI/A+saiyRJvcUrc6q8iDgiiue1bE5xxul//fEkSZKkgc5kTgPBByieRfcnYBXFfXqSJEnSgGYyp8rLzPHlLJVbZOYR5f16ktQwmbkkM8NRAgIoJ+i5NyIWR8S0NrbvExG3R8TKiDiy1bZREfGbiFgUEQvLIbySBHQhmetEQDoxIuZHxLyIuCkidirLR0fEM2X5vIi4sCfegCRJUn8VEUOACygm19kJOLrlt1GNB4HjWHO21RbfB76SmTsC4yhGokgSAO09yLBNNQHpQIppn+dExMzMXFhT7ceZeWFZ/zDgaxSzdgH8KTN373avJUmSqmEcsLhlVsCIuIzyGawtFTJzSbltjWngy6RvaGZeW9Z7qo/6LKki6krm6FxAerKm/itY+wNX12r48OE5evTorjaX1E/ddtttj2bmiEb3ozuMT9LA00uxaVuKKelbNAN7drLtDsDjEXEVMIbi8TrTMnNVew2MTdLAs7bYVG8y16mAFBEnUTxXYz1gv5pNYyLiDopnAZ2amb9f28FGjx7N3Llz6+yipP4uIv7S6D50l/FJGnj6YWwaCvwr8EaKoZgzKIZjXlRbKSKmAFMARo0aZWySBpi1xaZemQAlMy/IzNdQPLD51LL4YWBUZr6RItH7cURs0kZnp0TE3IiYu2zZst7oniRJUl9ZCmxXsz6yLOuMZmBeZj5QTqbzc+BNrStl5vTMbMrMphEjKj3oQVKd6k3m6g1IlwGHA2Tmc5m5vFy+jWIa+R1aNzAgSZKkAWQOMDYixkTEesAkYGYdbTeLiJYfRPtRc2uLJNWbzHUYkCJibM3qO4D7y/IR5QQqRMSrgbHAA13tuCRJUn9XXlGbClwDLAIuz8wFEXFmOVEcEbFHRDQDRwHfiYgFZdtVwMeB6yNiPhDA/zTifUjqn+q6Zy4zV0ZES0AaAlzcEpCAuZk5E5gaEQcALwArgMll832AMyPiBeBF4MTMfKzeDr/wwgs0Nzfz7LPP1ttUrQwbNoyRI0ey7rrrNror0oBgfOo645EGssycBcxqVXZazfIcitFObbW9Fti1O8c3NnWdsUn9Xb0ToHQmIH2onXZXAlfWe7zWmpub2XjjjRk9ejQR0d3dDVqZyfLly2lubmbMmDGN7o40IBifusZ4JPUuY1PXGJtUBb0yAUpvevbZZ9lyyy0NRt0UEWy55ZaepZN6kPGpa4xHUu8yNnWNsUlVULlkDjAY9RA/R6nn+b3qGj83qXf5HesaPzf1d5VM5vqDv/3tb0yaNInXvOY1vPnNb+btb3879913X6O7JQ1aETE+Iu6NiMURMa2N7R+NiIURcVdEXB8R29dsWxUR88pXZ2eZ65eam5uZMGECY8eO5TWveQ0f+tCHeP7557u93yVLlvCGN7yhB3ooabDqqd9Ov//979l5553ZfffdWbRo0erYNHfuXP7rv/5rrW2/9KUvdanvUn9V9z1z/c3oab/q0f0tOesdHdbJTI444ggmT57MZZddBsCdd97J3//+d3bY4WVPW+iWlStXMnRo5f+ZpF5VzpR7AXAgxXOZ5kTEzMysncL7DqApM5+OiA8CXwYmltueyczde7xjZ2zaw/t7Yq2bM5N///d/54Mf/CC/+MUvWLVqFVOmTOEzn/kMX/nKV7p82JUrV3a5raT+Z5dLd+nR/c2fPL/DOj352+lHP/oRp5xyCscccwxLlixZXd7U1ERTU9Na237pS1/i05/+dF3Hk/ozs4QuuPHGG1l33XU58cQTV5fttttuZCaf+MQnuPrqq4kITj31VCZOnMikSZM49thjecc7ikTxuOOO49BDD+WII45g2rRpzJ49m+eee46TTjqJD3zgA8yePZvPfvazbL755txzzz3cd999HH744Tz00EM8++yzfOhDH2LKlCkAXHTRRZx99tlsttlm7Lbbbqy//vqcf/75LFu2jBNPPJEHH3wQgHPPPZe999677z8s9ap6T2Z05mRFRY0DFmfmAwARcRkwgZrnMWXmjTX1bwaO6dMe9oEbbriBYcOG8d73vheAIUOG8PWvf50xY8bw29/+lu9973vsvPPOAOy7776cc8457Ljjjpx88sncfffdvPDCC5xxxhlMmDCBSy65hKuuuoqnnnqKVatWcemll64+zpIlSzj22GP55z//CcD555/P//t//4/Zs2dz2mmnsfHGG7N48WLe9ra38a1vfYvM5Pjjj2fu3LlEBO973/v4yEc+0vcfkAaHek6idHCCRD2n3t9Os2fP5owzzmD48OHcfffdvPnNb+aHP/whF110EZdffjnXXHMNV199NV/84hdX72/27Nmcc845/PKXv+Spp57i5JNPXh13Tj/9dObMmcMzzzzD7rvvzs4778z06dN517veRXNzM6tWreKzn/0sEydObKv7GkDqOZnRmRMVjWYy1wUtQaW1q666innz5nHnnXfy6KOPsscee7DPPvswceJELr/8ct7xjnfw/PPPc/311/Ptb3+biy66iE033ZQ5c+bw3HPPsffee3PQQQcBcPvtt3P33Xevnj3p4osvZosttuCZZ55hjz324J3vfCfPPfccn//857n99tvZeOON2W+//dhtt90A+NCHPsRHPvIR3vKWt/Dggw9y8MEHs2jRor77kKS+tS3wUM16M7DnWuofD1xdsz4sIuYCK4GzMvPnPd7DPrBgwYKXxaZNNtmEUaNG8Y53vIPLL7+cz33uczz88MM8/PDDNDU18elPf5r99tuPiy++mMcff5xx48ZxwAEHAEUcuuuuu9hiiy3WOPv9yle+kmuvvZZhw4Zx//33c/TRRzN37lwAbr31VhYuXMj222/P+PHjueqqqxgzZgxLly7l7rvvBuDxxx/vk89DUv9R728ngDvuuIMFCxawzTbbsPfee/OHP/yBE044gZtuuolDDz2UI488co3YVOvzn/88m266KfPnFz/GV6xYwTvf+U7OP/985s2bB8CVV17JNttsw69+VZwYfeIJk3tVj/fM9aCbbrqJo48+miFDhrDVVlvx1re+lTlz5nDIIYdw44038txzz3H11Vezzz77sMEGG/Cb3/yG73//++y+++7sueeeLF++nPvvvx+AcePGrTEN7je/+U1222039tprLx566CHuv/9+br31Vt761reyxRZbsO6663LUUUetrn/dddcxdepUdt99dw477DCefPJJnnrqqT7/TKT+JiKOAZqA2nGH22dmE/Bu4NyIeE07badExNyImLts2bI+6G3P2XfffbniiisAuPzyyznyyCMB+M1vfsNZZ53F7rvvzr777suzzz67+or+gQceyBZbbPGyfb3wwgu8//3vZ5ddduGoo45i4cKXRrOOGzeOV7/61QwZMoSjjz6am266iVe/+tU88MADnHzyyfz6179mk0026YN3LKkK2vvtBEU8GTlyJOussw677757u4lbW6677jpOOumk1eubb775y+rssssuXHvttXzqU5/i97//PZtu2sND46U+YDLXBTvvvDO33XZbp+sPGzaMfffdl2uuuYYZM2asvoSfmZx33nnMmzePefPm8ec//3n1lblXvOIVq9vPnj2b6667jj/+8Y/ceeedvPGNb+xwmtwXX3yRm2++efW+ly5dykYbbdSFdytVwlJgu5r1kWXZGiLiAOAzwGGZ+VxLeWYuLf/7ADAbeGNbB8nM6ZnZlJlNI0aM6Lne95CddtrpZbHpySef5MEHH2SPPfZgyy235K677npZHLryyitXx4oHH3yQHXfcEVgzDtX6+te/zlZbbcWdd97J3Llz15hgpfXMbxHB5ptvzp133sm+++7LhRdeyAknnNCTb1tSBdT72wlg/fXXX708ZMiQHr9/d4cdduD2229nl1124dRTT+XMM8/s0f1LfcFkrgv2228/nnvuOaZPn7667K677mKzzTZjxowZrFq1imXLlvG73/2OcePGATBx4kS+973v8fvf/57x48cDcPDBB/Ptb3+bF154AYD77rtv9T0otZ544gk233xzNtxwQ+655x5uvvlmAPbYYw9++9vfsmLFClauXMmVV770TPaDDjqI8847b/V6y5ACaYCaA4yNiDERsR4wCVhjVsqIeCPwHYpE7pGa8s0jYv1yeTiwNzX32lXJ/vvvz9NPP833v/99AFatWsXHPvYxjjvuODbccEMmTpzIl7/8ZZ544gl23XVXoIhD5513HpkJFMOaOvLEE0+w9dZbs8466/CDH/yAVatWrd5266238uc//5kXX3yRGTNm8Ja3vIVHH32UF198kXe+85184Qtf4Pbbb++Fdy+pP+vKb6fuOPDAA7ngggtWr69YsQKAddddd/Xvrr/+9a9suOGGHHPMMXziE58wNqmSTOa6ICL42c9+xnXXXcdrXvMadt55Z0455RTe/e53s+uuu7Lbbrux33778eUvf5lXvepVQJFc/fa3v+WAAw5gvfXWA+CEE05gp5124k1vehNveMMb+MAHPtDmWafx48ezcuVKdtxxR6ZNm8Zee+0FwLbbbsunP/1pxo0bx957783o0aNXDxH45je/ydy5c9l1113ZaaeduPDCC/vo05H6XmauBKYC1wCLgMszc0FEnBkRh5XVvgJsBPy01SMIdgTmRsSdwI0U98xVMplriU0//elPGTt2LDvssAPDhg1bPRX3kUceyWWXXca73vWu1W0++9nP8sILL7Drrruy884789nPfrbD4/znf/4nl156Kbvtthv33HPPGlfw9thjD6ZOncqOO+7ImDFjOOKII1i6dCn77rsvu+++O8cccwz//d//3fNvXlK/1pXfTt1x6qmnsmLFCt7whjew2267ceONxRxYU6ZMYdddd+U973kP8+fPZ9y4cey+++587nOf49RTT+32caW+Fi1nY/ujpqambLmpvsWiRYtWDwESPPXUU2y00UasXLmSI444gve9730cccQRnW7v51ltVZ3NMiJuK+9Rqyzj08vVziTXFYP981MP6cZslsYmtcXPb2Cp4myWa4tNzmZZcWeccQbXXXcdzz77LAcddBCHH354o7skSZIkqUa9z3fsbCJpMldx55xzTqO7IElAMWPmvvvu2+huSJI0aHjPnCRJkiRVUCWTuf58n1+V+DlKPc/vVdf4uUm9y+9Y1/i5qb+rXDI3bNgwli9f7permzKT5cuXM2zYsEZ3RRowjE9dYzySepexqWuMTaqCyt0zN3LkSJqbm1m2bFmju1J5w4YNY+TIkY3uhjRgGJ+6zngk9R5jU9cZm9TfVS6ZW3fddRkzZkyjuyFJL2N8ktQfGZukgatywywlSZIkSSZzkiRJklRJJnOSJEmSVEEmc5IkSb0oIsZHxL0RsTgiprWxfZ+IuD0iVkbEkW1s3yQimiPi/L7psaSqMJmTJEnqJRExBLgAOATYCTg6InZqVe1B4Djgx+3s5vPA73qrj5Kqy2ROkiSp94wDFmfmA5n5PHAZMKG2QmYuycy7gBdbN46INwNbAb/pi85KqhaTOUmSpN6zLfBQzXpzWdahiFgH+Crw8V7ol6QBwGROkiSpf/pPYFZmNq+tUkRMiYi5ETHXB4NLg0vdyVwnbuI9MSLmR8S8iLipdlx4RJxStrs3Ig7ubuclSZL6uaXAdjXrI8uyzvgXYGpELAHOAf4jIs5qXSkzp2dmU2Y2jRgxorv9lVQhQ+upXHMT74EUwwTmRMTMzFxYU+3HmXlhWf8w4GvA+DKpmwTsDGwDXBcRO2Tmqh54H5IkSf3RHGBsRIyhSOImAe/uTMPMfE/LckQcBzRl5stOpEsavOq9MteZm3ifrFl9BZDl8gTgssx8LjP/DCwu9ydJkjQgZeZKYCpwDbAIuDwzF0TEmeVJbyJij4hoBo4CvhMRCxrXY0lVUteVOdq+iXfP1pUi4iTgo8B6wH41bW9u1bZTNwBLkiRVVWbOAma1KjutZnkOxfDLte3jEuCSXuiepArrlQlQMvOCzHwN8Cng1HraehOvJEmSJHWs3mSu3pt4LwMOr6etN/FKkiRJUsfqTeZW38QbEetR3MQ7s7ZCRIytWX0HcH+5PBOYFBHrlzcBjwVu7Vq3JUmSJGlwq+ueucxcGREtN/EOAS5uuYkXmJuZMymm0D0AeAFYAUwu2y6IiMuBhcBK4CRnspSqafS0X9VVf8lZ7+ilnkiSJA1e9U6A0pmbeD+0lrZfBL5Y7zElSZIkSWvqlQlQJEmSJEm9y2ROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE7SgBAR4yPi3ohYHBHT2tj+0YhYGBF3RcT1EbF9zbbJEXF/+Zrctz2XJEnqGpM5SZUXEUOAC4BDgJ2AoyNip1bV7gCaMnNX4Argy2XbLYDTgT2BccDpEbF5X/VdkiSpq0zmJA0E44DFmflAZj4PXAZMqK2QmTdm5tPl6s3AyHL5YODazHwsM1cA1wLj+6jfkiRJXWYyJ2kg2BZ4qGa9uSxrz/HA1V1sK0l16cQw8H0i4vaIWBkRR9aU7x4Rf4yIBeUQ8Yl923NJ/d3QRndAkvpSRBwDNAFv7ULbKcAUgFGjRvVwzyQNRDXDwA+kOFk0JyJmZubCmmoPAscBH2/V/GngPzLz/ojYBrgtIq7JzMd7v+eSqsArc5IGgqXAdjXrI8uyNUTEAcBngMMy87l62gJk5vTMbMrMphEjRvRIxyUNeJ0ZBr4kM+8CXmxVfl9m3l8u/xV4BDD4SFrNZE7SQDAHGBsRYyJiPWASMLO2QkS8EfgORSL3SM2ma4CDImLzcuKTg8oySeoJPTKUOyLGAesBf2pj25SImBsRc5ctW9bljkqqHpM5SZWXmSuBqRRJ2CLg8sxcEBFnRsRhZbWvABsBP42IeRExs2z7GPB5ioRwDnBmWSZJ/UJEbA38AHhvZr7YerujBqTBy3vmJA0ImTkLmNWq7LSa5QPW0vZi4OLe652kQazTQ7nbEhGbAL8CPpOZN/dw3yRVnFfmJEmSek+Hw8DbU9b/GfD9zLyiF/soqaJM5iRJknpJZ4aBR8QeEdEMHAV8JyIWlM3fBewDHFcOD58XEbv3/buQ1F85zFKSJPW8Mzato+4TvdePfqATw8DnUAy/bN3uh8APe72Dkiqr7itznXjw5UcjYmH5cMvrI2L7mm2ras4sdWqIgSRJkiTp5eq6MtfJB1/eATRl5tMR8UHgy8DEctszmbl797stSZIkSYNbvVfmOvPgyxsz8+ly9WbaGDYgSZIkSeqeepO5eh98eTxwdc36sPKhljdHxOF1HluSJEmSVOq1CVAi4higCXhrTfH2mbk0Il4N3BAR8zPzT63aTQGmAIwaNaq3uidJkiRJlVZvMtepB19GxAHAZ4C3ZuZzLeWZubT87wMRMRt4I7BGMpeZ04HpAE1NTVln/yRJap8zLEqSBpB6h1l2+ODLiHgj8B3gsMx8pKZ884hYv1weDuwN1E6cIkmSJEnqpLquzGXmyohoefDlEODilgdfAnMzcybwFWAj4KcRAfBgZh4G7EjxIMwXKZLIs1rNgilJkiRJ6qS675nrxIMvD2in3f8Bu9R7PEmSJEnSy9X90HBJkiRJUuOZzEmSJElSBZnMSZIkSVIFmcxJkiRJUgWZzEmSJElSBZnMSZIkSVIFmcxJkiRJUgWZzEmSJElSBZnMSZIkSVIFmcxJkiRJUgWZzEmSJElSBZnMSZIkSVIFmcxJkiRJUgWZzEmSJPWiiBgfEfdGxOKImNbG9n0i4vaIWBkRR7baNjki7i9fk/uu15KqwGROkiSpl0TEEOAC4BBgJ+DoiNipVbUHgeOAH7dquwVwOrAnMA44PSI27+0+S6oOkzlJkqTeMw5YnJkPZObzwGXAhNoKmbkkM+8CXmzV9mDg2sx8LDNXANcC4/ui05KqwWROkiSp92wLPFSz3lyW9VjbiJgSEXMjYu6yZcu63FFJ1WMyJ0mSVGGZOT0zmzKzacSIEY3ujqQ+ZDInSZLUe5YC29WsjyzLerutpEHAZE6SJKn3zAHGRsSYiFgPmATM7GTba4CDImLzcuKTg8oySQJM5iRJknpNZq4EplIkYYuAyzNzQUScGRGHAUTEHhHRDBwFfCciFpRtHwM+T5EQzgHOLMskCYChje6AJEnSQJaZs4BZrcpOq1meQzGEsq22FwMX92oHJVWWV+YkSZIkqYJM5iRJkiSpghxmKUmSJDXQLpfu0um68yfP78WeqGq8MidJkiRJFVR3MhcR4yPi3ohYHBHT2tj+0YhYGBF3RcT1EbF9zbbJEXF/+Zrc3c5LUotOxKZ9IuL2iFgZEUe22rYqIuaVr85OGS5JktRQdQ2zjIghwAXAgUAzMCciZmbmwppqdwBNmfl0RHwQ+DIwMSK2AE4HmoAEbivbruiJNyJp8OpkbHoQOA74eBu7eCYzd+/tfkqSJPWkeq/MjQMWZ+YDmfk8cBkwobZCZt6YmU+Xqzfz0lS7BwPXZuZjZQJ3LTC+612XpNU6E5uWZOZdwIuN6KAkSVJPqzeZ2xZ4qGa9uSxrz/HA1V1sK0md1d34Miwi5kbEzRFxeHuVImJKWW/usmXLuthVSZKkntFrs1lGxDEUQyrfWme7KcAUgFGjRvVCzyTpZbbPzKUR8WrghoiYn5l/al0pM6cD0wGampqyrzspSZJUq94rc0uB7WrWR5Zla4iIA4DPAIdl5nP1tM3M6ZnZlJlNI0aMqLN7kgapTsWX9mTm0vK/DwCzgTf2ZOckSZJ6Q73J3BxgbESMiYj1gEnAGjO/RcQbge9QJHKP1Gy6BjgoIjaPiM2Bg8oySequDmNTe8qYtH65PBzYG1i49laSJEmNV1cyl5krgakUSdgi4PLMXBARZ0bEYWW1rwAbAT+tneY7Mx8DPk/xo2sOcGZZJknd0pnYFBF7REQzcBTwnYhYUDbfEZgbEXcCNwJntZoFU5IkqV+q+565zJwFzGpVdlrN8gFraXsxcHG9x5SkjnQiNs3hpdl1a+v8H7BLr3dQkiSph9X90HBJkiRJUuOZzEmSJElSBZnMSZIkSVIFmcxJkiRJUgWZzEmSJElSBdU9m6XUkdHTflVX/SVnvaOXeiJJkiQNXF6ZkyRJkqQKMpmTJEmSpAoymZMkSepFETE+Iu6NiMURMa2N7etHxIxy+y0RMbosXzciLo2I+RGxKCJO6fPOS+rXTOYkSZJ6SUQMAS4ADgF2Ao6OiJ1aVTseWJGZrwW+Dpxdlh8FrJ+ZuwBvBj7QkuhJEpjMSZIk9aZxwOLMfCAznwcuAya0qjMBuLRcvgLYPyICSOAVETEU2AB4Hniyb7otqQpM5iRJknrPtsBDNevNZVmbdTJzJfAEsCVFYvdP4GHgQeCczHystzssqTpM5iRJkvqnccAqYBtgDPCxiHh160oRMSUi5kbE3GXLlvV1HyU1kMmcJElS71kKbFezPrIsa7NOOaRyU2A58G7g15n5QmY+AvwBaGp9gMycnplNmdk0YsSIXngLkvorkzlJkqTeMwcYGxFjImI9YBIws1WdmcDkcvlI4IbMTIqhlfsBRMQrgL2Ae/qk15IqwWROkiSpl5T3wE0FrgEWAZdn5oKIODMiDiurXQRsGRGLgY8CLY8vuADYKCIWUCSF38vMu/r2HUjqz4Y2ugOSJEkDWWbOAma1KjutZvlZiscQtG73VFvlktTCK3OSJEmSVEEmc5IkSZJUQSZzkiRJklRBJnOSJEmSVEEmc5IkSZJUQSZzkiRJklRBJnOSJEmSVEEmc5IkSZJUQSZzkiRJklRBdSdzETE+Iu6NiMURMa2N7ftExO0RsTIijmy1bVVEzCtfM7vTcUmSJEkazIbWUzkihgAXAAcCzcCciJiZmQtrqj0IHAd8vI1dPJOZu3etq5IkSZKkFnUlc8A4YHFmPgAQEZcBE4DVyVxmLim3vdhDfZQkSZIktVLvMMttgYdq1pvLss4aFhFzI+LmiDi8zmNLkiRJkkr1Xpnrru0zc2lEvBq4ISLmZ+afaitExBRgCsCoUaP6uHuSJEmSVA31XplbCmxXsz6yLOuUzFxa/vcBYDbwxjbqTM/MpsxsGjFiRJ3dkyRJkqTBod5kbg4wNiLGRMR6wCSgU7NSRsTmEbF+uTwc2Juae+0kSZIkSZ1XVzKXmSuBqcA1wCLg8sxcEBFnRsRhABGxR0Q0A0cB34mIBWXzHYG5EXEncCNwVqtZMCVJkiRJnVT3PXOZOQuY1arstJrlORTDL1u3+z9gly70UZIkSZLUSt0PDZckSZIkNZ7JnCRJkiRVkMmcJEmSJFWQyZykASEixkfEvRGxOCKmtbF9n4i4PSJWRsSRrbZNjoj7y9fkvuu1JElS15nMSaq8iBgCXAAcAuwEHB0RO7Wq9iBwHPDjVm23AE4H9gTGAadHxOa93WdJg0cnTjatHxEzyu23RMTomm27RsQfI2JBRMyPiGF92nlJ/Vrds1lKUj80DlicmQ8ARMRlwARqnmWZmUvKbS+2answcG1mPlZuvxYYD/yk97staaCrOdl0INAMzImIma0ez3Q8sCIzXxsRk4CzgYkRMRT4IXBsZt4ZEVsCL9Rz/F0u7fxE4vMnz69n15L6Aa/MSRoItgUeqllvLst6tG1ETImIuRExd9myZV3qqKRBZ/XJpsx8Hmg52VRrAnBpuXwFsH9EBHAQcFdm3gmQmcszc1Uf9VtSBZjMSVInZeb0zGzKzKYRI0Y0ujuSqqEzJ4xW18nMlcATwJbADkBGxDXlPb+f7IP+SqoQkzlJA8FSYLua9ZFlWW+3laTeNBR4C/Ce8r9HRMT+rSs5akAavEzmJA0Ec4CxETEmItYDJgEzO9n2GuCgiNi8nPjkoLJMknpCZ04Yra5T3ie3KbCc4ire7zLz0cx8GpgFvKn1ARw1IA1eJnOSKq8cljSVIglbBFyemQsi4syIOAwgIvaIiGbgKOA7EbGgbPsY8HmKhHAOcGbLZCiS1AM6c7JpJtDyWJQjgRsyMyli2i4RsWGZ5L2VmomdJMnZLCUNCJk5i+KsdW3ZaTXLcyjOiLfV9mLg4l7toKRBKTNXRkTLyaYhwMUtJ5uAuZk5E7gI+EFELAYeo0j4yMwVEfE1ioQwgVmZ+auGvBFJ/ZLJnCRJUi/qxMmmZylGDbTV9ocUjyeQpJdxmKUkSZIkVZDJnCRJkiRVkMmcJEmSJFWQyZwkSZIkVZDJnCRJkiRVkMmcJEmSJFWQjyaQpJ5wxqZ11H2i9/ohSZIGDa/MSZIkSVIFmcxJkiRJUgWZzEmSJElSBZnMSZIkSVIFmcxJkiRJUgWZzEmSJElSBdWdzEXE+Ii4NyIWR8S0NrbvExG3R8TKiDiy1bbJEXF/+ZrcnY5LkiRJ0mBW13PmImIIcAFwINAMzImImZm5sKbag8BxwMdbtd0COB1oAhK4rWy7ouvdlyRJkgavXS7dpa768yfP76WeqBHqvTI3DlicmQ9k5vPAZcCE2gqZuSQz7wJebNX2YODazHysTOCuBcZ3sd+SJEmSNKjVm8xtCzxUs95clvV2W0mSJElSjX43AUpETImIuRExd9myZY3ujiRJkiT1S3XdMwcsBbarWR9ZlnW27b6t2s5uXSkzpwPTAZqamrJ22+hpv+p8T4ElZ72jrvqSJEmSVBX1XpmbA4yNiDERsR4wCZjZybbXAAdFxOYRsTlwUFkmSZIkSapTXclcZq4EplIkYYuAyzNzQUScGRGHAUTEHhHRDBwFfCciFpRtHwM+T5EQzgHOLMskSZIkSXWqd5glmTkLmNWq7LSa5TkUQyjbansxcHG9x5QkSZIkranfTYAiSZI0kETE+Ii4NyIWR8S0NravHxEzyu23RMToVttHRcRTEfHx1m0lDW4mc5IkSb0kIoYAFwCHADsBR0fETq2qHQ+syMzXAl8Hzm61/WvA1b3dV0nVYzInSZLUe8YBizPzgcx8HrgMmNCqzgTg0nL5CmD/iAiAiDgc+DOwoG+6K6lKTOYkSZJ6z7bAQzXrzWVZm3XKyeaeALaMiI2ATwGfW9sBfEavNHiZzEmSJPVPZwBfz8yn1lYpM6dnZlNmNo0YMaJveiapX6h7NktJkgalMzato+4TvdcPVc1SYLua9ZFlWVt1miNiKLApsBzYEzgyIr4MbAa8GBHPZub5vd5rSZVgMidJktR75gBjI2IMRdI2CXh3qzozgcnAH4EjgRsyM4F/bakQEWcAT5nISaplMidJktRLMnNlREwFrgGGABdn5oKIOBOYm5kzgYuAH0TEYuAxioRPkjpkMidJktSLMnMWMKtV2Wk1y88CR3WwjzN6pXOSKs0JUCRJkiSpgkzmJEmSJKmCTOYkSZIkqYJM5iRJkiSpgkzmJEmSJKmCTOYkSZIkqYJM5iQNCBExPiLujYjFETGtje3rR8SMcvstETG6LB8dEc9ExLzydWGfd16SJKkLfM6cpMqLiCHABcCBQDMwJyJmZubCmmrHAysy87URMQk4G5hYbvtTZu7el32WJEnqLq/MSRoIxgGLM/OBzHweuAyY0KrOBODScvkKYP+IiD7soyRJUo8ymZM0EGwLPFSz3lyWtVknM1cCTwBbltvGRMQdEfHbiPjX9g4SEVMiYm5EzF22bFnP9V6SJKkLHGapfmX0tF/VVX/JWe/opZ5oEHkYGJWZyyPizcDPI2LnzHyydcXMnA5MB2hqaso+7qeq7IxN66j7RO/1Q5I0oJjMSRoIlgLb1ayPLMvaqtMcEUOBTYHlmZnAcwCZeVtE/AnYAZjb671u4Q99SZLUBQ6zlDQQzAHGRsSYiFgPmATMbFVnJjC5XD4SuCEzMyJGlBOoEBGvBsYCD/RRvyVJkrrMK3OSKi8zV0bEVOAaYAhwcWYuiIgzgbmZORO4CPhBRCwGHqNI+AD2Ac6MiBeAF4ETM/Oxvn8XkqRG2+XSXTpdd/7k+b3YE6lzTOYkDQiZOQuY1arstJrlZ4Gj2mh3JXBlr3dQ6qp6huGCQ3ElaRBxmKUkSZIkVZDJnCRJkiRVUN3DLCNiPPANivtSvpuZZ7Xavj7wfeDNwHJgYmYuiYjRwCLg3rLqzZl5Yjf6Lg0I9TyOwUcxSJKknlLPPYLgfYL9UV3JXDnj2wXAgRQP5Z0TETMzc2FNteOBFZn52oiYBJwNTCy3/Skzd+9+tyVJkiRpcKv3ytw4YHFmPgAQEZcBE4DaZG4CcEa5fAVwfkREN/spSZKkPuRVG6n/q/eeuW2Bh2rWm8uyNutk5krgCWDLctuYiLgjIn4bEf/ahf5KkiRJkujbRxM8DIzKzOUR8Wbg5xGxc2Y+WVspIqYAUwBGjRrVh93TQOD9Z5I0ANTzOAYfxSBpEKs3mVsKbFezPrIsa6tOc0QMBTYFlmdmAs8BZOZtEfEnYAdgbm3jzJwOTAdoamrKOvvXrnp+5IM/9CVVhD96pX6vG5PHHQicBawHPA98IjNv6NPOS/2QD3d/Sb3DLOcAYyNiTESsB0wCZraqMxOYXC4fCdyQmRkRI8oJVIiIVwNjgQe63nVJkqT+rWbyuEOAnYCjI2KnVtVWTx4HfJ1i8jiAR4F/y8xdKH5b/aBvei2pKupK5sp74KYC11A8ZuDyzFwQEWdGxGFltYuALSNiMfBRYFpZvg9wV0TMo5gY5cTMfKwH3oMkSVJ/tXryuMx8HmiZPK7WBODScvkKYP+IiMy8IzP/WpYvADYor+JJEtCFe+YycxYwq1XZaTXLzwJHtdHuSuDKLvRR6hPebydJNeoZwgsO421fW5PH7dlencxcGREtk8c9WlPnncDtmflc6wM434A0ePXlBCiSJEmqU0TsTDH08qC2tvfWfANSR7x3rfHqvWdOkiRJnVfP5HHUTh5Xro8Efgb8R2b+qdd7K6lSTOYkSZJ6T3cmj9sM+BUwLTP/0FcdllQdJnOSJEm9pJuTx00FXgucFhHzytcr+/gtSOrHvGeuk5wcQwONz15UwzixhgaZbkwe9wXgC73ewV5Qz71U4P1UUld5ZU6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyNksBzBn4JQkSZIGLpM5SZIk9Sv1PNrAxxpoMHOYpSRJkiRVkFfmpB7gkFZJkqTO8+przzCZkyRJkqQO1JOAQt8koSZzkiQNVGdsWmf9J3qnH5KkXuE9c5IkSZJUQSZzkiRJklRBDrOUpMGqniF4Dr+TJKnf8cqcJEmSJFWQyZwkSZIkVZDDLPuAzyCTJEmS1NO8MidJkiRJFWQyJ0mSJEkVZDInSZIkSRXkPXOSJEkaMHa5dJdO150/eX4v9kTqfXVfmYuI8RFxb0QsjohpbWxfPyJmlNtviYjRNdtOKcvvjYiDu9l3SVrN2CSpvzI+SeotdV2Zi4ghwAXAgUAzMCciZmbmwppqxwMrMvO1ETEJOBuYGBE7AZOAnYFtgOsiYofMXNUTb2SgciZMqWPGpgao54Hj4EPHNWgZnyT1pnqHWY4DFmfmAwARcRkwAagNSBOAM8rlK4DzIyLK8ssy8zngzxGxuNzfH7vefUkCjE2DSz2JpEmkGs/4NEg4vFONUG8yty3wUM16M7Bne3Uyc2VEPAFsWZbf3KrttnUeX33EK4KqGGOTpP7K+CSp10Rmdr5yxJHA+Mw8oVw/FtgzM6fW1Lm7rNNcrv+JImidAdycmT8syy8Crs7MK1odYwowpVx9HXBvJ7o2HHi002+k79puCrR3Wrg7x+1u+/7atrc+r0a17c1jr+2z6s3j9lTb7TNzRBeP8TJ9EZvKbfXGp/76t1f1v5++buvnVV/b/hjLO9u+R2MT+NupC23749+PvwWq0baj9lX+vNqPTZnZ6RfwL8A1NeunAKe0qnMN8C/l8tCyc9G6bm297r6Auf2xLTC9N47bn99zf/y8GtW2N4+9ts+qyp9XN45rbBrkfz+Nik39ud/98fPqr9+J3nwZn6r/9+NvgWq0HYyfV2bWPZvlHGBsRIyJiPUobsqd2arOTGByuXwkcEMWPZ0JTCpnbBoDjAVurfP4VfO/je5Axfh5dZ6f1ZqMTfXx76c+fl718fNak/GpPv79dJ6fVX0G5OdV1z1zWYzjnkpxZmgIcHFmLoiIMymyypnARcAPypt0H6MIWpT1Lqe44XclcFIO8NmYMnNA/tH0Fj+vzvOzWpOxqT7+/dTHz6s+fl5rMj7Vx7+fzvOzqs9A/bzqfmh4Zs4CZrUqO61m+VngqHbafhH4Yr3H7ITpg6xtI49t22ocu4ptu8XY1G+OPdjaNvLYtu3b9l1mfBrUbRt57MHWtpHHbth7rmsCFEmSJElS/1DvPXOSJEmSpH7AZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTl0WEe+OiLkR8VREPBwRV0fEWxrcpyURcUAj+yCp71T5Ox8Rl0TEFxrdD0k9o4xHz5S/i1pe5zewP/tGREbEpxrVB/U+kzl1SUR8FDgX+BKwFTAK+BYwoc79DO1MmSQ1mvFKUif8W2ZuVPOa2sC+TAYeA/6jgX1QLzOZU90iYlPgTOCkzLwqM/+ZmS9k5v9m5iciYv2IODci/lq+zo2I9cu2+0ZEc0R8KiL+BnwvIs6IiCsi4ocR8SRwXERsGhEXlVf8lkbEFyJiSE0f3h8RiyLiHxGxMCLeFBE/oEgq/7c8G/bJRnw+kvpeRBwXETdFxDkRsSIi/hwRh9Rs3yIivlfGpBUR8fOabe+PiMUR8VhEzIyIbWq2ZUScFBH3A/e3E8PWiYhpEfGniFgeEZdHxBY1+3hLRPxfRDweEQ+VfZ0CvAf4ZBmv/rdPPihJDVF+7/8QEV8vY8EDEfH/yvKHIuKRiJhcU/+SiLgwIq4tf+v8NiK2r+N4rwCOBE4CxkZEU6vtL/sdVZZvFxFXRcSyMp417MqiOsdkTl3xL8Aw4GftbP8MsBewO7AbMA44tWb7q4AtgO2BKWXZBOAKYDPgR8AlwErgtcAbgYOAEwAi4ijgDIozTZsAhwHLM/NY4EFeOiv25W6+T0nVsidwLzAc+DJwUUREue0HwIbAzsArga8DRMR+wH8D7wK2Bv4CXNZqv4eX+96pXG8dw04u67wV2AZYAVxQ7n974GrgPGAERVycl5nTKWLdl8t49W898glI6s/2BO4CtgR+TBFr9qD4rXMMcH5EbFRT/z3A5yli2jyKmNFZ/w48BfwUuIbiKh3Q/u+o8qT5Lyni4GhgW14eD9XPRGY2ug+qmIh4D/DVzHxVO9v/BJycmbPK9YOB72Tm6IjYF/gNsElmPltuPwPYLzP3Kde3okjKNsvMZ8qyo4Epmfm2iLgGmJWZ32jj2EuAEzLzuh58y5L6qZbvPDASODUzX1uWbwj8kyJBC2ApsGVmrmjV/iKKk0GfLNc3okjGxmbmkohIYP/MvKHcvi8vj2GLgKmZeX25vjVFDNsA+AQwLjOPaKPvlwDNmXlq622SqqeMR8MpTka3+ERm/k9EHAd8JjPHlnV3oUjsXpWZfy/LllPEm3llfBiWmZPKbRsBTwCjM/OhTvTlOuDuzPxw+Rvqm8A2mflCe7+jIuJfgJnA1pm58uV7VX/kWH91xXJgeEQMbefLvg3FWZ0WfynLWixr+RFUozYwbQ+sCzz80kl11qmpsx3wpy72XdLA9beWhcx8uowfG1FcRXusdSJX2ga4vabdU+UPqm2BJWVx6x9OrWPY9sDPIuLFmrJVFPcTG6+kweXwtZxQ/nvN8jMALYlcTVntlbnVsaeMTY9RxKy1JnMRsR3wNuCUsugXwHTgHcDPaT8ubQf8xUSuWhxmqa74I/AcxbCitvyV4sdNi1FlWYu2LgfXlj1U7n94Zm5WvjbJzJ1rtr+mnWN7qVlSaw8BW0TEZm1sWyNelfeZbElxJa9F67jSev0h4JCaeLVZZg7LzKUYryR13XYtC+WVuS1Y8/dUe46l+I3/v+W9vQ9Q3B7TMtSyvbj0EDAqnNipUkzmVLfMfAI4DbggIg6PiA0jYt2IOCQivgz8BDg1IkZExPCy7g/r2P/DFMOYvhoRm5STC7wmIt5aVvku8PGIeHMUXltzU/DfgVf31HuVVH1lTLka+FZEbF7Gq33KzT8B3hsRu0cxUdOXgFsyc0kdh7gQ+GJLHCpjX8vMvj8CDoiId0XE0IjYMiJ2L7cZryStzdvLCZTWo7h37ubODLGkSNo+R3GPbsvrneX+tqT931G3Ag8DZ0XEKyJiWETs3ePvSj3KZE5dkplfBT5KMbHJMoqzOVMpLt9/AZhLMRZ8PsUQpnqfpfQfwHrAQor7V66guPeFzPwp8EWKm4f/UR6zZea4/6ZIJB+PiI936c1JGoiOBV4A7gEeAT4MUA6H+ixwJcWPmNcAk+rc9zco7jP5TUT8A7iZYqIDMvNB4O3AxyimCJ9HMTEUwEXATmW8+nnX3pakfqZlRu2WV3uTxXXGj4HTKWLHmykmSQEgIhaUcxisISL2ohhtcEFm/q3mNRNYDBzd3u+ozFwF/BvFhCwPAs3AxHK//xoRT3XjvaiXOAGKJEmS1I84QZI6yytzkiRJklRBJnOSJEmSVEEOs5QkSZKkCvLKnCRJkiRVUL9+jsTw4cNz9OjRje6GpB522223PZqZI7q7n4i4GDgUeCQz31CWbQHMAEZTPPT5XZm5IoonSH+DYmbBp4HjMvP2ss1kiplZAb6QmZd2dGzjkzTw9FRsaiRjkzTwrC029etkbvTo0cydO7fR3ZDUwyLiLz20q0uA84Hv15RNA67PzLMiYlq5/ingEGBs+doT+DawZ5n8nQ40UTzE+baImJmZK9Z2YOOTNPD0YGxqGGOTNPCsLTY5zFJSZWXm7yiev1NrAtByZe1S4PCa8u9n4WZgs4jYGjgYuDYzHysTuGuB8b3eeUmSpG4ymZM00GyVmQ+Xy38DtiqXt6V4uH2L5rKsvXJJkqR+zWRO0oCVxXS9PTZlb0RMiYi5ETF32bJlPbVbSZKkLunX98y15YUXXqC5uZlnn3220V3pl4YNG8bIkSNZd911G90VqVH+HhFbZ+bD5TDKR8rypcB2NfVGlmVLgX1blc9ua8eZOR2YDtDU1PSyJNH41HXGLqn3GJt6njFL/UXlkrnm5mY23nhjRo8eTTE5nVpkJsuXL6e5uZkxY8Y0ujtSo8wEJgNnlf/9RU351Ii4jGIClCfKhO8a4EsRsXlZ7yDglK4c2PjUNcYuqXcZm3qWMUv9SeWGWT777LNsueWWBqM2RARbbrmlZ940aETET4A/Aq+LiOaIOJ4iiTswIu4HDijXAWYBDwCLgf8B/hMgMx8DPg/MKV9nlmV1Mz51jbFL6l3Gpp5lzFJ/Urkrc4DBaC38bDSYZObR7Wzav426CZzUzn4uBi7uiT75HewaPzcNRm09K7PV9nafj9mFY3Wnq2rFz1P9ReWuzEmSJA0Ql7D2R6HUPh9zCsXzMSVptUpemau16PU79uj+drxnUafq/e1vf+PDH/4wc+bMYbPNNmOrrbbi3HPPZYcddujR/rTlkksu4aCDDmKbbbbp9WNJ6roLTryhR/d30oX7dVhno4024qmnnurR4/akc889lylTprDhhhs2uitSw2Xm7yJi9FqqrH4+JnBzRGzWMsFTd4771YmHdqf5y3xsxi87rDNkyBB22WWX1euTJk1i2rRpPdqPtuy+++68/vWv57LLLuv1Y0mNUPlkrhEykyOOOILJkyevDg533nknf//73ztM5lauXMnQoUPbXe+MSy65hDe84Q0mc5L6VE/Er3PPPZdjjjnGZE7qnPaeg9mtZK4RNthgA+bNm9enx1y0aBGrVq3i97//Pf/85z95xSte0afHl/qCyVwX3Hjjjay77rqceOKJq8t22203MpNPfOITXH311UQEp556KhMnTmT27Nl89rOfZfPNN+eee+5h+vTpa6wvWrSIadOmMXv2bJ577jlOOukkPvCBDwBw9tln88Mf/pB11lmHQw45hKamJubOnct73vMeNthgA/74xz+ywQYbNOqjUIPVe2W6s1eeVX2zZ8/mjDPOYPjw4dx99928+c1v5oc//CERwZw5c/jQhz7EP//5T9Zff32uv/561l13XT74wQ8yd+5chg4dyte+9jXe9ra3cckll3DVVVfx1FNPsWrVKt773veusT5r1ixOPvlk7r77bl544QXOOOMMJkyYwKpVq/jUpz7Fr3/9a9ZZZx3e//73k5n89a9/5W1vexvDhw/nxhtvbPTHpAGonivinbnaXQURMYViGCajRo1qcG/qM3r0aI4++miuvvpqhg4dyvTp0znllFNYvHgxn/jEJzjxxBOZPXs2p512GhtvvDGLFy/mbW97G9/61rdYZ5213y30k5/8hGOPPZZFixbxi1/8gne/+90AbcbADTfc8GUx6+STT67rvdRzxbMzVzOlzjCZ64KWH0atXXXVVcybN48777yTRx99lD322IN99tkHgNtvv527776bMWPGMHv27DXWp0+fzqabbsqcOXN47rnn2HvvvTnooIO45557+MUvfsEtt9zChhtuyGOPPcYWW2zB+eefzznnnENTU1Nfv3VJFXLHHXewYMECttlmG/bee2/+8Ic/MG7cOCZOnMiMGTPYY489ePLJJ9lggw34xje+QUQwf/587rnnHg466CDuu+8+oIhfd911F1tssQWXXHLJGuuf/vSn2W+//bj44ot5/PHHGTduHAcccADf//73WbJkCfPmzWPo0KGr49fXvvY1brzxRoYPH97gT0eqhPaej7mGjp6B2R8888wz7L777qvXTznlFCZOnAgUCei8efP4yEc+wnHHHccf/vAHnn32Wd7whjesPnF+6623snDhQrbffnvGjx/PVVddxZFHHrnWY86YMYNrr72We+65h/POO493v/vdPP/8823GwOnTp78sZklV0GEy195MSxFxMsXMcKuAX2XmJ8vyU4Djy/L/ysxryvLxFDMyDQG+m5lnMcDcdNNNHH300QwZMoStttqKt771rcyZM4dNNtmEcePGrfEsktr13/zmN9x1111cccUVADzxxBPcf//9XHfddbz3ve9dPRxpiy226Ps3Jamyxo0bx8iRI4HivpElS5aw6aabsvXWW7PHHnsAsMkmmwBF/Go5C/3617+e7bfffnUyd+CBB64Rf2rXf/Ob3zBz5kzOOeccoJgC/cEHH+S6667jxBNPXD0M0/gldUmbz8dscJ+6ZG3DLA877DAAdtllF5566ik23nhjNt54Y9Zff30ef/xxoIhnr371qwE4+uijuemmm9aazM2dO5fhw4czatQott12W973vvfx2GOPsXTp0jZjoDFLnVHv/aZ9cQW2M1fmLgHOB77fUhARb6O4KXe3zHwuIl5Zlu8ETAJ2BrYBrouIlpvILgAOpBjvPSciZmbmwp56I31p5513Xp14dVbrcdq165nJeeedx8EHH7xGnWuuuabrnZQ06K2//vqrl4cMGcLKlSu7tJ+O4teVV17J6173uq51UhrEymdl7gsMj4hm4HRgXYDMvJDi+Zhvp3g+5tPAexvT097VEqvWWWedNeLWOuusszputX4UQEePBvjJT37CPffcw+jRowF48sknufLKK9lrr716sOdS43X4aILM/B3Q+lrzB4GzMvO5ss4jZfkE4LLMfC4z/0wRfMaVr8WZ+UBmPg9cVtatpP3224/nnnuO6dOnry6766672GyzzZgxYwarVq1i2bJl/O53v2PcuHEd7u/ggw/m29/+Ni+88AIA9913H//85z858MAD+d73vsfTTz8NsPqS/8Ybb8w//vGPXnhnkga6173udTz88MPMmTMHgH/84x+sXLmSf/3Xf+VHP/oRUMSgBx98sFMJ2sEHH8x5551HMdleMbQTiqt33/nOd1b/EDN+SS+XmUdn5taZuW5mjszMizLzwjKRIwsnZeZrMnOXzJzb6D43yq233sqf//xnXnzxRWbMmMFb3vKWduu++OKLXH755cyfP58lS5awZMkSfvGLX/CTn/yk3RjYXsyS+ruu3jO3A/CvEfFF4Fng45k5h2KGpZtr6rXMugQvn41pzy4eew2NmNAhIvjZz37Ghz/8Yc4++2yGDRvG6NGjOffcc3nqqafYbbfdiAi+/OUv86pXvYp77rlnrfs74YQTWLJkCW9605vITEaMGMHPf/5zxo8fz7x582hqamK99dbj7W9/O1/60pc47rjjOPHEE50ARern+uPkCuuttx4zZszg5JNP5plnnmGDDTbguuuu4z//8z/54Ac/yC677MLQoUO55JJL1jhD3p7PfvazfPjDH2bXXXflxRdfZMyYMfzyl7/khBNO4L777mPXXXdl3XXX5f3vfz9Tp05lypQpjB8/nm222cYJUKQGacTkG63vmRs/fjxnndX5O2722GMPpk6dunoClCOOOAIofkOdeOKJa8wj8Pvf/55tt912jVm/99lnHxYuXMjy5cvbjIHtxazTTjuNpqam1UNBpf4mWs6mrrVS8QyUX7bcMxcRdwM3Av8F7AHMAF4NnAfcnJk/LOtdBFxd7mZ8Zp5Qlh8L7JmZU9s4Vu2MTG/+y1/+ssb2RYsWseOOPftsuYHGz2jwqOpslhFxW2ZWegafpqamnDt3zZPkfve6x89PPaE7s1kam/qn2bNnc8455/DLX/avGSBbf67OZjnwNeqeubXFpg6HWbajGbiqvPx/K/AiMJz2Z13q1GxMUMzIlJlNmdk0YsSILnZPkiRJkga2riZzPwfeBlBOcLIe8CjFrEuTImL9iBgDjAVuBeYAYyNiTESsRzFJysxu9l2SJEkD3L777tvvrspJ/UVnHk3Q1kxLFwMXl8MtnwcmZzFec0FEXA4sBFYCJ2XmqnI/U4FrKB5NcHFmLuhqpzOzw1mMBqvODJuV1HuMT11j7JJ6l7GpZxmz1F90mMxl5tHtbDqmnfpfBL7YRvksiil2u2XYsGEsX76cLbfc0qDUSmayfPlyhg0b1uiuSIOS8alrjF1S7zI29SxjlvqTrs5m2TAjR46kubmZZcuWNbor/dKwYcNWPyRYUt8yPnWdsUvqPcamnmfMUn9RuWRu3XXXZcyYMY3uhiS9jPFJUn9kbJIGrq5OgCJJkiRJaqDKXZmTJEmSNHj5TL+XeGVOkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKmhoozsgSZIkSX3hqxMP7XTdj834ZS/2pGd4ZU6SJEmSKqjDK3MRcTFwKPBIZr6h1baPAecAIzLz0YgI4BvA24GngeMy8/ay7mTg1LLpFzLz0p57G5IkSZKqYqBdIWuUzlyZuwQY37owIrYDDgIerCk+BBhbvqYA3y7rbgGcDuwJjANOj4jNu9NxSZIkSRrMOkzmMvN3wGNtbPo68Ekga8omAN/Pws3AZhGxNXAwcG1mPpaZK4BraSNBlCRJkiR1TpfumYuICcDSzLyz1aZtgYdq1pvLsvbK29r3lIiYGxFzly1b1pXuSZIkSdKAV3cyFxEbAp8GTuv57kBmTs/MpsxsGjFiRG8cQpIkSZIqrytX5l4DjAHujIglwEjg9oh4FbAU2K6m7siyrL1ySZIkSVIX1J3MZeb8zHxlZo7OzNEUQybflJl/A2YC/xGFvYAnMvNh4BrgoIjYvJz45KCyTJJ6RUR8JCIWRMTdEfGTiBgWEWMi4paIWBwRMyJivbLu+uX64nL76AZ3X5IkqUMdJnMR8RPgj8DrIqI5Io5fS/VZwAPAYuB/gP8EyMzHgM8Dc8rXmWWZJPW4iNgW+C+gqXykyhBgEnA28PXMfC2wAmiJZ8cDK8ryr5f1JEmS+rUOnzOXmUd3sH10zXICJ7VT72Lg4jr7J0ldNRTYICJeADYEHgb2A95dbr8UOIPiESoTymWAK4DzIyLKmCZJktQvdWk2S0nqzzJzKXAOxXMwHwaeAG4DHs/MlWW12ll1V8+4W25/Atiy9X6dbVeSJPUnJnOSBpzy3twJFJM1bQO8gh54tqWz7UqSpP7EZE7SQHQA8OfMXJaZLwBXAXsDm0VEy/Dy2ll1V8+4W27fFFjet12WJEmqj8mcpIHoQWCviNgwIgLYH1gI3AgcWdaZDPyiXJ5ZrlNuv8H75SRJUn9nMidpwMnMWygmMrkdmE8R66YDnwI+GhGLKe6Ju6hschGwZVn+UWBan3da0qATEeMj4t7ysSgvizsRMSoiboyIOyLiroh4eyP6Kan/6nA2S0mqosw8HTi9VfEDwLg26j4LHNUX/ZIkgIgYAlwAHEgxIdOciJiZmQtrqp0KXJ6Z346InSgeATW6zzsrqd/yypwkSVLfGwcszswHMvN54DKKiZtqJbBJubwp8Nc+7J+kCjCZkyRJ6nurH4lSqn1cSoszgGMiopniqtzJbe3Ix6ZIg5fJnCRJUv90NHBJZo4E3g78ICJe9tvNx6ZIg5fJnCRJUt9b/UiUUu3jUlocD1wOkJl/BIYBw/ukd5IqwWROkiSp780BxkbEmIhYD5hE8ZiUWg9SPFqFiNiRIplzHKWk1UzmJEmS+lhmrgSmAtcAiyhmrVwQEWdGxGFltY8B74+IO4GfAMf5DExJtXw0gSRJUgNk5iyKiU1qy06rWV4I7N3X/ZJUHV6ZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQK6jCZi4iLI+KRiLi7puwrEXFPRNwVET+LiM1qtp0SEYsj4t6IOLimfHxZtjgipvX4O5EkSZKkQaQzV+YuAca3KrsWeENm7grcB5wCEBE7AZOAncs234qIIRExBLgAOATYCTi6rCtJkiRJ6oIOk7nM/B3wWKuy32TmynL1ZmBkuTwBuCwzn8vMPwOLgXHla3FmPpCZzwOXlXUlSZIkSV3QE/fMvQ+4ulzeFnioZltzWdZe+ctExJSImBsRc5ctW9YD3ZMkSZKkgadbyVxEfAZYCfyoZ7oDmTk9M5sys2nEiBE9tVtJkiRJGlCGdrVhRBwHHArsn5lZFi8FtqupNrIsYy3lkiRJkqQ6denKXESMBz4JHJaZT9dsmglMioj1I2IMMBa4FZgDjI2IMRGxHsUkKTO713VJkiRJGrw6vDIXET8B9gWGR0QzcDrF7JXrA9dGBMDNmXliZi6IiMuBhRTDL0/KzFXlfqYC1wBDgIszc0EvvB9JkiRJGhQ6TOYy8+g2ii9aS/0vAl9so3wWMKuu3kmSJEmS2tQTs1lKkiRJkvqYyZwkSZIkVZDJnCRJkiRVkMmcJEmSJFWQyZwkSZIkVZDJnCRJkiRVkMmcJEmSJFWQyZwkSZIkVZDJnCRJkiRV0NBGd0CSJElS9Xx14qGdrvuxGb/sxZ4MXl6ZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKMpmTNCBFxGYRcUVE3BMRiyLiXyJii4i4NiLuL/+7eVk3IuKbEbE4Iu6KiDc1uv+SJEkdMZmTNFB9A/h1Zr4e2A1YBEwDrs/MscD15TrAIcDY8jUF+Hbfd1eSJKk+HSZzEXFxRDwSEXfXlNV9djsiJpf174+Iyb3zdiQJImJTYB/gIoDMfD4zHwcmAJeW1S4FDi+XJwDfz8LNwGYRsXWfdlqSJKlOnbkydwkwvlVZXWe3I2IL4HRgT2AccHpLAihJvWAMsAz4XkTcERHfjYhXAFtl5sNlnb8BW5XL2wIP1bRvLsvWEBFTImJuRMxdtmxZL3ZfkiSpYx0mc5n5O+CxVsX1nt0+GLg2Mx/LzBXAtbw8QZSknjIUeBPw7cx8I/BPXjrpBEBmJpD17DQzp2dmU2Y2jRgxosc6K0mS1BVdvWeu3rPbnTrrLUk9pBlozsxbyvUrKJK7v7cMnyz/+0i5fSmwXU37kWWZJPWaiBgfEfeWt6dMa6fOuyJiYUQsiIgf93UfJfVvQ7u7g8zMiKjr7PbaRMQUiiGajBo1qqd2K2kQycy/RcRDEfG6zLwX2B9YWL4mA2eV//1F2WQmMDUiLqMYDv5EzQkrSepxETEEuAA4kOIE1JyImJmZC2vqjAVOAfbOzBUR8crG9LZ+X514aF31Pzbjl73UE2lg62oy9/eI2DozH+7k2e2lwL6tyme3tePMnA5MB2hqauqxJFHSoHMy8KOIWA94AHgvxWiEyyPieOAvwLvKurOAtwOLgafLupLUm8YBizPzAYDyZNIEipNOLd4PXFDeokJmPvKyvUga1LqazM2kjrPbEXEN8KWaSU8OojjTJEm9IjPnAU1tbNq/jboJnNTbfZKkGm3dgrJnqzo7AETEH4AhwBmZ+evWO3JUkzR4dZjMRcRPKK6qDY+IZopZKc+ijrPbmflYRHwemFPWOzMzW0+qIkmSpJcMpZghfF+KUU2/i4hdyketrOaoJmnw6jCZy8yj29lU19ntzLwYuLiu3kmSJA1MnZl4qRm4JTNfAP4cEfdRJHdzkCS6PpulJEmSum4OMDYixpT39k6iuF2l1s8p5xyIiOEUwy4f6MM+SurnTOYkSZL6WGauBKYC1wCLgMszc0FEnBkRh5XVrgGWR8RC4EbgE5m5vDE9ltQfdfvRBJIkSapfZs6imG+gtuy0muUEPlq+NIDV8ygHH+OgWl6ZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKMpmTJEmSpAoymZMkSZKkCjKZkyRJkqQKGtroDkiSJEnqmq9OPLSu+h+b8cte6okawStzkiRJklRBJnOSJEmSVEEmc5IkSZJUQd1K5iLiIxGxICLujoifRMSwiBgTEbdExOKImBER65V11y/XF5fbR/fIO5AkSZKkQajLyVxEbAv8F9CUmW8AhgCTgLOBr2fma4EVwPFlk+OBFWX518t6kiRJkqQu6O4wy6HABhExFNgQeBjYD7ii3H4pcHi5PKFcp9y+f0REN48vSZIkSYNSl5O5zFwKnAM8SJHEPQHcBjyemSvLas3AtuXytsBDZduVZf0tu3p8SZIkSRrMujPMcnOKq21jgG2AVwDju9uhiJgSEXMjYu6yZcu6uztJkiRJGpC6M8zyAODPmbksM18ArgL2BjYrh10CjASWlstLge0Ayu2bAstb7zQzp2dmU2Y2jRgxohvdkyRJkqSBqzvJ3IPAXhGxYXnv2/7AQuBG4MiyzmTgF+XyzHKdcvsNmZndOL4kSZIkDVpDO67Stsy8JSKuAG4HVgJ3ANOBXwGXRcQXyrKLyiYXAT+IiMXAYxQzX0qSJEk95qsTD+103Y/N+GUv9kTqfV1O5gAy83Tg9FbFDwDj2qj7LHBUd44nSZIkSSp0K5mTJElS/+VVKmlg6+5z5iRJkiRJDWAyJ0mSJEkV5DBLSdKgccGJN3S67kkX7teLPZEkqfu8MidJkiRJFWQyJ0mSJEkVZDInSZIkSRXkPXOSJEl6mXoeawA+2kBqBJM5SQNWRAwB5gJLM/PQiBgDXAZsCdwGHJuZz0fE+sD3gTcDy4GJmbmkQd2WJKlPmLBXn8MsJQ1kHwIW1ayfDXw9M18LrACOL8uPB1aU5V8v60mSJPVrJnOSBqSIGAm8A/huuR7AfsAVZZVLgcPL5QnlOuX2/cv6kiRJ/ZbJnKSB6lzgk8CL5fqWwOOZubJcbwa2LZe3BR4CKLc/UdaXJEnqt7xnTlLdFr1+x7rq73jPoo4r9aCIOBR4JDNvi4h9e3C/U4ApAKNGjeqp3UoapCJiPPANYAjw3cw8q51676QYNbBHZs7twy5K6iG9dX+iV+YkDUR7A4dFxBKKCU/2o/jBtFlEtJzEGgksLZeXAtsBlNs3pZgIZQ2ZOT0zmzKzacSIEb37DiQNaOUETRcAhwA7AUdHxE5t1NuY4v7fW/q2h5KqwGRO0oCTmadk5sjMHA1MAm7IzPcANwJHltUmA78ol2eW65Tbb8jM7MMuSxp8xgGLM/OBzHye4sTThDbqfZ5iUqZn+7JzkqrBZE7SYPIp4KMRsZjinriLyvKLgC3L8o8C0xrUP0mDx+p7dUu19/ECEBFvArbLzF+tbUcRMSUi5kbE3GXLlvV8TyX1W94zJ2lAy8zZwOxy+QGKs+Gt6zwLHNWnHZOktYiIdYCvAcd1VDczpwPTAZqamhxVIA0iXpmTJEnqe6vv1S3V3scLsDHwBmB2ef/vXsDMiGjqsx5K6vdM5iRJkvreHGBsRIyJiPUo7u+d2bIxM5/IzOGZObq8//dm4DBns5RUy2ROkiSpj5XPtJwKXAMsAi7PzAURcWZEHNbY3kmqim7dMxcRmwHfpRgGkMD7gHuBGcBoYAnwrsxcERFBMTX424GngeMy8/buHF+SJKmqMnMWMKtV2Wnt1N23L/okqVq6e2XuG8CvM/P1wG4UZ5amAddn5ljgel6aFe4QYGz5mgJ8u5vHliRJkqRBq8vJXERsCuxDObV3Zj6fmY9TPCPl0rLapcDh5fIE4PtZuJni4b1bd/X4kiRJkjSYdWeY5RhgGfC9iNgNuA34ELBVZj5c1vkbsFW53N7zVB6uKSMiplBcuWPUqFHd6J4aZdHrd6yr/o73LOqlnkiSJEkDV3eGWQ4F3gR8OzPfCPyTVg/azcykuJeu0zJzemY2ZWbTiBEjutE9SZIkSRq4upPMNQPNmXlLuX4FRXL395bhk+V/Hym3d/Q8FUmSJElSJ3U5mcvMvwEPRcTryqL9gYUUz0iZXJZNBn5RLs8E/iMKewFP1AzHlCRJkiTVoVuPJgBOBn5UPuzyAeC9FAni5RFxPPAX4F1l3VkUjyVYTPFogvd289iSJEmSNGh1K5nLzHlAUxub9m+jbgInded4kiRJkqRCd58zJ0mSJElqAJM5SZIkSaogkzlJkiRJqiCTOUmSJEmqIJM5SZIkSaogkzlJkiRJqiCTOUmSJEmqIJM5SZIkSaogkzlJkiRJqqChje6AJA0EF5x4Q6frnnThfr3YE0mSNFh4ZU6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkirIZE6SJEmSKshkTpIkSZIqyGROkiRJkiqo28lcRAyJiDsi4pfl+piIuCUiFkfEjIhYryxfv1xfXG4f3d1jS5IkSdJg1RNX5j4ELKpZPxv4ema+FlgBHF+WHw+sKMu/XtaTJEmSJHVBt5K5iBgJvAP4brkewH7AFWWVS4HDy+UJ5Trl9v3L+pIkSZKkOnX3yty5wCeBF8v1LYHHM3Nlud4MbFsubws8BFBuf6KsL0mSJEmq09CuNoyIQ4FHMvO2iNi3pzoUEVOAKQCjRo3qqd1KkiRJa/XViYd2uu7HZvyyF3sidU6Xkzlgb+CwiHg7MAzYBPgGsFlEDC2vvo0Elpb1lwLbAc0RMRTYFFjeeqeZOR2YDtDU1JTd6J8kSWqQC068odN1T7pwv17siSQNXF0eZpmZp2TmyMwcDUwCbsjM9wA3AkeW1SYDvyiXZ5brlNtvyEyTNUmSJEnqgt54ztyngI9GxGKKe+IuKssvArYsyz8KTOuFY0uSJEnSoNCdYZarZeZsYHa5/AAwro06zwJH9cTxJEmSJGmw640rc5LUUBGxXUTcGBELI2JBRHyoLN8iIq6NiPvL/25elkdEfDMiFkfEXRHxpsa+A0mSpI6ZzEkaiFYCH8vMnYC9gJMiYieK4d3XZ+ZY4HpeGu59CDC2fE0Bvt33XZYkSaqPyZykASczH87M28vlfwCLKJ51OQG4tKx2KXB4uTwB+H4WbqaYlXfrvu21pMEmIsZHxL3lqICXzSUQER8tRxjcFRHXR8T2jeinpP7LZE7SgBYRo4E3ArcAW2Xmw+WmvwFblcvbAg/VNGsuyySpV0TEEOACipEBOwFHlyMIat0BNGXmrsAVwJf7tpeS+juTOUkDVkRsBFwJfDgzn6zdVj4apa7Ho0TElIiYGxFzly1b1oM9lTQIjQMWZ+YDmfk8cBnFKIHVMvPGzHy6XL2Z4vm9krRaj8xmKUn9TUSsS5HI/SgzryqL/x4RW2fmw+UwykfK8qXAdjXNR5Zla8jM6cB0gKamJp+TKak72hoRsOda6h8PXN3WhoiYQnG/L6NGjeqp/jXUVyce2um6H5vxy17sidS/eWVO0oATEUHxbMtFmfm1mk0zgcnl8mTgFzXl/1HOarkX8ETNcExJaqiIOAZoAr7S1vbMnJ6ZTZnZNGLEiL7tnKSG8sqcpIFob+BYYH5EzCvLPg2cBVweEccDfwHeVW6bBbwdWAw8Dby3T3sraTDq1IiAiDgA+Azw1sx8ro/6JqkiTOYkDTiZeRMQ7Wzev436CZzUq52SpDXNAcZGxBiKJG4S8O7aChHxRuA7wPjMfOTlu5A02DnMUpIkqY9l5kpgKnANxeNTLs/MBRFxZkQcVlb7CrAR8NOImBcRMxvUXUn9lFfmpAZb9PodO113x3sW9WJPJK3NBSfe0Om6J124Xy/2RANFZs6iGOZdW3ZazfIBfd4pSZXilTlJkiRJqiCTOUmSJEmqIJM5SZIkSaog75mTJKmXeb+dJKk3mMxJUoP5Q1+SJHVFpZK5emb9A2f+kyRJkjRwec+cJEmSJFWQyZwkSZIkVZDJnCRJkiRVUJeTuYjYLiJujIiFEbEgIj5Ulm8REddGxP3lfzcvyyMivhkRiyPiroh4U0+9CUmSJEkabLpzZW4l8LHM3AnYCzgpInYCpgHXZ+ZY4PpyHeAQYGz5mgJ8uxvHliRJkqRBrcvJXGY+nJm3l8v/ABYB2wITgEvLapcCh5fLE4DvZ+FmYLOI2Lqrx5ckSZKkwaxHHk0QEaOBNwK3AFtl5sPlpr8BW5XL2wIP1TRrLsseRlKf81EfkiRJ1dbtZC4iNgKuBD6cmU9GxOptmZkRkXXubwrFMExGjRrV3e5JkvqZeh6SDj4oXZKk9nQrmYuIdSkSuR9l5lVl8d8jYuvMfLgcRvlIWb4U2K6m+ciybA2ZOR2YDtDU1FRXIqjq82qRJEmS1Dndmc0ygIuARZn5tZpNM4HJ5fJk4Bc15f9Rzmq5F/BEzXBMSZIkSVIdunNlbm/gWGB+RMwryz4NnAVcHhHHA38B3lVumwW8HVgMPA28txvHliRJkqRBrcvJXGbeBEQ7m/dvo34CJ3X1eJIkSZKkl/TIbJbSQFDP/XreqydJkqRG685DwyVJkiRJDWIyJ0mSJEkV5DBLSZL6MZ/LJ0lqj8mcJFVYPT/0/ZEvSdLA4jBLSZIkSaogr8x1kjMdVkOj/p38+5AkSVJfGzTJXD0/tsEf3JIkSZL6N4dZSpIkSVIFmcxJkiRJUgUNmmGWkqQ1OROmJEnV5pU5SZIkSaogkzlJkiRJqiCTOUmSJEmqIJM5SZIkSaogkzlJkiRJqiCTOUmSJEmqIJM5SZIkSaognzM3gC16/Y6drrvjPYt6sSeSJEmSeprJnCRJA1Q9D4aHNR8O3522kqS+0efDLCNifETcGxGLI2JaXx9fktpibJLU1zqKOxGxfkTMKLffEhGjG9BNSf1Yn16Zi4ghwAXAgUAzMCciZmbmwr7sR19zuKPUvw3W2NQdXrWRuqeTced4YEVmvjYiJgFnAxP7vreS+qu+HmY5DlicmQ8ARMRlwATAH0ztaFQiaAKqQcbYJKmvdSbuTADOKJevAM6PiMjM7MuOSuq/oi/jQUQcCYzPzBPK9WOBPTNzak2dKcCUcvV1wL2d2PVw4NEudqs3224KPNELx+1u+/7atrc+r0a17c1jr+2z6s3j9lTb7TNzRBeP0eM6E5vK8nrjU3/926v6309ft/Xzqq9tf4zlnW3fZ7Gpk7+J7i7rNJfrfyrrPNpqX/526v5xe6ttbx7b2FRf+yp/Xu3HpszssxdwJPDdmvVjgfN7YL9z+2NbYHpvHLc/v+f++Hk1qm1vHnttn1WVP69GvQZabOqo/UD8+2lUbOrP/e6Pn1d//U404tWZuAPcDYysWf8TMLyHju/fTx/97fhboH981gPx88rMPp8AZSmwXc36yLJsoPrfRnegYvy8Os/PqmcZm7Q2fl718fPqnM7EndV1ImIoxZWF5X3Su8bx76fz/KzqMyA/r75O5uYAYyNiTESsB0wCZvZxH/pMZg7IP5re4ufVeX5WPc7YpHb5edXHz6vTOhN3ZgKTy+UjgRuyPJU/UPn303l+VvUZqJ9Xn06AkpkrI2IqcA0wBLg4Mxf0wK6nD7K2jTy2batx7Cq2bZgBGJsaeezB1raRx7Zt37bvUe3FnYg4k2LY1UzgIuAHEbEYeIwi4espVfx3rGLbRh57sLVt5LEb9p77dAIUSZIkSVLP6POHhkuSJEmSus9kTpIkSZIqyGROkiRJkirIZE6SJEmSKmhAJXMRsdbZYCJiSER8ICI+HxF7t9p2agdtN4yIT0bEJyJiWEQcFxEzI+LLEbFRF/p6Xx11d61ZXjciTi2P/aWI2LCDtlMjYni5/NqI+F1EPB4Rt0TELh20vSoijuni+3t1RFwcEV+IiI0i4n8i4u6I+GlEjK53fzX7Pa0TdQ6OiONbHyci3tdBu4iId0XEUeXy/hHxzYj4z4io+7sSETd0st7wVuvHlMedEhHRQdsjImKLcnlERHw/IuZHxIyIGNmJY3+t9XehsyJii4g4LSJOKD+vz0TELyPiKxGxeVf2OVD1Zmwq6zQkPhmb1tjvgItNZd2GxCdjU9/pzfg02GJT2aZfxafOxKayXqXik7GpZr9Vm82y5cNvaxNwZ2a2+48QEd8FNgRuBY4FfpuZHy233Z6Zb1pL28uBh4ANgNcBi4AZwGHAqzLz2LW0/QfQ8kG3/IFtCDwNZGZu0l7b1n2LiK8CWwLfAw4HtszM/1hL2wWZuXO5/Cvgu5n5s4jYF/hiZrb7BxkRS4E/AvsB1wE/AX6Vmc+vrb9l29+V9TcFjin7ezlwEPCezNyvo320s98HM3PUWrZ/CXgLcDvwb8C5mXleua2jf+NvAa8E1gOeBNaneMbPO4C/Z+aH1tL2rtZFwA7AvQCZuevLGr3Utvbf91TgX4EfA4cCzZn5kbW0XZiZO5XLM4CbgZ8CB1B8zge217Zsswz4CzCC4u/5J5l5x9ra1LSdBcwHNgF2LJcvBw4EdsvMCZ3Zz0DRqNhU1mlIfDI2rbHfARebWvetL+OTsalnDbbfTo2KTWWbfhWfOopNZZ3KxSdjU43MrNQLWAU8APy55tWy/nwHbe+qWR5K8VyHqyj+8O7ooO288r8B/I2XEuGo3W87bb8JfB/Yqqbsz3W85ztq+wGsW8ex761ZntPe57G245Z/dMcCs4BlFMHloDr6/GB729pp+2Q7r38AKztoOx8YWi5vVvb565087vzyv+sCy4H1av5WOvqsZgI/BF4PbA+Mpvgf2PbA9nV8VrcDr6jpx/w6/n1va+tvtpP/xjsAnwUWAPcApwM7dNC29juxtN5jD7QXDYpNbfxb9Fl8wtg0oGNTG59Xn8UnjE09+mKQ/XaiQbGp9tj0YXxqIyZ1OjaV7SsXnzA2rX5VcZjlA8C+mTmm5vXqzBwD/L2Dtuu1LGTmysycQvElvwHo1OXwLD7xWeV/W9azgzb/BXwD+ElE/Fd52XmtbVrZtLwk/E5g/cx8obPHBq6IiEsi4tXAzyLiwxGxfUS8F3iwg7Yt7/HJzPxBZr6d4gt3CzCtg7YvRsQOEbEHsGFENEExZIHi4ahr8zgwNjM3afXaGHi4g7ZDM3Nl2e/HKc4wbRIRP6Xm378dLe1eoAjgz5frK4EX19YwMw8DrqT4n9xumbkEeCEz/5KZf+nguBtExBsj4s3AkMz8Z00/VnXQdnZEnBkRG5TLRwBExNuAJzpoCy/9G9+XmZ/P4mzku4BhFMF8bdYphwVsB2wU5dCMiNiSjj/rgaihsals29fxydg0sGMTNC4+GZt61mD77dSo2ASNiU+P0/XYBNWMT8am1T3qYhbYqBdwEsU/eFvbTu6g7Q+B8W2Un0Dxx7O2tt8FNmqj/DXATZ3s+zrAfwG/B/5ax3v+XqvXVmX5q4DrO9H+OIog8ijFWZqFwJeATTto97tu/DvtT3GZfBHFpfsrgcXAI8CEDtp+ARjXzrazO2j7S+Ct7ezzxQ7aXt3Ov/GrgFs7+b5fAXwN+AXFZf7OtJkN3Fjz2ros3xKY20HbdYEzKP4H8yBF4PwHxVCDUZ049h3d+Dc+muJHwN+Bd1IMJ7kWWApM6ep+q/pqVGwq6zUkPhmb1tg24GJT2a4h8cnY1LOvRsWnwRabyrZ9Hp+6E5vKOpWLT8aml16Vu2euP4qIyDo+yIjYGnhjZnaUwQ8oUdysuiIzOzpj0p1jbACQmc+0sW3bzFzahX2+guLy/SN1tNkN+JfMvLDe49XsYwjFGcWnO1l/U4qza8vrOMZGmflUN/sYmbkyIoYCu1MMHejMmUD1AeNTx4xN9evt+GRsGviMTZ1jfKr7uIMuNlVumGV5k2bL8lond+irth0Fo9ZtM/PheoJRf3zPXWmbmY92JhhFxNSa5Z3rOS5wfEswat22o2DU3nEz858dBaPWbTPzzs4Go7Ucd1VHwai2LTCynkSudFxbx+6MiJha9nFl+Z5XZubcwfpjqVHftY7a92Z86k/xpTttjU1dOnZvx6fj2jpuZxibXq4/fd9aDMTY1BvH7kx86mZsggrGJ2NTja5e0mvUC7i9reWB2raq/bZt/2/b6GMPtNdg/He07cBuW9V+G5v6z+c52No26thV7LNtey42Ve7KnAadtT4rxLY91rbRx5aqporf86rGCGOT1Hl+zwd+2zUM7akd9aFXRsRHKT6EluXVMvNrA6xtVfvdnbabRTGz0DoUsyn9e6u2V9m2R9o2+tgDjTFi4Let4ve8qjHC2NSzqvh9q2LbRh3b7/nAb9uuyk2AEhGnr2VzZuaZA6ltI4/dwLbf66Dt+2zb/baNPvZAY4wYFG0r9z2vaowwNvWsin7fKte2Ucf2ez7w265V9tB4zf7wAj48mNpWtd/dbPtO2/Z+20Yfe6C9jBGDom3lvudVjRHGpp59VfT7Vrm2jTq23/OB37ZyV+bWJiIezMxRg6VtI49t24HdttHHHmgG47+jbQd220Ye29jUs6r4b1HFto06dhX7bNv6rNOVRv1YFW9i9EZV2/bHto0+9kAzGP8dbTuw2zby2MamnlXFf4sqtm3UsavYZ9vWYaAlc925zFjFto08tm0HdttGH3ugGYz/jrYd2G0beWxjU8+q4r9FFds26thV7LNt61C52Swj4h+0/YYD2GCgtW3ksRvYdv5a2m5l255p2+hjDzTGiEHRtnLf86rGCGNTz6ro961ybRt1bL/nA7/tWvc7kO6Z08AQEWMp/qgfarVpO+BvmbnYtt1v2+hjS1VTxe95VWOEsUnqPL/nA7/tWnV15hRfvnrrBfwS2KWN8l2A/7Vtz7Rt9LF9+araq4rf86rGCGOTL1+df/k9H/ht1/YaaPfMaWDYKjPnty4sy0bbtsfaNvrYUtVU8Xte1RhhbJI6z+/5wG/bLpM59UebrWVbR+PVbdv5to0+tlQ1m61lW3/9nnenbSOP3ai2UhVttpZtfs8HRtt2mcypP5obEe9vXRgRJwC32bbH2jb62FLVVPF7XtUYYWySOs/v+cBv2y4nQFG/ExFbAT8DnuelP+4mYD3giMz8m22737bRx5aqporf86rGCGOT1Hl+zwd+27UxmVO/FRFvA95Qri7IzBts2/NtG31sqWqq+D2vaowwNkmd5/d84Ldtc38mc5IkSZJUPd4zJ0mSJEkVZDInSZIkSRVkMidJkiRJFWQyJ0mSJEkVZDInSZIkSRX0/wF1T8zMPjaxXQAAAABJRU5ErkJggg==\n",
+ "text/plain": [
+ "
This notebook aims at demonstrating the use cases for the functions in spear library for subset selection. Subset selection is selecting a small subset of unlabeled data(or the data labeled by LFs, in case of supervised subset selection) so that it can be labeled and use that small labeled data(the L dataset) for effective training of JL algorithm(Cage algorithm doesn't need labeled data). Finding the best subset makes best use of the labeling efforts. Note that for this notebook demo, we need data generated from the first half(labeling part) of sms_jl.ipynb.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 1,
+ "id": "f499ea92",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "'''\n",
+ "User don't need to include this cell to use the package\n",
+ "'''\n",
+ "import sys\n",
+ "sys.path.append('../../')"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 2,
+ "id": "f7c3d7f5",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "import numpy as np"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "c9d757bf",
+ "metadata": {},
+ "source": [
+ "### **Random subset selection**\n",
+ "Here we select a random subset of instances to label. We need number of instances available and number of instances we intend to label to get a sorted numpy array of indices"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 3,
+ "id": "356ba6f4",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "indices selected by rand_subset: [ 0 3 4 10 12]\n",
+ "return type of rand_subset: \n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.jl import rand_subset\n",
+ "\n",
+ "indices = rand_subset(n_all = 20, n_instances = 5) #select 5 instances from a total of 20 instances\n",
+ "print(\"indices selected by rand_subset: \", indices)\n",
+ "print(\"return type of rand_subset: \", type(indices))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "60cecb70",
+ "metadata": {},
+ "source": [
+ "### **Unsupervised subset selection**\n",
+ "Here we select a unsupervised subset(for more on this, please refer [here](https://arxiv.org/abs/2008.09887) ) of instances to label. We need feature matrix(of shape (num_instaces, num_features)) and number of instances we intend to label and we get a sorted numpy array of indices. For any other arguments to unsup_subset(or to sup_subset_indices or sup_subset_save_files) please refer documentation.\n",
+ "
For this let's first get some data(feature matrix), say from sms_pickle_U.pkl(in data_pipeline folder). For more on this pickle file, please refer the other notebook named sms_jl.ipynb
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 4,
+ "id": "449ec58b",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "x_U shape: (4500, 1024)\n",
+ "x_U type: \n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.utils import get_data, get_classes\n",
+ "\n",
+ "U_path_pkl = 'data_pipeline/JL/sms_pickle_U.pkl' #unlabelled data - don't have true labels\n",
+ "data_U = get_data(U_path_pkl, check_shapes=True)\n",
+ "x_U = data_U[0] #the feature matrix\n",
+ "print(\"x_U shape: \", x_U.shape)\n",
+ "print(\"x_U type: \", type(x_U))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "f55c16aa",
+ "metadata": {},
+ "source": [
+ "Now that we have feature matrix, let's select the indices to label from it. After labeling(through a trustable means/SMEs) those instances, whose indices(index with respect to feature matrix) are given by the following function, one can pass them as gold_labels to the PreLabels class in the process for labeling the subset-selected data and forming a pickle file."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 5,
+ "id": "6972ed8c",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "first 10 indices given by unsup_subset: [ 455 659 806 985 1036 1438 2092 2197 2277 2283]\n",
+ "return type of unsup_subset: \n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.jl import unsup_subset\n",
+ "\n",
+ "indices = unsup_subset(x_train = x_U, n_unsup = 20)\n",
+ "print(\"first 10 indices given by unsup_subset: \", indices[:10])\n",
+ "print(\"return type of unsup_subset: \", type(indices))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "59b7f408",
+ "metadata": {},
+ "source": [
+ "### **Supervised subset selection**\n",
+ "Here we select a supervised subset(for more on this, please refer [here](https://arxiv.org/abs/2008.09887) ) of instances to label. We need \n",
+ "* path to json file having information about classes\n",
+ "* path to pickle file generated by feature matrix after labeling using LFs\n",
+ "* number of instances we intend to label\n",
+ "\n",
+ "
we get a sorted numpy array of indices.
\n",
+ "
For this let's use sms_json.json, sms_pickle_U.pkl(in data_pipeline folder). For more on this json/pickle file, please refer the other notebook named sms_cage_jl.ipynb
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 6,
+ "id": "8659db63",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "first 10 indices given by sup_subset: [1632 1848 3284 4403 4404 4405 4406 4407 4408 4409]\n",
+ "return type of sup_subset: \n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.jl import sup_subset_indices\n",
+ "\n",
+ "U_path_pkl = 'data_pipeline/JL/sms_pickle_U.pkl' #unlabelled data - don't have true labels\n",
+ "path_json = 'data_pipeline/JL/sms_json.json'\n",
+ "indices = sup_subset_indices(path_json = path_json, path_pkl = U_path_pkl, n_sup = 100, qc = 0.85)\n",
+ "\n",
+ "print(\"first 10 indices given by sup_subset: \", indices[:10])\n",
+ "print(\"return type of sup_subset: \", type(indices))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "095e8d97",
+ "metadata": {},
+ "source": [
+ "Instead of just getting indices to already labeled data(stored in pickle format, using LFs), we also provide the following utility to split the input pickle file and save two pickle files on the basis of subset selection. Make sure that the directory of the files(path_save_L and path_save_U) exists. Note that any existing contents in these pickle files will be erased. You can still get the return value of subset-selected indices."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 7,
+ "id": "2dd0353c",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "first 10 indices given by sup_subset: [1632 1848 3284 4403 4404 4405 4406 4407 4408 4409]\n",
+ "return type of sup_subset: \n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.jl import sup_subset_save_files\n",
+ "\n",
+ "U_path_pkl = 'data_pipeline/JL/sms_pickle_U.pkl' #unlabelled data - don't have true labels\n",
+ "path_json = 'data_pipeline/JL/sms_json.json'\n",
+ "path_save_L = 'data_pipeline/JL/sup_subset_L.pkl'\n",
+ "path_save_U = 'data_pipeline/JL/sup_subset_U.pkl'\n",
+ "\n",
+ "indices = sup_subset_save_files(path_json = path_json, path_pkl = U_path_pkl, path_save_L = path_save_L, \\\n",
+ " path_save_U = path_save_U, n_sup = 100, qc = 0.85)\n",
+ "\n",
+ "print(\"first 10 indices given by sup_subset: \", indices[:10])\n",
+ "print(\"return type of sup_subset: \", type(indices))"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "1dd3800e",
+ "metadata": {},
+ "source": [
+ "### **Inserting true labels into pickle files**\n",
+ "Now after doing supervised subset selection, say we get two pickle files path_save_L and path_save_U. Now say you labeled the instances of path_save_L and want to insert them into pickle file. So here, instead of going over the process of generating pickle through PreLabels again, you can use the following function to create a new pickle file, which now contain true labels, using path_save_L pickle file. There is no return value to this function.\n",
+ "
Make sure that path_save file, the pickle file path that is to be formed with the data in path_save_L file and true labels, is in an existing directory. Note that any existing contents in this pickle file(path_save) will be erased.
\n",
+ "
Note that one can pass same file to path, path_save and path arguments, in which case the true labels numpy array is just replaced with what user provides in labels argument.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 8,
+ "id": "d68700e1",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.jl import insert_true_labels\n",
+ "\n",
+ "path_save_L = 'data_pipeline/JL/sup_subset_L.pkl'\n",
+ "path_save_labeled = 'data_pipeline/JL/sup_subset_labeled_L.pkl'\n",
+ "labels = np.random.randint(0,2,[100, 1])\n",
+ "'''\n",
+ "Above is just a random association of labels used for demo. In real time user has to label the instances in\n",
+ "path_save_L with a trustable means/SMEs and use it here.\n",
+ "\n",
+ "Note that the shape of labels is (num_instances, 1) and just for reference, feature_matrix(the first element\n",
+ "in pickle file) in path_save_L has shape (num_instances, num_features).\n",
+ "'''\n",
+ "insert_true_labels(path = path_save_L, path_save = path_save_labeled, labels = labels)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "ccbd2f3f",
+ "metadata": {},
+ "source": [
+ "A similar function as insert_true_labels called replace_in_pkl is also made available to make changes to pickle file. replace_in_pkl usage is demonstrated below. Make sure that path_save, the pickle file path that is to be formed with the data in path file and a new numpy array, is in an existing directory. Note that any existing contents in this pickle file(path_save) will be erased. There is no return value for this function too.\n",
+ "
Note that one can pass same file to path, path_save and path arguments, in which case the intended numpy array is just replaced with what user provides in np_array argument.
\n",
+ "
It is highly advised to use insert_true_labels function for the purpose of inserting the labels since it does some other necessary changes.
"
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 9,
+ "id": "1fc5e52e",
+ "metadata": {},
+ "outputs": [],
+ "source": [
+ "from spear.jl import replace_in_pkl\n",
+ "\n",
+ "path_labeled = 'data_pipeline/JL/sup_subset_labeled_L.pkl' # this is the previously used path, path_save_labeled\n",
+ "path_save_altered = 'data_pipeline/JL/sup_subset_altered_L.pkl'\n",
+ "np_array = np.random.randint(0,2,[100, 1]) #we are just replacing the labels we inserted before\n",
+ "index = 3 \n",
+ "'''\n",
+ "index refers to the element we intend to replace. Refer documentaion(specifically \n",
+ "spear.utils.data_editor.get_data) to understand which numpy array an index value\n",
+ "maps to(order the contents of pickle file from 0 to 8). Index should be in range [0,8].\n",
+ "'''\n",
+ "\n",
+ "replace_in_pkl(path = path_labeled, path_save = path_save_altered, np_array = np_array, index = index)"
+ ]
+ },
+ {
+ "cell_type": "markdown",
+ "id": "bfee87f1",
+ "metadata": {},
+ "source": [
+ "### **Demonstrating the use of labeled subset-selected data**\n",
+ "Now that we have our subset(labeled) in path_save_labeled, lets see a use case by calling a member function of JL class using path_save_labeled as our path to L data."
+ ]
+ },
+ {
+ "cell_type": "code",
+ "execution_count": 10,
+ "id": "c82c3681",
+ "metadata": {},
+ "outputs": [
+ {
+ "name": "stderr",
+ "output_type": "stream",
+ "text": [
+ " 24%|██▍ | 24/100 [00:56<02:58, 2.34s/it]\n"
+ ]
+ },
+ {
+ "name": "stdout",
+ "output_type": "stream",
+ "text": [
+ "early stopping at epoch: 24\tbest_epoch: 13\n",
+ "score used: f1_score\n",
+ "best_gm_val_score:0.6037735849056604\tbest_fm_val_score:0.6808510638297872\n",
+ "best_gm_test_score:0.5581395348837209\tbest_fm_test_score:0.5818181818181818\n",
+ "best_gm_test_precision:0.4\tbest_fm_test_precision:0.4247787610619469\n",
+ "best_gm_test_recall:0.9230769230769231\tbest_fm_test_recall:0.9230769230769231\n",
+ "probs_fm shape: (4400, 2)\n",
+ "probs_gm shape: (4400, 2)\n"
+ ]
+ }
+ ],
+ "source": [
+ "from spear.jl import JL\n",
+ "\n",
+ "n_lfs = 16\n",
+ "n_features = 1024\n",
+ "n_hidden = 512\n",
+ "feature_model = 'nn'\n",
+ "path_json = 'data_pipeline/JL/sms_json.json'\n",
+ "\n",
+ "jl = JL(path_json = path_json, n_lfs = n_lfs, n_features = n_features, feature_model = feature_model, \\\n",
+ " n_hidden = n_hidden)\n",
+ "\n",
+ "L_path_pkl = path_save_labeled #Labeled data - have true labels\n",
+ "'''\n",
+ "Note that I saved random labels, in file path_save_labeled, as true labels which are \n",
+ "supposed to be labeled by a trustable means/SMEs. Hence the accuracies below can be small.\n",
+ "'''\n",
+ "U_path_pkl = path_save_U #unlabelled data - don't have true labels\n",
+ "V_path_pkl = 'data_pipeline/JL/sms_pickle_V.pkl' #validation data - have true labels\n",
+ "T_path_pkl = 'data_pipeline/JL/sms_pickle_T.pkl' #test data - have true labels\n",
+ "log_path_jl_1 = 'log/JL/jl_log_1.txt'\n",
+ "loss_func_mask = [1,1,1,1,1,1,1] \n",
+ "batch_size = 150\n",
+ "lr_fm = 0.0005\n",
+ "lr_gm = 0.01\n",
+ "use_accuracy_score = False\n",
+ "\n",
+ "probs_fm, probs_gm = jl.fit_and_predict_proba(path_L = L_path_pkl, path_U = U_path_pkl, path_V = V_path_pkl, \\\n",
+ " path_T = T_path_pkl, loss_func_mask = loss_func_mask, batch_size = batch_size, lr_fm = lr_fm, lr_gm = \\\n",
+ " lr_gm, use_accuracy_score = use_accuracy_score, path_log = log_path_jl_1, return_gm = True, n_epochs = \\\n",
+ " 100, start_len = 7,stop_len = 10, is_qt = True, is_qc = True, qt = 0.9, qc = 0.85, metric_avg = 'binary')\n",
+ "\n",
+ "labels = np.argmax(probs_fm, 1)\n",
+ "print(\"probs_fm shape: \", probs_fm.shape)\n",
+ "print(\"probs_gm shape: \", probs_gm.shape)"
+ ]
+ }
+ ],
+ "metadata": {
+ "kernelspec": {
+ "display_name": "Python 3",
+ "language": "python",
+ "name": "python3"
+ },
+ "language_info": {
+ "codemirror_mode": {
+ "name": "ipython",
+ "version": 3
+ },
+ "file_extension": ".py",
+ "mimetype": "text/x-python",
+ "name": "python",
+ "nbconvert_exporter": "python",
+ "pygments_lexer": "ipython3",
+ "version": "3.6.9"
+ }
+ },
+ "nbformat": 4,
+ "nbformat_minor": 5
+}
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/U.txt b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/U.txt
new file mode 100644
index 0000000..b2fcb52
--- /dev/null
+++ b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/U.txt
@@ -0,0 +1,14408 @@
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+jesus christ bitch i'm trying to give you drugs answer your fucking phone
+
+prabha..i'm soryda..realy..frm heart i'm sory
+
+once free call me sir. i am waiting for you.
+
+"so anyways
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+"sorry
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+otherwise had part time job na-tuition..
+
+"k i'm ready
+"dont worry
+but i'm surprised she still can guess right lor...
+
+"you are guaranteed the latest nokia phone
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+jus finish bathing...
+
+my computer just fried the only essential part we don't keep spares of because my fucking idiot roommates looovvve leaving the thing running on full <#> /7
+
+i'm home...
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+is it your yahoo boys that bring in the perf? or legal.
+
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+babe ? i lost you ... :-(
+
+"xmas offer! latest motorola
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+"romantic paris. 2 nights
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+10 min later k...
+
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+is ur changes 2 da report big? cos i've already made changes 2 da previous report.
+
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+call freephone 0800 542 0578 now!
+
+"gud gud..k
+"did you say bold
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+i am late. i will be there at
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+"ok that would b lovely
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+id onluy matters when getting on from offcampus
+
+tessy..pls do me a favor. pls convey my birthday wishes to nimya..pls dnt forget it. today is her birthday shijas
+
+?? eatin later but i'm eatin wif my frens now lei... ?? going home first?
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+lmao where's your fish memory when i need it?
+
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+"it???s ??6 to get in
+mmmm.... i cant wait to lick it!
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+some of them told accenture is not confirm. is it true.
+
+no let me do the math. your not good at it.
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+you have 1 new message. call 0207-083-6089
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+yeah just open chat and click friend lists. then make the list. easy as pie
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+where's my boytoy? i miss you ... what happened?
+
+i come n pick ?_ up... come out immediately aft ur lesson...
+
+ugh i don't wanna get out of bed. it's so warm.
+
+"\im on gloucesterroad what are uup to later?\"""""
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+i'll probably be by tomorrow (or even later tonight if something's going on)
+
+aight what time you want me to come up?
+
+"loan for any purpose ??500 - ??75
+"tick
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+"oh
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+"i got another job! the one at the hospital doing data analysis or something
+"hi. hope ur day * good! back from walk
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+yes we were outside for like 2 hours. and i called my whole family to wake them up cause it started at 1 am
+
+same. wana plan a trip sometme then
+
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+the xmas story is peace.. the xmas msg is love.. the xmas miracle is jesus.. hav a blessed month ahead & wish u merry xmas...
+
+"me
+missed call alert. these numbers called but left no message. 07008009200
+
+"rose needs water
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+"dear voucher holder
+"yeah
+"free msg. sorry
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+"greetings me
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+how do friends help us in problems? they give the most stupid suggestion that lands us into another problem and helps us forgt the previous problem
+
+"urgent! your mobile no 077xxx won a ??2
+i don't quite know what to do. i still can't get hold of anyone. i cud pick you up bout 7.30pm and we can see if they're in the pub?
+
+"as a sim subscriber
+"like <#>
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"free msg. sorry
+not tonight mate. catching up on some sleep. this is my new number by the way.
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+what's the significance?
+
+short but cute : \ be a good person
+
+"spjanuary male sale! hot gay chat now cheaper
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+two teams waiting for some players
+
+it should take about <#> min
+
+"same here
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+i.ll post her out l8r. in class
+
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+"thanks for your ringtone order
+you have registered sinco as payee. log in at icicibank.com and enter urn <#> to confirm. beware of frauds. do not share or disclose urn to anyone.
+
+oh ok..
+
+"idk. you keep saying that you're not
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+not a lot has happened here. feels very quiet. beth is at her aunts and charlie is working lots. just me and helen in at the mo. how have you been?
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+"congratulations! thanks to a good friend u have won the ??2
+"yeah
+i???m parked next to a mini!!!! when are you coming in today do you think?
+
+"\im at arestaurant eating squid! i will be out about 10:30 wanna dosomething or is that to late?\"""""
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+what u talking bout early morning? it's almost noon where your at!
+
+"fair enough
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+you all ready for * big day tomorrow?
+
+hi darlin i finish at 3 do u 1 2 pick me up or meet me? text back on this number luv kate xxx
+
+see? i thought it all through
+
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+umma my life and vava umma love you lot dear
+
+hi darlin im on helens fone im gonna b up the princes 2 nite please come up tb love kate
+
+even i cant close my eyes you are in me our vava playing umma :-d
+
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+pls accept me for one day. or am begging you change the number.
+
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+"i thought i'd get him a watch
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+"hi babe its chloe
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+"had your contract mobile 11 mnths? latest motorola
+"cmon babe
+that would be great. we'll be at the guild. could meet on bristol road or somewhere - will get in touch over weekend. our plans take flight! have a good week
+
+then what about further plan?
+
+aiyo cos i sms ?_ then ?_ neva reply so i wait 4 ?_ to reply lar. i tot ?_ havent finish ur lab wat.
+
+haha okay... today weekend leh...
+
+i havent lei.. next mon can?
+
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+"text82228>> get more ringtones
+"isn't frnd a necesity in life? imagine urself witout a frnd.. hw'd u feel at ur colleg? wat'll u do wth ur cell? wat abt functions? thnk abt events espe'll cared
+i'm on da bus going home...
+
+"congratulations! thanks to a good friend u have won the ??2
+should i send you naughty pix? :)
+
+"dear voucher holder
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+"you are guaranteed the latest nokia phone
+check with nuerologist.
+
+hi. || do u want | to join me with sts later? || meeting them at five. || call u after class.
+
+purity of friendship between two is not about smiling after reading the forwarded message..its about smiling just by seeing the name. gud evng musthu
+
+"i think i???m waiting for the same bus! inform me when you get there
+"free nokia or motorola with upto 12mths 1/2price linerental
+wanna do some art?! :d
+
+no da. . vijay going to talk in jaya tv
+
+"when i was born
+"multiply the numbers independently and count decimal points then
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+jus telling u dat i'll b leaving 4 shanghai on 21st instead so we'll haf more time 2 meet up cya...
+
+my supervisor find 4 me one lor i thk his students. i havent ask her yet. tell u aft i ask her.
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+going to take your babe out ?
+
+"our mobile number has won ??5000
+"as a valued customer
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+r u meeting da ge at nite tmr?
+
+no..but heard abt tat..
+
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+i gotta collect da car at 6 lei.
+
+"if you don't
+huh so fast... dat means u havent finished painting?
+
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+"idc get over here
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"babe ! how goes that day ? what are you doing ? where are you ? i sip my cappuccino and think of you
+"hello
+"jus chillaxin
+"carlos took a while (again)
+wat makes some people dearer is not just de happiness dat u feel when u meet them but de pain u feel when u miss dem!!!
+
+"he said that he had a right giggle when he saw u again! you would possibly be the first person2die from nvq
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+"new tones this week include: 1)mcfly-all ab..
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"sorry that took so long
+"life is more strict than teacher... bcoz teacher teaches lesson & then conducts exam
+yup. izzit still raining heavily cos i'm in e mrt i can't c outside.
+
+"hello
+i'm leaving my house now.
+
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+ok lor.
+
+company is very good.environment is terrific and food is really nice:)
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+dunno he jus say go lido. same time 930.
+
+boo i'm on my way to my moms. she's making tortilla soup. yummmm
+
+"this is the 2nd attempt to contract u
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+what time should i tell my friend to be around?
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+money i have won wining number 946 wot do i do next
+
+how much did ur hdd casing cost.
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+1's finish meeting call me.
+
+you call him now ok i said call him
+
+did u turn on the heater? the heater was on and set to <#> degrees.
+
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+hope you are not scared!
+
+85233 free>ringtone!reply real
+
+hmmm.but you should give it on one day..
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+would really appreciate if you call me. just need someone to talk to.
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+"do you ever notice that when you're driving
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+eh den sat u book e kb liao huh...
+
+"ah
+"hello from orange. for 1 month's free access to games
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+pls come quick cant bare this.
+
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+u having lunch alone? i now so bored...
+
+but i haf enuff space got like 4 mb...
+
+"hmmm ... i thought we said 2 hours slave
+"did he say how fantastic i am by any chance
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+so can collect ur laptop?
+
+shant disturb u anymore... jia you...
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+"text82228>> get more ringtones
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+"i want some cock! my hubby's away
+"evry emotion dsn't hav words.evry wish dsn't hav prayrs.. if u smile
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+"dear voucher holder
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+"cool breeze... bright sun... fresh flower... twittering birds... all these waiting to wish u: \goodmorning & have a nice day\"" :)"""
+
+this phone has the weirdest auto correct.
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+"urgent!: your mobile no. was awarded a ??2
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+you dont know you jabo me abi.
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+"shit that is really shocking and scary
+filthy stories and girls waiting for your
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+"edison has rightly said
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+joy's father is john. then john is the name of joy's father. mandan
+
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+"themob>hit the link to get a premium pink panther game
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"madam
+"hi hun! im not comin 2nite-tell every1 im sorry 4 me
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+am in gobi arts college
+
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+"very strange. and are watching the 2nd one now but i'm in bed. sweet dreams
+hello! how's you and how did saturday go? i was just texting to see if you'd decided to do anything tomo. not that i'm trying to invite myself or anything!
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+"shop till u drop
+"
+thank you princess! you are so sexy...
+
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+finish already... yar they keep saying i mushy... i so embarrassed ok...
+
+"500 new mobiles from 2004
+olol i printed out a forum post by a guy with the exact same prob which was fixed with a gpu replacement. hopefully they dont ignore that.
+
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+u will switch your fone on dammit!!
+
+you are a big chic. common. declare
+
+ok...
+
+from here after the performance award is calculated every two month.not for current one month period..
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+hello handsome ! are you finding that job ? not being lazy ? working towards getting back that net for mummy ? where's my boytoy now ? does he miss me ?
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+i'm ok wif it cos i like 2 try new things. but i scared u dun like mah. cos u said not too loud.
+
+?? still got lessons? ?? in sch?
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+where you. what happen
+
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+you have 1 new message. call 0207-083-6089
+
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+do u noe wat time e place dat sells 4d closes?
+
+ok i am on the way to home hi hi
+
+?? v ma fan...
+
+our prasanth ettans mother passed away last night. just pray for her and family.
+
+nothing but we jus tot u would ask cos u ba gua... but we went mt faber yest... yest jus went out already mah so today not going out... jus call lor...
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+"honeybee said: *i'm d sweetest in d world* god laughed & said: *wait
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+lol boo i was hoping for a laugh
+
+come back to tampa ffffuuuuuuu
+
+i love to wine and dine my lady!
+
+"chile
+lol i would but my mom would have a fit and tell the whole family how crazy and terrible i am
+
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+am only searching for good dual sim mobile pa.
+
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+get me out of this dump heap. my mom decided to come to lowes. boring.
+
+just finished eating. got u a plate. not leftovers this time.
+
+"aight
+"hey
+nah im goin 2 the wrks with j wot bout u?
+
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+"urgent! your mobile was awarded a ??1
+you have 1 new voicemail. please call 08719181513.
+
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+you have registered sinco as payee. log in at icicibank.com and enter urn <#> to confirm. beware of frauds. do not share or disclose urn to anyone.
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+"alright omw
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+leave it de:-). start prepare for next:-)..
+
+can help u swoop by picking u up from wherever ur other birds r meeting if u want.
+
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+and maybe some pressies
+
+i love u 2 babe! r u sure everything is alrite. is he being an idiot? txt bak girlie
+
+s..antha num corrct dane
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+"loan for any purpose ??500 - ??75
+"call me da
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+"you are guaranteed the latest nokia phone
+i will be gentle princess! we will make sweet gentle love...
+
+i wnt to buy a bmw car urgently..its vry urgent.but hv a shortage of <#> lacs.there is no source to arng dis amt. <#> lacs..thats my prob
+
+"romantic paris. 2 nights
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+dont let studying stress you out. l8r.
+
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+will it help if we propose going back again tomorrow
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+did he just say somebody is named tampa
+
+"i'll see if i can swing by in a bit
+"0a$networks allow companies to bill for sms
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"just arrived
+so is there anything specific i should be doing with regards to jaklin or what because idk what the fuck
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+thats cool. where should i cum? on you or in you? :)
+
+hey.. something came up last min.. think i wun be signing up tmr.. hee
+
+thank you baby! i cant wait to taste the real thing...
+
+"thank you
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+"urgent! your mobile was awarded a ??1
+when did i use soc... i use it only at home... ?? dunno how 2 type it in word ar...
+
+i see the letter b on my car
+
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+hey i will be late... i'm at amk. need to drink tea or coffee
+
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+"thk shld b can... ya
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+"ahhhh...just woken up!had a bad dream about u tho
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+all day working day:)except saturday and sunday..
+
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+any way where are you and what doing.
+
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+wat time u finish ur lect today?
+
+from 88066 lost ??12 help
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+no probs hon! how u doinat the mo?
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+can you call me plz. your number shows out of coveragd area. i have urgnt call in vasai & have to reach before 4'o clock so call me plz
+
+finally the match heading towards draw as your prediction.
+
+go fool dont cheat others ok
+
+howz pain?hope u r fine..
+
+"sms services. for your inclusive text credits
+you still at grand prix?
+
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+he needs to stop going to bed and make with the fucking dealing
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+me i'm not workin. once i get job...
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+"me not waking up until 4 in the afternoon
+anything lar then ?_ not going home 4 dinner?
+
+surely result will offer:)
+
+lol no. just trying to make your day a little more interesting
+
+err... cud do. i'm going to at 8pm. i haven't got a way to contact him until then.
+
+"sounds good
+"urgent!: your mobile no. was awarded a ??2
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+"height of \oh shit....!!\"" situation: a guy throws a luv letter on a gal but falls on her brothers head whos a gay"
+
+when i have stuff to sell i.ll tell you
+
+what you thinked about me. first time you saw me in class.
+
+"upgrdcentre orange customer
+"that's the trouble with classes that go well - you're due a dodgey one ??_ expecting mine tomo! see you for recovery
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+"nothing. i meant that once the money enters your account here
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+change windows logoff sound..
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+"urgent! your mobile was awarded a ??1
+shall i ask one thing if you dont mistake me.
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+thanks for sending this mental ability question..
+
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+i'll let you know when it kicks in
+
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+no other valentines huh? the proof is on your fb page. ugh i'm so glad i really didn't watch your rupaul show you tool!
+
+"hi babe its jordan
+you in your room? i need a few
+
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+i will see in half an hour
+
+see the forwarding message for proof
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+nice.nice.how is it working?
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+dunno lei shd b driving lor cos i go sch 1 hr oni.
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+"haha i heard that
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+just checking in on you. really do miss seeing jeremiah. do have a great month
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+are you in castor? you need to see something
+
+thanks for understanding. i've been trying to tell sura that.
+
+i'm serious. you are in the money base
+
+"bored of speed dating? try speedchat
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+pls help me tell sura that i'm expecting a battery from hont. and that if should pls send me a message about how to download movies. thanks
+
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+didn't you get hep b immunisation in nigeria.
+
+and now electricity just went out fml.
+
+are u coming to the funeral home
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+mm have some kanji dont eat anything heavy ok
+
+"hottest pics straight to your phone!! see me getting wet and wanting
+3. you have received your mobile content. enjoy
+
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+"cmon babe
+staff.science.nus.edu.sg/~phyhcmk/teaching/pc1323
+
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+i know i'm lacking on most of this particular dramastorm's details but for the most part i'm not worried about that
+
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+somewhere out there beneath the pale moon light someone think in of u some where out there where dreams come true... goodnite & sweet dreams
+
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+"update_now - xmas offer! latest motorola
+ok i also wan 2 watch e 9 pm show...
+
+"thanks for your ringtone order
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+can you open the door?
+
+i am in hospital da. . i will return home in evening
+
+"i??m cool ta luv but v.tired 2 cause i have been doin loads of planning all wk
+s....s...india going to draw the series after many years in south african soil..
+
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+tomorrow i am not going to theatre. . . so i can come wherever u call me. . . tell me where and when to come tomorrow
+
+okay name ur price as long as its legal! wen can i pick them up? y u ave x ams xx
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+"k.. i yan jiu liao... sat we can go 4 bugis vill one frm 10 to 3 den hop to parco 4 nb. sun can go cine frm 1030 to 2
+how come u got nothing to do?
+
+"urgent! please call 09066612661 from your landline
+"get 3 lions england tone
+wot student discount can u get on books?
+
+happy new year my no.1 man
+
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+"thanks for your ringtone order
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+"loan for any purpose ??500 - ??75
+"nothing much
+"our mobile number has won ??5000
+"hi babe its jordan
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+i will come tomorrow di
+
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+no. but we'll do medical missions to nigeria
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+okay... i booked all already... including the one at bugis.
+
+how abt making some of the pics bigger?
+
+"0a$networks allow companies to bill for sms
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+*deep sigh* ... i miss you :-( ... i am really surprised you haven't gone to the net cafe yet to get to me ... don't you miss me?
+
+or maybe my fat fingers just press all these buttons and it doesn't know what to do.
+
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+645
+
+its going good...no problem..but still need little experience to understand american customer voice...
+
+"i'm home
+"not yet chikku..k
+i don't think he has spatula hands!
+
+"single line with a big meaning::::: \miss anything 4 ur \""best life\"" but"
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+ok no prob...
+
+o was not into fps then.
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+stop the story. i've told him i've returned it and he's saying i should not re order it.
+
+smile in pleasure smile in pain smile when trouble pours like rain smile when sum1 hurts u smile becoz someone still loves to see u smiling!!
+
+"i want some cock! my hubby's away
+"sorry
+\si.como no?!listened2the plaid album-quite gd&the new air1 which is hilarious-also bought??braindance??a comp.ofstuff on aphex??s ;abel
+
+"hungry gay guys feeling hungry and up 4 it
+\er
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"1000's flirting now! txt girl or bloke & ur name & age
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"sms services. for your inclusive text credits
+"oh right
+love it! i want to flood that pretty pussy with cum...
+
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+that's y i said it's bad dat all e gals know u... wat u doing now?
+
+no shoot me. i'm in the docs waiting room. :/
+
+i have printed it oh. so <#> come upstairs
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"mmmmm ... i loved waking to your words this morning ! i miss you too
+"v-aluable. a-ffectionate. l-oveable. e-ternal. n-oble. t-ruthful. i-ntimate. n-atural. e-namous. happy \valentines day\"" in advance"""
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+88066 from 88066 lost 3pound help
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"congratulations - thanks to a good friend u have won the ??2
+i'm home. ard wat time will u reach?
+
+u calling me right? call my hand phone...
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+oooh i got plenty of those!
+
+yeah get the unlimited
+
+"i call you later
+"urgent! your mobile no *********** won a ??2
+"she was supposed to be but couldn't make it
+"sms services. for your inclusive text credits
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+hhahhaahahah rofl wtf nig was leonardo in your room or something
+
+lol no ouch but wish i'd stayed out a bit longer
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+well keep in mind i've only got enough gas for one more round trip barring a sudden influx of cash
+
+i'm leaving my house now...
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+"argh my 3g is spotty
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+"come to me right now
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+hi dear we saw dear. we both are happy. where you my battery is low
+
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+* am on my way
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+ha... both of us doing e same thing. but i got tv 2 watch. u can thk of where 2 go tonight or u already haf smth in mind...
+
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+would me smoking you out help us work through this difficult time
+
+arun can u transfr me d amt
+
+no screaming means shouting..
+
+i got your back! do you have any dislikes in bed?
+
+"al he does is moan at me if n e thin goes wrong its my fault&al de arguments r my fault&fed up of him of himso y bother? hav 2go
+home so we can always chat
+
+adult 18 content your video will be with you shortly
+
+leaving to qatar tonite in search of an opportunity.all went fast.pls add me in ur prayers dear.rakhesh
+
+can you say what happen
+
+come to my home for one last time i wont do anything. trust me.
+
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+don no da:)whats you plan?
+
+"my mobile number.pls sms ur mail id.convey regards to achan
+"had your contract mobile 11 mnths? latest motorola
+"7 wonders in my world 7th you 6th ur style 5th ur smile 4th ur personality 3rd ur nature 2nd ur sms and 1st \ur lovely friendship\""... good morning dear"""
+
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+cos daddy arranging time c wat time fetch ?_ mah...
+
+how much is torch in 9ja.
+
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+"solve d case : a man was found murdered on <decimal> . <#> afternoon. 1
+i sent you <#> bucks
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+hope you are having a good week. just checking in
+
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+i guess it is useless calling u 4 something important.
+
+hmmm...k...but i want to change the field quickly da:-)i wanna get system administrator or network administrator..
+
+"hello darling how are you today? i would love to have a chat
+you have 1 new message. call 0207-083-6089
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+dude we should go sup again
+
+ok lor.
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+near kalainar tv office.thenampet
+
+even my brother is not like to speak with me. they treat me like aids patent.
+
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+just sing hu. i think its also important to find someone female that know the place well preferably a citizen that is also smart to help you navigate through. even things like choosing a phone plan require guidance. when in doubt ask especially girls.
+
+ugh just got outta class
+
+"eerie nokia tones 4u
+o we cant see if we can join denis and mina? or does denis want alone time
+
+yes see ya not on the dot
+
+"helloooo... wake up..! \sweet\"" \""morning\"" \""welcomes\"" \""you\"" \""enjoy\"" \""this day\"" \""with full of joy\"".. \""gud mrng\""."""
+
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+i will treasure every moment we spend together...
+
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+mind blastin.. no more tsunamis will occur from now on.. rajnikant stopped swimming in indian ocean..:-d
+
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+love it! the girls at the office may wonder why you are smiling but sore...
+
+babe? you said 2 hours and it's been almost 4 ... is your internet down ?
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+you see the requirements please
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"hello! just got here
+"\symptoms\"" when u are in love: \""1.u like listening songs 2.u get stopped where u see the name of your beloved 3.u won't get angry when your"""
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+"k
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+"if e timing can
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+thank you princess! i want to see your nice juicy booty...
+
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+i've sent ?_ my part..
+
+nope but i'll b going 2 sch on fri quite early lor cos mys sis got paper in da morn :-)
+
+"good afternoon
+ya:)going for restaurant..
+
+"you have come into my life and brought the sun ..shiny down on me
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+it's ok i wun b angry. msg u aft i come home tonight.
+
+"sorry
+"jay wants to work out first
+stupid.its not possible
+
+"every king was once a crying baby and every great building was once a map.. not imprtant where u r today
+"actually
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+"probably not
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+if i was i wasn't paying attention
+
+headin towards busetop
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+"just checked out
+mm i am on the way to railway
+
+i have no money 4 steve mate! !
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+"freemsg hey u
+quite late lar... ard 12 anyway i wun b drivin...
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+so how many days since then?
+
+"loan for any purpose ??500 - ??75
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+hi i won't b ard 4 christmas. but do enjoy n merry x'mas.
+
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+2/2 146tf150p
+
+no problem. how are you doing?
+
+ha ha ha good joke. girls are situation seekers.
+
+"yo
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+hi:)did you asked to waheeda fathima about leave?
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+i'm already back home so no probably not
+
+"hungry gay guys feeling hungry and up 4 it
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+"i think we're going to finn's now
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+the evo. i just had to download flash. jealous?
+
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+missed call alert. these numbers called but left no message. 07008009200
+
+"if you don't
+"i can't speak
+"eerie nokia tones 4u
+"urgent! your mobile was awarded a ??1
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+we stopped to get ice cream and will go back after
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+i dont have any of your file in my bag..i was in work when you called me.i 'll tell you if i find anything in my room.
+
+"urgent! you have won a 1 week free membership in our ??100
+not yet had..ya sapna aunty manege y'day hogidhe..chinnu full weak and swalpa black agidhane..
+
+i am waiting for your call sir.
+
+"thanks for your ringtone order
+"hi this is amy
+sorry i cant take your call right now. it so happens that there r 2waxsto do wat you want. she can come and ill get her medical insurance. and she'll be able to deliver and have basic care. i'm currently shopping for the right medical insurance for her. so just give me til friday morning. thats when i.ll see the major person that can guide me to the right insurance.
+
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+"you have won ?1
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+i cant pick the phone right now. pls send a message
+
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+"500 new mobiles from 2004
+85233 free>ringtone!reply real
+
+where u been hiding stranger?
+
+i got a call from a landline number. . . i am asked to come to anna nagar . . . i will go in the afternoon
+
+"friendship is not a game to play
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+aight should i just plan to come up later tonight?
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+ok but knackered. just came home and went to sleep! not good at this full time work lark.
+
+"just wondering
+bugis oso near wat...
+
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+rct' thnq adrian for u text. rgds vatian
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+"awesome question with a cute answer: someone asked a boy \how is ur life?\"" . . he smiled & answered: . . \""she is fine!\"" gudnite"""
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+ugh hopefully the asus ppl dont randomly do a reformat.
+
+come to medical college at 7pm ......forward it da
+
+no. yes please. been swimming?
+
+"just gettin a bit arty with my collages at the mo
+we not leaving yet. ok lor then we go elsewhere n eat. u thk...
+
+i can do that! i want to please you both inside and outside the bedroom...
+
+our ride equally uneventful - not too many of those pesky cyclists around at that time of night ;).
+
+"it???s reassuring
+"aight
+:)
+
+yup i thk so until e shop closes lor.
+
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"ugh y can't u just apologize
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+no de. but call me after some time. ill tell you k
+
+okie... thanx...
+
+and picking them up from various points
+
+but that's on ebay it might be less elsewhere.
+
+88066 from 88066 lost 3pound help
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+oh god i am happy to see your message after 3 days
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+got meh... when?
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+"i know you are thinkin malaria. but relax
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+goodmorning sleeping ga.
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+"bears pic nick
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+haha mayb u're rite... u know me well. da feeling of being liked by someone is gd lor. u faster go find one then all gals in our group attached liao.
+
+there r many model..sony ericson also der.. <#> ..it luks good bt i forgot modl no
+
+dad went out oredi...
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+"sometimes we put walls around our hearts
+hows that watch resizing
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+ringtone club: gr8 new polys direct to your mobile every week !
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+lol yes. our friendship is hanging on a thread cause u won't buy stuff.
+
+"oops i did have it
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+lol your always so convincing.
+
+hi darlin im missin u hope you are having a good time. when are u back and what time if u can give me a call at home. jess xx
+
+yes..gauti and sehwag out of odi series.
+
+you should know now. so how's anthony. are you bringing money. i've school fees to pay and rent and stuff like that. thats why i need your help. a friend in need....|
+
+and smile for me right now as you go and the world will wonder what you are smiling about and think your crazy and keep away from you ... *grins*
+
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+"dude. what's up. how teresa. hope you have been okay. when i didnt hear from these people
+"urgent! your mobile was awarded a ??1
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+"sorry
+"yeah
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+"say this slowly.? god
+"urgent! your mobile no 077xxx won a ??2
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+"congratulations - thanks to a good friend u have won the ??2
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+what do u want when i come back?.a beautiful necklace as a token of my heart for you.thats what i will give but only to my wife of my liking.be that and see..no one can give you that.dont call me.i will wait till i come.
+
+network operator. the service is free. for t & c's visit 80488.biz
+
+"dear matthew please call 09063440451 from a landline
+i cant pick the phone right now. pls send a message
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+hello madam how are you ?
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+am surfing online store. for offers do you want to buy any thing.
+
+pls tell nelson that the bb's are no longer comin. the money i was expecting aint coming
+
+lol yep did that yesterday. already got my fireplace. now its just another icon sitting there for me.
+
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+"that way transport is less problematic than on sat night. by the way
+i have gone into get info bt dont know what to do
+
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+dis is yijue. i jus saw ur mail. in case huiming havent sent u my num. dis is my num.
+
+what's nannys address?
+
+dont know you bring some food
+
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+tessy..pls do me a favor. pls convey my birthday wishes to nimya..pls dnt forget it. today is her birthday shijas
+
+"today is sorry day.! if ever i was angry with you
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
+"you have won ?1
+"go until jurong point
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+"
+"not that i know of
+havent shopping now lor i juz arrive only
+
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+yup... hey then one day on fri we can ask miwa and jiayin take leave go karaoke
+
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+they don't put that stuff on the roads to keep it from getting slippery over there?
+
+on hen night. going with a swing
+
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+good afternoon starshine! how's my boytoy? does he crave me yet? ache to fuck me ? *sips cappuccino* i miss you babe *teasing kiss*
+
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+"ok. can be later showing around 8-8:30 if you want + cld have drink before. wld prefer not to spend money on nosh if you don't mind
+"you are guaranteed the latest nokia phone
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+wow so healthy. old airport rd lor. cant thk of anything else. but i'll b bathing my dog later.
+
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+tension ah?what machi?any problem?
+
+you also didnt get na hi hi hi hi hi
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+so how are you really. what are you up to. how's the masters. and so on.
+
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+oh k.i think most of wi and nz players unsold.
+
+god created gap btwn ur fingers so dat sum1 vry special will fill those gaps by holding ur hands.. now plz dont ask y he created so much gap between legs !!!
+
+"thank you so much. when we skyped wit kz and sura
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+"latest news! police station toilet stolen
+"urgent
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+it has everything to do with the weather. keep extra warm. its a cold but nothing serious. pls lots of vitamin c
+
+"if i let you do this
+when u love someone dont make them to love u as much as u do. but love them so much that they dont want to be loved by anyone except you... gud nit.
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+we are okay. going to sleep now. later
+
+"i don't think i can get away for a trek that long with family in town
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+me fine..absolutly fine
+
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"i know dat feelin had it with pete! wuld get with em
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+"hi babe its chloe
+"i'm taking derek & taylor to walmart
+ummmmmaah many many happy returns of d day my dear sweet heart.. happy birthday dear
+
+"\ey! calm downon theacusations.. itxt u cos iwana know wotu r doin at thew/end... haventcn u in ages..ring me if ur up4 nething sat.love j xxx.\"""""
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+"double mins & 1000 txts on orange tariffs. latest motorola
+wat makes u thk i'll fall down. but actually i thk i'm quite prone 2 falls. lucky my dad at home i ask him come n fetch me already.
+
+thanx 4 sending me home...
+
+i have lost 10 kilos as of today!
+
+call freephone 0800 542 0578 now!
+
+"hi this is amy
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+its a valentine game. . . send dis msg to all ur friends. . if 5 answers r d same then someone really loves u. . ques- which colour suits me the best?
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+"hey
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+think i could stop by in like an hour or so? my roommate's looking to stock up for a trip
+
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+money i have won wining number 946 wot do i do next
+
+"no idea
+"goodmorning
+"we are hoping to get away by 7
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+where r we meeting?
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"as a valued customer
+oh ya ya. i remember da. .
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+"fyi i'm at usf now
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+good day to you too.pray for me.remove the teeth as its painful maintaining other stuff.
+
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+i dont know ask to my brother. nothing problem some thing that. just i told .
+
+nite...
+
+ok both our days. so what are you making for dinner tonite? am i invited?
+
+hi. i'm always online on yahoo and would like to chat with you someday
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+"new theory: argument wins d situation
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+"congratulations! thanks to a good friend u have won the ??2
+you still at the game?
+
+i don't know but i'm raping dudes at poker
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+ok set let u noe e details later...
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+k..k..i'm also fine:)when will you complete the course?
+
+i luv u soo much u don??t understand how special u r 2 me ring u 2morrow luv u xxx
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+"geeee ... i miss you already
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+dont think you need yellow card for uk travel. ask someone that has gone before. if you do its just <#> bucks
+
+"themob>hit the link to get a premium pink panther game
+"solve d case : a man was found murdered on <decimal> . <#> afternoon. 1
+all done? all handed in? celebrations in full swing yet?
+
+no wonder... cos i dun rem seeing a silver car... but i thk i saw a black one...
+
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+you have 1 new voicemail. please call 08719181513.
+
+you have 1 new voicemail. please call 08719181503
+
+i thk u dun haf 2 hint in e forum already lor... cos i told ron n darren is going 2 tell shuhui.
+
+it's still not working. and this time i also tried adding zeros. that was the savings. the checking is <#>
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+"sure
+"hello from orange. for 1 month's free access to games
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+how to make a girl happy? it's not at all difficult to make girls happy. u only need to be... 1. a friend 2. companion 3. lover 4. chef . . . <#> . good listener <#> . organizer <#> . good boyfriend <#> . very clean <#> . sympathetic <#> . athletic <#> . warm . . . <#> . courageous <#> . determined <#> . true <#> . dependable <#> . intelligent . . . <#> . psychologist <#> . pest exterminator <#> . psychiatrist <#> . healer . . <#> . stylist <#> . driver . . aaniye pudunga venaam..
+
+watching tv lor...
+
+ringtoneking 84484
+
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+hmmm.still we dont have opener?
+
+sounds like there could be a lot of time spent in that chastity device boy ... *grins* ... or take your beatings like a good dog. going to lounge in a nice long bath now ?
+
+no no. i will check all rooms befor activities
+
+i know girls always safe and selfish know i got it pa. thank you. good night.
+
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+mm yes dear look how i am hugging you both. :-p
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+thing r good thanx got exams in march ive done no revision? is fran still with boyf? ive gotta interviw 4 exeter bit worried!x
+
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+dude just saw a parked car with its sunroof popped up. sux
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+also hi wesley how've you been
+
+when did you get to the library
+
+jus finish blowing my hair. u finish dinner already?
+
+cold. dont be sad dear
+
+ok... the theory test? when are ?_ going to book? i think it's on 21 may. coz thought wanna go out with jiayin. but she isnt free
+
+"dear voucher holder
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+dear good morning now only i am up
+
+"5 free top polyphonic tones call 087018728737
+that is wondar full flim.
+
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+i'm at home. please call
+
+what today-sunday..sunday is holiday..so no work..
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+"we have sent jd for customer service cum accounts executive to ur mail id
+oh ho. is this the first time u use these type of words
+
+"had your contract mobile 11 mnths? latest motorola
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+"thanks da thangam
+"daddy
+so dont use hook up any how
+
+what time is ur flight tmr?
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+"theoretically yeah
+"you are a ??1000 winner or guaranteed caller prize
+i will reach ur home in <#> minutes
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+ok i wont call or disturb any one. i know all are avoiding me. i am a burden for all
+
+wat's da model num of ur phone?
+
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+"beautiful truth against gravity.. read carefully: \our heart feels light when someone is in it.. but it feels very heavy when someone leaves it..\"" goodmorning"""
+
+"whats that coming over the hill..... is it a monster! hope you have a great day. things r going fine here
+"your account has been credited with 500 free text messages. to activate
+when're you guys getting back? g said you were thinking about not staying for mcr
+
+"thanks for your ringtone order
+"living is very simple.. loving is also simple.. laughing is too simple.. winning is tooo simple.. but
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+"\oh fuck. juswoke up in a bed on a boatin the docks. slept wid 25 year old. spinout! giv u da gossip l8r. xxx\"""""
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+hi:)cts employee how are you?
+
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+"yeah
+"it wont b until 2.15 as trying 2 sort house out
+i called and said all to him:)then he have to choose this future.
+
+dear how you. are you ok?
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+"we spend our days waiting for the ideal path to appear in front of us.. but what we forget is.. \paths are made by walking.. not by waiting..\"" goodnight!"""
+
+dont think so. it turns off like randomlly within 5min of opening
+
+"house-maid is the murderer
+raji..pls do me a favour. pls convey my birthday wishes to nimya. pls. today is her birthday.
+
+i'm done...
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+dont gimme that lip caveboy
+
+tell me whos this pls:-)
+
+"sorry
+"six chances to win cash! from 100 to 20
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+i think asking for a gym is the excuse for lazy people. i jog.
+
+all e best 4 ur driving tmr :-)
+
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+"download as many ringtones as u like no restrictions
+"i dont knw pa
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+"your account has been credited with 500 free text messages. to activate
+"its cool but tyler had to take off so we're gonna buy for him and drop it off at his place later tonight. our total order is a quarter
+any chance you might have had with me evaporated as soon as you violated my privacy by stealing my phone number from your employer's paperwork. not cool at all. please do not contact me again or i will report you to your supervisor.
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+"xxxmobilemovieclub: to use your credit
+mum say we wan to go then go... then she can shun bian watch da glass exhibition...
+
+"finally it has happened..! aftr decades..! beer is now cheaper than petrol! the goverment expects us to \drink\"". . . but don't \""drive \"""""
+
+even u dont get in trouble while convincing..just tel him once or twice and just tel neglect his msgs dont c and read it..just dont reply
+
+cool. i am <#> inches long. hope you like them big!
+
+your opinion about me? 1. over 2. jada 3. kusruthi 4. lovable 5. silent 6. spl character 7. not matured 8. stylish 9. simple pls reply..
+
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+ok lor...
+
+great! i have to run now so ttyl!
+
+"no dice
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+i know she called me
+
+"1000's flirting now! txt girl or bloke & ur name & age
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+future is not what we planned for tomorrow.....! it is the result of what we do today...! do the best in present... enjoy the future.
+
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+"44 7732584351
+k. i will sent it again
+
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+hiya do u like the hlday pics looked horrible in them so took mo out! hows the camp amrca thing? speak soon serena:)
+
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+nt joking seriously i told
+
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+"cmon babe
+"hello darling how are you today? i would love to have a chat
+"just so that you know
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+"hi jon
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+i'm job profile seems like bpo..
+
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+this is my number by vivek..
+
+or u ask they all if next sat can a not. if all of them can make it then i'm ok lor.
+
+i'm on my way home. went to change batt 4 my watch then go shop a bit lor.
+
+"i have 2 sleeping bags
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+enjoy ur life. . good night
+
+then why no one talking to me
+
+"st andre
+i'm now but have to wait till 2 for the bus to pick me.
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+k.k:)apo k.good movie.
+
+nite nite pocay wocay luv u more than n e thing 4eva i promise ring u 2morrowxxxx
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+k:)all the best:)congrats...
+
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+"evening * v good if somewhat event laden. will fill you in
+call freephone 0800 542 0578 now!
+
+dear where you will be when i reach there
+
+try to do something dear. you read something for exams
+
+oh that was a forwarded message. i thought you send that to me
+
+ok . . now i am in bus. . if i come soon i will come otherwise tomorrow
+
+ill be there on <#> ok.
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"1.20 that call cost. which i guess isnt bad. miss ya
+"thanks for your ringtone order
+am in film ill call you later.
+
+were somewhere on fredericksburg
+
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+not able to do anything.
+
+"sms services. for your inclusive text credits
+its a part of checking iq
+
+"\hey! do u fancy meetin me at 4 at cha ?? hav a lil beverage on me. if not txt or ring me and we can meet up l8r. quite tired got in at 3 v.pist ;) love pete x x x\"""""
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+my phone
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+"yo
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+you have 1 new voicemail. please call 08719181513.
+
+u call me alter at 11 ok.
+
+your gonna have to pick up a $1 burger for yourself on your way home. i can't even move. pain is killing me.
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+i love you both too :-)
+
+"hi this is amy
+get ready to moan and scream :)
+
+good morning princess! happy new year!
+
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+appt is at <time> am. not my fault u don't listen. i told u twice
+
+forgot to tell ?_ smth.. can ?_ like number the sections so that it's clearer..
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+sms. ac sun0819 posts hello:\you seem cool
+
+from 88066 lost ??12 help
+
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+"loan for any purpose ??500 - ??75
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+am slow in using biola's fne
+
+wishing you a beautiful day. each moment revealing even more things to keep you smiling. do enjoy it.
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+i'm gonna rip out my uterus.
+
+"today is \song dedicated day..\"" which song will u dedicate for me? send this to all ur valuable frnds but first rply me..."""
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+yes princess! i want to make you happy...
+
+i've told you everything will stop. just dont let her get dehydrated.
+
+"you are always putting your business out there. you put pictures of your ass on facebook. you are one of the most open people i've ever met. why would i think a picture of your room would hurt you
+"get 3 lions england tone
+"\what are youdoing later? sar xxx\"""""
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+"sorry
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+"aight
+you've always been the brainy one.
+
+what does the dance river do?
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+"urgent! your mobile no 07808726822 was awarded a ??2
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+ok. not sure what time tho as not sure if can get to library before class. will try. see you at some point! have good eve.
+
+no message..no responce..what happend?
+
+let ur heart be ur compass ur mind ur map ur soul ur guide and u will never loose in world....gnun - sent via way2sms.com
+
+"??_ we r stayin here an extra week
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+"haha yeah
+lol ... no just was busy
+
+don no da:)whats you plan?
+
+good words.... but words may leave u in dismay many times.
+
+no problem. talk to you later
+
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+there are no other charges after transfer charges and you can withdraw anyhow you like
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+goin to workout lor... muz lose e fats...
+
+now get step 2 outta the way. congrats again.
+
+y de asking like this.
+
+my no. in luton 0125698789 ring me if ur around! h*
+
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+"thanks again for your reply today. when is ur visa coming in. and r u still buying the gucci and bags. my sister things are not easy
+i'll talk to the others and probably just come early tomorrow then
+
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+"haha figures
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+lmao you know me so well...
+
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+"as a sim subscriber
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+"our mobile number has won ??5000
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+k i'll be sure to get up before noon and see what's what
+
+your account has been refilled successfully by inr <decimal> . your keralacircle prepaid account balance is rs <decimal> . your transaction id is kr <#> .
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
+there bold 2 <#> . is that yours
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+"you are sweet as well
+ok. i only ask abt e movie. u wan ktv oso?
+
+"yes
+"sms services. for your inclusive text credits
+stupid.its not possible
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+"xmas offer! latest motorola
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+its a big difference. <#> versus <#> every <#> hrs
+
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+"had your contract mobile 11 mnths? latest motorola
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+you are not bothering me but you have to trust my answers. pls.
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+take care and sleep well.you need to learn to change in life.you only need to get convinced on that.i will wait but no more conversations between us.get convinced by that time.your family is over for you in many senses.respect them but not overemphasise.or u have no role in my life.
+
+"beautiful truth against gravity.. read carefully: \our heart feels light when someone is in it.. but it feels very heavy when someone leaves it..\"" good night"""
+
+sorry . i will be able to get to you. see you in the morning.
+
+oh ok i didnt know what you meant. yep i am baby jontin
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+i know you mood off today
+
+"omw back to tampa from west palm
+there are many company. tell me the language.
+
+u haven??t lost me ill always b here 4u.i didn??t intend 2 hurt u but i never knew how u felt about me when iwas+marine&that??s what itried2tell urmom.i careabout u
+
+today my system sh get ready.all is well and i am also in the deep well
+
+"best msg: it's hard to be with a person
+did you catch the bus ? are you frying an egg ? did you make a tea? are you eating your mom's left over dinner ? do you feel my love ?
+
+ha... u jus ate honey ar? so sweet...
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+i think it's all still in my car
+
+"cant believe i said so many things to you this morning when all i really wanted to say was good morning
+lul im gettin some juicy gossip at the hospital. two nurses are talking about how fat they are gettin. and one thinks shes obese. oyea.
+
+"shop till u drop
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+dude while were makin those weirdy brownies my sister made awesome cookies. i took pics.
+
+y she dun believe leh? i tot i told her it's true already. i thk she muz c us tog then she believe.
+
+"hi elaine
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+wrong phone! this phone! i answer this one but assume the other is people i don't well
+
+have you ever had one foot before?
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+oops my phone died and i didn't even know. yeah i like it better.
+
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+having lunch:)you are not in online?why?
+
+"yeah that's what i thought
+a lot of this sickness thing going round. take it easy. hope u feel better soon. lol
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+i'm working technical support :)voice process.
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
+dude how do you like the buff wind.
+
+"do you ever notice that when you're driving
+k.k:)advance happy pongal.
+
+"hi
+just hopeing that wasn???t too pissed up to remember and has gone off to his sisters or something!
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+"well
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+bring it if you got it
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+you have 1 new voicemail. please call 08719181513.
+
+"so many people seems to be special at first sight
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+today is accept day..u accept me as? brother sister lover dear1 best1 clos1 lvblefrnd jstfrnd cutefrnd lifpartnr belovd swtheart bstfrnd no rply means enemy
+
+"if you're still up
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+i wanted to ask ?_ to wait 4 me to finish lect. cos my lect finishes in an hour anyway.
+
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+"claim a 200 shopping spree
+"fran i decided 2 go n e way im completely broke an knackered i got up bout 3 c u 2mrw love janx p.s this is my dads fone
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+"* was really good to see you the other day dudette
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+you are right though. i can't give you the space you want and need. this is really starting to become an issue. i was going to suggest setting a definite move out--if i'm still there-- after greece. but maybe you are ready and should do it now.
+
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+you have 1 new voicemail. please call 08719181513.
+
+please ask mummy to call father
+
+only 2% students solved this cat question in 'xam... 5+3+2= <#> 9+2+4= <#> 8+6+3= <#> then 7+2+5=????? tell me the answer if u r brilliant...1thing.i got d answr.
+
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+"you are being contacted by our dating service by someone you know! to find out who it is
+so when you gonna get rimac access
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+water logging in desert. geoenvironmental implications.
+
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+"damn
+he is there. you call and meet him
+
+i'm in office now da:)where are you?
+
+no. to be nosy i guess. idk am i over reacting if i'm freaked?
+
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+now project pa. after that only i can come.
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+"goal! arsenal 4 (henry
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+"could you not read me
+at home also.
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+"babe! i fucking love you too !! you know? fuck it was so good to hear your voice. i so need that. i crave it. i can't get enough. i adore you
+anything is valuable in only 2 situations: first- before getting it... second- after loosing it...
+
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"thanks for your ringtone order
+midnight at the earliest
+
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+win a ??1000 cash prize or a prize worth ??5000
+
+adult 18 content your video will be with you shortly
+
+hey what's up charles sorry about the late reply.
+
+"oh! shit
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+"cool
+pls go ahead with watts. i just wanted to be sure. do have a great weekend. abiola
+
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+"whatever
+tell me something. thats okay.
+
+don't fret. i'll buy the ovulation test strips and send them to you. you wont get them til like march. can you send me your postal address.u'll be alright.okay.
+
+if i said anything wrong sorry de:-)
+
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+ha ha cool cool chikku chikku:-):-db-)
+
+you have 1 new voicemail. please call 08719181503
+
+y dun cut too short leh. u dun like ah? she failed. she's quite sad.
+
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"text82228>> get more ringtones
+congrats. that's great. i wanted to tell you not to tell me your score cos it might make me relax. but its motivating me so thanks for sharing
+
+so u workin overtime nigpun?
+
+"hiya
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+hello beautiful r u ok? i've kinda ad a row wiv and he walked out the pub?? i wanted a night wiv u miss u
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+"merry christmas to you too babe
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+private! your 2003 account statement for 078
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+he didn't see his shadow. we get an early spring yay
+
+alrite
+
+ok... let u noe when i leave my house.
+
+tessy..pls do me a favor. pls convey my birthday wishes to nimya..pls dnt forget it. today is her birthday shijas
+
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+money i have won wining number 946 wot do i do next
+
+honey boo i'm missing u.
+
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+joy's father is john. then john is the name of joy's father. mandan
+
+"i sent my scores to sophas and i had to do secondary application for a few schools. i think if you are thinking of applying
+what time you coming down later?
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+"fr'ndship is like a needle of a clock. though v r in d same clock
+i had askd u a question some hours before. its answer
+
+i was wondering if it would be okay for you to call uncle john and let him know that things are not the same in nigeria as they r here. that <#> dollars is 2years sent and that you know its a strain but i plan to pay back every dime he gives. every dime so for me to expect anything from you is not practical. something like that.
+
+been running but only managed 5 minutes and then needed oxygen! might have to resort to the roller option!
+
+"this is the 2nd attempt to contract u
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+prof: you have passed in all the papers in this sem congrats . . . . student: enna kalaachutaarama..!! prof:???? gud mrng!
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+look at the fuckin time. what the fuck you think is up
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+all boys made fun of me today. ok i have no problem. i just sent one message just for fun
+
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+"hi there
+sent me ur email id soon
+
+yes i have. so that's why u texted. pshew...missing you so much
+
+hi di is yijue we're meeting at 7 pm at esaplanade tonight.
+
+"shop till u drop
+one small prestige problem now.
+
+bognor it is! should be splendid at this time of year.
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+thanks for this hope you had a good day today
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+free any day but i finish at 6 on mon n thurs...
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+anything lor but toa payoh got place 2 walk meh...
+
+we left already we at orchard now.
+
+kind of. took it to garage. centre part of exhaust needs replacing. part ordered n taking it to be fixed tomo morning.
+
+keep my payasam there if rinu brings
+
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+have you bookedthe hut? and also your time off? how are you by the way?
+
+"goodnight
+.please charge my mobile when you get up in morning.
+
+\hey kate
+
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+"the world is running and i am still.maybe all are feeling the same
+early bird! any purchases yet?
+
+"hey
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+no need lar. jus testing e phone card. dunno network not gd i thk. me waiting 4 my sis 2 finish bathing so i can bathe. dun disturb u liao u cleaning ur room.
+
+what makes you most happy?
+
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+"as a valued customer
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+that is wondarfull song
+
+tomarrow i want to got to court. at <decimal> . so you come to bus stand at 9.
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+"new mobiles from 2004
+ringtoneking 84484
+
+dare i ask... any luck with sorting out the car?
+
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+the battery is for mr adewale my uncle. aka egbon
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+"it's fine
+"think ur smart ? win ??200 this week in our weekly quiz
+my superior telling that friday is leave for all other department except ours:)so it will be leave for you:)any way call waheed fathima hr and conform it:)
+
+"goal! arsenal 4 (henry
+have your lunch and come quickly and open the door:)
+
+i sent them. do you like?
+
+its sunny in california. the weather's just cool
+
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+"bears pic nick
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+you have 1 new voicemail. please call 08719181503
+
+what he said is not the matter. my mind saying some other matter is there.
+
+ok chinese food on its way. when i get fat you're paying for my lipo.
+
+how much is blackberry bold2 in nigeria.
+
+don???t give a flying monkeys wot they think and i certainly don???t mind. any friend of mine and all that!
+
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+where can download clear movies. dvd copies.
+
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+true dear..i sat to pray evening and felt so.so i sms'd you in some time...
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+i'm in a movie. call me 4 wat?
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+yes princess! i want to please you every night. your wish is my command...
+
+i reach home safe n sound liao...
+
+hey what happen de. are you alright.
+
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+"what will we do in the shower
+"thanks for your ringtone order
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+"awesome
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+"i'm in a meeting
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"dear voucher holder
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+"cool
+so no messages. had food?
+
+i told her i had a dr appt next week. she thinks i'm gonna die. i told her its just a check. nothing to be worried about. but she didn't listen.
+
+"indians r poor but india is not a poor country. says one of the swiss bank directors. he says that \ <#> lac crore\"" of indian money is deposited in swiss banks which can be used for 'taxless' budget for <#> yrs. can give <#> crore jobs to all indians. from any village to delhi 4 lane roads. forever free power suply to more than <#> social projects. every citizen can get monthly <#> /- for <#> yrs. no need of world bank & imf loan. think how our money is blocked by rich politicians. we have full rights against corrupt politicians. itna forward karo ki pura india padhe.g.m.\"""""
+
+"got hella gas money
+joy's father is john. then john is the ____ of joy's father. if u ans ths you hav <#> iq. tis s ias question try to answer.
+
+"urgent
+you have 1 new voicemail. please call 08719181513.
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+missed your call cause i was yelling at scrappy. miss u. can't wait for u to come home. i'm so lonely today.
+
+hi kindly give us back our documents which we submitted for loan from stapati
+
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+happy birthday to you....dear.with lots of love.rakhesh nri
+
+now thats going to ruin your thesis!
+
+yes.. now only saw your message..
+
+no. i meant the calculation is the same. that <#> units at <#> . this school is really expensive. have you started practicing your accent. because its important. and have you decided if you are doing 4years of dental school or if you'll just do the nmde exam.
+
+sry da..jst nw only i came to home..
+
+"we are at grandmas. oh dear
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+got it..mail panren paru..
+
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+so when do you wanna gym?
+
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+ugh fuck it i'm resubbing to eve
+
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+wot is u up 2 then bitch?
+
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+?? still attending da talks?
+
+does uncle timi help in clearing cars
+
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+"oh rite. well im with my best mate pete
+ok thanx...
+
+noice. text me when you're here
+
+"bored of speed dating? try speedchat
+good morning plz call me sir
+
+"shop till u drop
+did you show him and wot did he say or could u not c him 4 dust?
+
+"wait that's still not all that clear
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+ya! when are ?_ taking ure practical lessons? i start in june..
+
+ok. i asked for money how far
+
+i was about to do it when i texted. i finished a long time ago and showered and er'ything!
+
+yup i've finished c ?_ there...
+
+sorry to be a pain. is it ok if we meet another night? i spent late afternoon in casualty and that means i haven't done any of y stuff42moro and that includes all my time sheets and that. sorry.
+
+who are you seeing?
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+i was gonna ask you lol but i think its at 7
+
+"oops - am at my mum's in somerset... bit far! back tomo
+i will be outside office take all from there
+
+or remind me in a few hrs.
+
+btw regarding that we should really try to see if anyone else can be our 4th guy before we commit to a random dude
+
+"i'm used to it. i just hope my agents don't drop me since i've only booked a few things this year. this whole me in boston
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+"aight
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+a cute thought for friendship: \its not necessary to share every secret with ur close frnd
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+you have 1 new voicemail. please call 08719181513.
+
+k..k...from tomorrow onwards started ah?
+
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"sir
+ok how you dear. did you call chechi
+
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+it's ok i noe u're busy but i'm really too bored so i msg u. i oso dunno wat colour she choose 4 me one.
+
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+don't necessarily expect it to be done before you get back though because i'm just now headin out
+
+and by when you're done i mean now
+
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+"\getting tickets 4 walsall tue 6 th march. my mate is getting me them on sat. ill pay my treat. want 2 go. txt bak .terry\"""""
+
+neft transaction with reference number <#> for rs. <decimal> has been credited to the beneficiary account on <#> at <time> : <#>
+
+its not the same here. still looking for a job. how much do ta's earn there.
+
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+"japanese proverb: if one can do it
+dont show yourself. how far. put new pictures up on facebook.
+
+oic... i saw him too but i tot he din c me... i found a group liao...
+
+u coming 2 pick me?
+
+hurry home u big butt. hang up on your last caller if u have to. food is done and i'm starving. don't ask what i cooked.
+
+this single single answers are we fighting? plus i said am broke and you didnt reply
+
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+send to someone else :-)
+
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"free nokia or motorola with upto 12mths 1/2price linerental
+"as a valued customer
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+will you like to be spoiled? :)
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+"hi there
+you have 1 new message. please call 08718738034.
+
+jay is snickering and tells me that x is totally fucking up the chords as we speak
+
+i will spoil you in bed as well :)
+
+"sorry man
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"will do
+from 88066 lost ??12 help
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+"themob>hit the link to get a premium pink panther game
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+hey we can go jazz power yoga hip hop kb and yogasana
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+i'm in school now n i'll be in da lab doing some stuff give me a call when ?_ r done.
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+what i'm saying is if you haven't explicitly told nora i know someone i'm probably just not gonna bother
+
+i ask if u meeting da ge tmr nite...
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+sad story of a man - last week was my b'day. my wife did'nt wish me. my parents forgot n so did my kids . i went to work. even my colleagues did not wish.
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+i'm vivek:)i got call from your number.
+
+88066 from 88066 lost 3pound help
+
+freemsg>fav xmas tones!reply real
+
+"what are you doing in langport? sorry
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+"\not enufcredeit tocall.shall ileave uni at 6 +get a bus to yor house?\"""""
+
+oh dang! i didn't mean o send that to you! lol!
+
+height of recycling: read twice- people spend time for earning money and the same money is spent for spending time!;-) good morning.. keep smiling:-)
+
+what pa tell me.. i went to bath:-)
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+gr8. so how do you handle the victoria island traffic. plus when's the album due
+
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+s now only i took tablets . reaction morning only.
+
+"thank you for calling.forgot to say happy onam to you sirji.i am fine here and remembered you when i met an insurance person.meet you in qatar insha allah.rakhesh
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+i'm working technical support :)voice process.networking field.
+
+total video converter free download type this in google search:)
+
+will be out of class in a few hours. sorry
+
+i have 2 docs appointments next week.:/ i'm tired of them shoving stuff up me. ugh why couldn't i have had a normal body?
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+want to finally have lunch today?
+
+alright. thanks for the advice. enjoy your night out. i'ma try to get some sleep...
+
+wait.i will come out.. <#> min:)
+
+this pen thing is beyond a joke. wont a biro do? don't do a masters as can't do this ever again!
+
+go chase after her and run her over while she's crossing the street
+
+its on in engalnd! but telly has decided it won't let me watch it and mia and elliot were kissing! damn it!
+
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+no da if you run that it activate the full version da.
+
+wot u up 2 j?
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+aah! a cuddle would be lush! i'd need lots of tea and soup before any kind of fumbling!
+
+"well the weather in cali's great. but its complexities are great. you need a car to move freely
+"aight
+"eerie nokia tones 4u
+captain vijaykanth is doing comedy in captain tv..he is drunken :)
+
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+"claim a 200 shopping spree
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+do you know where my lab goggles went
+
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+back in brum! thanks for putting us up and keeping us all and happy. see you soon
+
+in fact when do you leave? i think addie goes back to school tues or wed
+
+"sorry
+lara said she can loan me <#> .
+
+"no
+i tagged my friends that you seemed to count as your friends.
+
+"living is very simple.. loving is also simple.. laughing is too simple.. winning is tooo simple.. but
+ok lor wat time ?_ finish?
+
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+aight well keep me informed
+
+i'm not coming home 4 dinner.
+
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+i've reached home n i bathe liao... u can call me now...
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+"how are you
+aiyo u so poor thing... then u dun wan 2 eat? u bathe already?
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"thanks for your ringtone order
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+have you seen who's back at holby?!
+
+so wats ur opinion abt him and how abt is character?
+
+siva is in hostel aha:-.
+
+"hi this is amy
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+"if you don't
+i'm gonna say no. sorry. i would but as normal am starting to panic about time. sorry again! are you seeing on tuesday?
+
+"hi babe its jordan
+okey dokey swashbuckling stuff what oh.
+
+"alright
+i'm not sure if its still available though
+
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+"hello darling how are you today? i would love to have a chat
+watever relation u built up in dis world only thing which remains atlast iz lonlines with lotz n lot memories! feeling..
+
+true. its easier with her here.
+
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+auntie huai juan never pick up her phone
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+you do your studies alone without anyones help. if you cant no need to study.
+
+hey... why dont we just go watch x men and have lunch... haha
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+"urgent! you have won a 1 week free membership in our ??100
+you are a great role model. you are giving so much and i really wish each day for a miracle but god as a reason for everything and i must say i wish i knew why but i dont. i've looked up to you since i was young and i still do. have a great day.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+oh god..taken the teeth?is it paining
+
+"sms. ac jsco: energy is high
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+i was up all night too worrying about this appt. it's a shame we missed a girls night out with quizzes popcorn and you doing my hair.
+
+"urgent! you have won a 1 week free membership in our ??100
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+why de. you looking good only:-)..
+
+sms. ac sun0819 posts hello:\you seem cool
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
+"thanks for your ringtone order
+pls call me da. what happen.
+
+network operator. the service is free. for t & c's visit 80488.biz
+
+"urgent! your mobile no was awarded a ??2
+hi baby im cruisin with my girl friend what r u up 2? give me a call in and hour at home if thats alright or fone me on this fone now love jenny xxx
+
+"sms services. for your inclusive text credits
+hi.:)technical support.providing assistance to us customer through call and email:)
+
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+please give it 2 or i will pick it up on tuesday evening about 8 if that is ok.
+
+aiyah u did ok already lar. e nydc at wheellock?
+
+my drive can only be read. i need to write
+
+"the lay man! just to let you know you are missed and thought off. do have a great day. and if you can send me bimbo and ugo's numbers
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+our prashanthettan's mother passed away last night. pray for her and family.
+
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+"you are guaranteed the latest nokia phone
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+my friends use to call the same.
+
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+"didn't try
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+okie
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"dear friends
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+those were my exact intentions
+
+i got lousy sleep. i kept waking up every 2 hours to see if my cat wanted to come in. i worry about him when its cold :(
+
+"urgent! please call 09066612661 from your landline
+"sez
+hi here. have birth at on the to at 8lb 7oz. mother and baby doing brilliantly.
+
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+let me know when you've got the money so carlos can make the call
+
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+i will reach before ten morning
+
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+then why you came to hostel.
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+ok lor then we go tog lor...
+
+"dear voucher holder
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+we have all rounder:)so not required:)
+
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+thats cool. i want to please you...
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+"my friend
+much better now thanks lol
+
+hey next sun 1030 there's a basic yoga course... at bugis... we can go for that... pilates intro next sat.... tell me what time you r free
+
+"sir
+please sen :)my kind advice :-)please come here and try:-)
+
+x course it 2yrs. just so her messages on messenger lik you r sending me
+
+"new tones this week include: 1)mcfly-all ab..
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+"urgent! you have won a 1 week free membership in our ??100
+"1000's flirting now! txt girl or bloke & ur name & age
+"thanks for your ringtone order
+"mon okie lor... haha
+not..tel software name..
+
+"dear
+"text82228>> get more ringtones
+"loan for any purpose ??500 - ??75
+"easy mate
+"\hi babe uawake?feellikw shit.justfound out via aletter thatmum gotmarried 4thnov.behind ourbacks ?? fuckinnice!selfish i??l call u\"""""
+
+"\hello-/-:0quit edrunk sorry iff pthis makes no senrd-dnot no how ^ dancce 2 drum n basq!ihave fun 2nhite x ros xxxxxxx\"""""
+
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+"if you don't
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"and that's fine
+"january male sale! hot gay chat now cheaper
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+call freephone 0800 542 0578 now!
+
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+this weekend is fine (an excuse not to do too much decorating)
+
+?? wait 4 me in sch i finish ard 5..
+
+hey morning what you come to ask:-) pa...
+
+"smsservices. for yourinclusive text credits
+the wine is flowing and i'm i have nevering..
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+lol your right. what diet? everyday i cheat anyway. i'm meant to be a fatty :(
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+2marrow only. wed at <#> to 2 aha.
+
+2 laptop... i noe infra but too slow lar... i wan fast one
+
+have you not finished work yet or something?
+
+hey whats up? u sleeping all morning?
+
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+ya that one is slow as poo
+
+"if you don't
+"aight i've been set free
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+"its so common hearin how r u? wat r u doing? how was ur day? so let me ask u something different. did u smile today? if not
+carlos says he'll be at mu in <#> minutes
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+"enjoy the showers of possessiveness poured on u by ur loved ones
+you have 1 new voicemail. please call 08719181503
+
+i have to take exam with march 3
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+i see. when we finish we have loads of loans to pay
+
+all will come alive.better correct any good looking figure there itself..
+
+"sorry
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+hi dear call me its urgnt. i don't know whats your problem. you don't want to work or if you have any other problem at least tell me. wating for your reply.
+
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+wat makes some people dearer is not just de happiness dat u feel when u meet them but de pain u feel when u miss dem!!!
+
+"\are you comingdown later?\"""""
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+prabha..i'm soryda..realy..frm heart i'm sory
+
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+wat r u doing?
+
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+"jay told me already
+"twinks
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+jos ask if u wana meet up?
+
+was the farm open?
+
+fyi i'm gonna call you sporadically starting at like <#> bc we are not not doin this shit
+
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+dont you have message offer
+
+"ou are guaranteed the latest nokia phone
+you'd like that wouldn't you? jerk!
+
+hope things went well at 'doctors' ;) reminds me i still need 2go.did u c d little thing i left in the lounge?
+
+he remains a bro amongst bros
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+"thanks for your ringtone order
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+im just wondering what your doing right now?
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"it doesnt make sense to take it there unless its free. if you need to know more
+"you are a ??1000 winner or guaranteed caller prize
+alrite jod hows the revision goin? keris bin doin a smidgin. n e way u wanna cum over after college?xx
+
+"all the lastest from stereophonics
+university of southern california.
+
+so that takes away some money worries
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+"urgent! your mobile no was awarded a ??2
+"you have won ?1
+"hey babe
+when did dad get back.
+
+"it's that time of the week again
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+the message sent is askin for <#> dollars. shoul i pay <#> or <#> ?
+
+big brother???s really scraped the barrel with this shower of social misfits
+
+"0a$networks allow companies to bill for sms
+"kate jackson rec center before 7ish
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+remember on that day..
+
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+she told to hr that he want posting in chennai:)because i'm working here:)
+
+"xmas & new years eve tickets are now on sale from the club
+"if you don't
+please leave this topic..sorry for telling that..
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+"dear voucher holder
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+i told your number to gautham..
+
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+private! your 2003 account statement for 078
+
+went to pay rent. so i had to go to the bank to authorise the payment.
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+"k
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+this message is brought to you by gmw ltd. and is not connected to the
+
+"wishing you and your family merry \x\"" mas and happy new year in advance.."""
+
+which is weird because i know i had it at one point
+
+"[??_] anyway
+don't forget who owns you and who's private property you are ... and be my good boy always .. *passionate kiss*
+
+i'm at home. please call
+
+i have a date on sunday with will!!
+
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+"welcome to select
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+"today is \song dedicated day..\"" which song will u dedicate for me? send this to all ur valuable frnds but first rply me..."""
+
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+hurry home. soup is done!
+
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+no just send to you. bec you in temple na.
+
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+"shop till u drop
+talk with yourself atleast once in a day...!!! otherwise you will miss your best friend in this world...!!! -shakespeare- shesil <#>
+
+"i wasn't well babe
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+"good! no
+printer is cool. i mean groovy. wine is groovying
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
+hasn't that been the pattern recently crap weekends?
+
+freemsg>fav xmas tones!reply real
+
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
+"hi frnd
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+then she dun believe wat?
+
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+"thank you
+85233 free>ringtone!reply real
+
+yes. rent is very expensive so its the way we save.
+
+get down in gandhipuram and walk to cross cut road. right side <#> street road and turn at first right.
+
+ok which your another number
+
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+for the first time in the history 'need' 'comfort' and 'luxury' are sold at same price in india..!! onion-rs. <#> petrol-rs. <#> beer-rs. <#> shesil <#>
+
+mystery solved! just opened my email and he's sent me another batch! isn't he a sweetie
+
+doc prescribed me morphine cause the other pain meds aren't enough. waiting for my mom to bring it. that med should kick in fast so i'm gonna try to be on later
+
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+"urgent! please call 09066612661 from your landline
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+"sir
+this message is from a great doctor in india:-): 1) do not drink appy fizz. it contains cancer causing age
+
+wake me up at <#> am morning:)
+
+"no dude
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+what about this one then.
+
+u wake up already? thanx 4 e tau sar piah it's quite nice.
+
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+"sorry
+yun ah.now ?_ wkg where?btw if ?_ go nus sc. ?? wana specialise in wad?
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+k...k...yesterday i was in cbe .
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+how stupid to say that i challenge god.you dont think at all on what i write instead you respond immed.
+
+cheers for the message zogtorius. i??ve been staring at my phone for an age deciding whether to text or not.
+
+do you like shaking your booty on the dance floor?
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+my love ... i hope your not doing anything drastic. don't you dare sell your pc or your phone ...
+
+"orange customer
+"thanks for your ringtone order
+jus finish my lunch on my way home lor... i tot u dun wan 2 stay in sch today...
+
+dont hesitate. you know this is the second time she has had weakness like that. so keep i notebook of what she eat and did the day before or if anything changed the day before so that we can be sure its nothing
+
+"thanks for your ringtone order
+7 at esplanade.. do ?_ mind giving me a lift cos i got no car today..
+
+you will be in the place of that man
+
+ok good then i later come find ?_... c lucky i told ?_ to go earlier... later pple take finish ?_ no more again...
+
+k fyi x has a ride early tomorrow morning but he's crashing at our place tonight
+
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+how was txting and driving
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+doing project w frens lor.
+
+"sorry
+infact happy new year. how are you where are you when are we seeing
+
+watch lor. i saw a few swatch one i thk quite ok. ard 116 but i need 2nd opinion leh...
+
+hiya hows it going in sunny africa? hope u r avin a good time. give that big old silver back a big kiss from me.
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+take us out shopping and mark will distract isaiah.=d
+
+"xmas & new years eve tickets are now on sale from the club
+it didnt work again oh. ok goodnight then. i.ll fix and have it ready by the time you wake up. you are very dearly missed have a good night sleep.
+
+am on the uworld site. am i buying the qbank only or am i buying it with the self assessment also?
+
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+are you plans with your family set in stone ?
+
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+you know my old dom i told you about yesterday ? his name is roger? he got in touch with me last night and wants me to meet him today at 2 pm
+
+i am not sure about night menu. . . i know only about noon menu
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+ah you see. you have to be in the lingo. i will let you know wot on earth it is when has finished making it!
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+ladies first and genus second k .
+
+now am free call me pa.
+
+"as a valued customer
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+the beauty of life is in next second.. which hides thousands of secrets. i wish every second will be wonderful in ur life...!! gud n8
+
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+7 lor... change 2 suntec... wat time u coming?
+
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+are your freezing ? are you home yet ? will you remember to kiss your mom in the morning? do you love me ? do you think of me ? are you missing me yet ?
+
+probably a couple hours tops
+
+"free nokia or motorola with upto 12mths 1/2price linerental
+gud ni8 dear..slp well..take care..swt dreams..muah..
+
+wife.how she knew the time of murder exactly
+
+how are u? i have missed u! i havent been up 2 much a bit bored with the holiday want 2 go bak 2 college! sad isnt it?xx
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+designation is software developer and may be she get chennai:)
+
+"under the sea
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+"mila
+"themob>hit the link to get a premium pink panther game
+one of best dialogue in cute reltnship..!! \wen i die
+
+"this is the 2nd attempt to contract u
+wait <#> min..
+
+hey tmr meet at bugis 930 ?
+
+mmm thats better now i got a roast down me! i??d b better if i had a few drinks down me 2! good indian?
+
+oh k. . i will come tomorrow
+
+please reserve ticket on saturday eve from chennai to thirunelvali and again from tirunelvali to chennai on sunday eve...i already see in net..no ticket available..i want to book ticket through tackle ..
+
+"ask g or iouri
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+?? bot notes oredi... cos i juz rem i got...
+
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+then just eat a shit and wait for ur monkey face bitch.......... u asshole..................
+
+"solve d case : a man was found murdered on <decimal> . <#> afternoon. 1
+"hmm well
+"alright
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+i tot it's my group mate... lucky i havent reply... wat time do ?_ need to leave...
+
+then i buy.
+
+yoyyooo u know how to change permissions for a drive in mac. my usb flash drive
+
+"xxxmobilemovieclub: to use your credit
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+"a boy loved a gal. he propsd bt she didnt mind. he gv lv lttrs
+the 2 oz guy is being kinda flaky but one friend is interested in picking up $ <#> worth tonight if possible
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+first has she gained more than <#> kg since she took in. second has she done the blood sugar tests. if she has and its ok and her blood pressure is within normal limits then no worries
+
+so its to be poking man everyday that they teach you in canada abi! how are you. just saying hi.
+
+hurt me... tease me... make me cry... but in the end of my life when i die plz keep one rose on my grave and say stupid i miss u.. have a nice day bslvyl
+
+ha ha - had popped down to the loo when you hello-ed me. hello!
+
+ok. every night take a warm bath drink a cup of milk and you'll see a work of magic. you still need to loose weight. just so that you know
+
+at what time should i come tomorrow
+
+i told that am coming on wednesday.
+
+yes :)it completely in out of form:)clark also utter waste.
+
+never y lei... i v lazy... got wat? dat day ?_ send me da url cant work one...
+
+how come?
+
+happy new year princess!
+
+ok... but bag again..
+
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+i dont have any of your file in my bag..i was in work when you called me.i 'll tell you if i find anything in my room.
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+hey what are you doing. y no reply pa..
+
+no * am working on the ringing u thing but have whole houseful of screaming brats so * am pulling my hair out! loving u
+
+no problem with the renewal. i.ll do it right away but i dont know his details.
+
+"upgrdcentre orange customer
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+aathi..where are you dear..
+
+"six chances to win cash! from 100 to 20
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+s s..first time..dhoni rocks...
+
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+many times we lose our best ones bcoz we are
+
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+is that seriously how you spell his name?
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"i'm not coming over
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+he telling not to tell any one. if so treat for me hi hi hi
+
+most of the tiime when i don't let you hug me it's so i don't break into tears.
+
+i dled 3d its very imp
+
+3. you have received your mobile content. enjoy
+
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+ya very nice. . .be ready on thursday
+
+hows my favourite person today? r u workin hard? couldn't sleep again last nite nearly rang u at 4.30
+
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+none of that's happening til you get here though
+
+hey happy birthday...
+
+"when you get free
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+"arngd marriage is while u r walkin unfortuntly a snake bites u. bt love marriage is dancing in frnt of d snake & sayin bite me
+"brainless baby doll..:-d;-)
+"especially since i talk about boston all up in my personal statement
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+my sort code is and acc no is . the bank is natwest. can you reply to confirm i've sent this to the right person!
+
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+hi this is yijue... it's regarding the 3230 textbook it's intro to algorithms second edition... i'm selling it for $50...
+
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+"you are guaranteed the latest nokia phone
+"hi
+why do you ask princess?
+
+you have to pls make a note of all she.s exposed to. also find out from her school if anyone else was vomiting. is there a dog or cat in the house? let me know later.
+
+nothing will ever be easy. but don't be looking for a reason not to take a risk on life and love
+
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+hi dis is yijue i would be happy to work wif ?_ all for gek1510...
+
+then we wait 4 u lor... no need 2 feel bad lar...
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+dear :-/ why you mood off. i cant drive so i brother to drive
+
+did u find a sitter for kaitlyn? i was sick and slept all day yesterday.
+
+reckon need to be in town by eightish to walk from * carpark.
+
+dude sux for snake. he got old and raiden got buff
+
+many more happy returns of the day. i wish you happy birthday.
+
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+shall i come to get pickle
+
+"freemsg hey u
+"you are a ??1000 winner or guaranteed caller prize
+if he started searching he will get job in few days.he have great potential and talent.
+
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+sounds like you have many talents! would you like to go on a dinner date next week?
+
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+"themob> check out our newest selection of content
+fine if that??s the way u feel. that??s the way its gota b
+
+if you have belive me. come to my home.
+
+theyre doing it to lots of places. only hospitals and medical places are safe.
+
+"goal! arsenal 4 (henry
+same to u...
+
+"our mobile number has won ??5000
+welp apparently he retired
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+amazing : if you rearrange these letters it gives the same meaning... dormitory = dirty room astronomer = moon starer the eyes = they see election results = lies lets recount mother-in-law = woman hitler eleven plus two =twelve plus one its amazing... !:-)
+
+fffff. can you text kadeem or are you too far gone
+
+i love u 2 my little pocy bell i am sorry but i love u
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+"500 new mobiles from 2004
+no i am not having not any movies in my laptop
+
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+no. thank you. you've been wonderful
+
+stop calling everyone saying i might have cancer. my throat hurts to talk. i can't be answering everyones calls. if i get one more call i'm not babysitting on monday
+
+"hi babe its chloe
+she.s good. she was wondering if you wont say hi but she.s smiling now. so how are you coping with the long distance
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+"1000's flirting now! txt girl or bloke & ur name & age
+good sleep is about rhythm. the person has to establish a rhythm that the body will learn and use. if you want to know more :-)
+
+is ur paper in e morn or aft tmr?
+
+your account has been refilled successfully by inr <decimal> . your keralacircle prepaid account balance is rs <decimal> . your transaction id is kr <#> .
+
+it vl bcum more difficult..
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+cps is causing the outages to conserve energy.
+
+this pay is <decimal> lakhs:)
+
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+message from . i am at truro hospital on ext. you can phone me here. as i have a phone by my side
+
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+oh wow thats gay. will firmware update help
+
+"cool
+"six chances to win cash! from 100 to 20
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+i know you are. can you pls open the back?
+
+and popping <#> ibuprofens was no help.
+
+when u wana see it then
+
+yeah i don't see why not
+
+"love isn't a decision
+k.i did't see you.:)k:)where are you now?
+
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+arr birthday today:) i wish him to get more oscar.
+
+"can you pls pls send me a mail on all you know about relatives coming to deliver here? all you know about costs
+ok.
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+"six chances to win cash! from 100 to 20
+my sister got placed in birla soft da:-)
+
+omg it could snow here tonite!
+
+cos i was out shopping wif darren jus now n i called him 2 ask wat present he wan lor. then he started guessing who i was wif n he finally guessed darren lor.
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+"i'm eatin now lor
+"yes..but they said its it.
+sday only joined.so training we started today:)
+
+"urgent! your mobile no was awarded a ??2
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+i probably won't eat at all today. i think i'm gonna pop. how was your weekend? did u miss me?
+
+i dont know what to do to come out of this so only am ask questions like this dont mistake me.
+
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+do you know what mallika sherawat did yesterday? find out now @ <url>
+
+"yeah hopefully
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+"alright if you're sure
+they have a thread on the wishlist section of the forums where ppl post nitro requests. start from the last page and collect from the bottom up.
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+"dont search love
+win a ??1000 cash prize or a prize worth ??5000
+
+no calls..messages..missed calls
+
+"sorry
+"think ur smart ? win ??200 this week in our weekly quiz
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+i doubt you could handle 5 times per night in any case...
+
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+hi happy birthday. hi hi hi hi hi hi hi
+
+just wait till end of march when el nino gets himself. oh.
+
+you have 1 new message. please call 08712400200.
+
+i can call in <#> min if thats ok
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"congratulations! thanks to a good friend u have won the ??2
+ok not a problem will get them a taxi. c ing tomorrow and tuesday. on tuesday think we r all going to the cinema.
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+hui xin is in da lib.
+
+"i love you !!! you know? can you feel it? does it make your belly warm? i wish it does
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+so the sun is anti sleep medicine.
+
+\its ur luck to love someone. its ur fortune to love the one who loves u. but
+
+waiting 4 my tv show 2 start lor... u leh still busy doing ur report?
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+do you hide anythiing or keeping distance from me
+
+ugh my leg hurts. musta overdid it on mon.
+
+well welp is sort of a semiobscure internet thing
+
+they are just making it easy to pay back. i have <#> yrs to say but i can pay back earlier. you get?
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+ok... sweet dreams...
+
+okie...
+
+ok i msg u b4 i leave my house.
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+wat r u doing now?
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+why are u up so early?
+
+"happy or sad
+"xmas & new years eve tickets are now on sale from the club
+she's borderline but yeah whatever.
+
+"accordingly. i repeat
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+its like that hotel dusk game i think. you solve puzzles in a area thing
+
+oh. u must have taken your real valentine out shopping first.
+
+quite lor. but dun tell him wait he get complacent...
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+you have 1 new voicemail. please call 08719181513.
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+your brother is a genius
+
+oh howda gud gud.. mathe en samachara chikku:-)
+
+haven't eaten all day. i'm sitting here staring at this juicy pizza and i can't eat it. these meds are ruining my life.
+
+sms. ac sun0819 posts hello:\you seem cool
+
+"i guess you could be as good an excuse as any
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+lol i know! hey someone did a great inpersonation of flea on the forums. i love it!
+
+"den only weekdays got special price... haiz... cant eat liao... cut nails oso muz wait until i finish drivin wat
+kindly send some one to our flat before <decimal> today.
+
+i to am looking forward to all the sex cuddling.. only two more sleeps
+
+just taste fish curry :-p
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+"dear voucher holder
+y bishan lei... i tot ?_ say lavender?
+
+"yo
+kinda. first one gets in at twelve! aah. speak tomo
+
+love that holiday monday feeling even if i have to go to the dentists in an hour
+
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+hello peach! my cake tasts lush!
+
+rightio. 11.48 it is then. well arent we all up bright and early this morning.
+
+hope you are having a great day.
+
+"er yeah
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+its not that time of the month nor mid of the time?
+
+ugh its been a long day. i'm exhausted. just want to cuddle up and take a nap
+
+no it was cancelled yeah baby! well that sounds important so i understand my darlin give me a ring later on this fone love kate x
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"i want some cock! my hubby's away
+new car and house for my parents.:)i have only new job in hand:)
+
+im good! i have been thinking about you...
+
+"yo
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+thanx a lot 4 ur help!
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+yeah jay's sort of a fucking retard
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+will ?_ b going to esplanade fr home?
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+"the guy (kadeem) hasn't been selling since the break
+"hi there
+hey gals.. anyone of u going down to e driving centre tmr?
+
+ok ill send you with in <decimal> ok.
+
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+call freephone 0800 542 0578 now!
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+i'm sorry. i've joined the league of people that dont keep in touch. you mean a great deal to me. you have been a friend at all times even at great personal cost. do have a great week.|
+
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+"as a valued customer
+spoons it is then okay?
+
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+mmmm ... fuck ... not fair ! you know my weaknesses ! *grins* *pushes you to your knee's* *exposes my belly and pulls your head to it* don't forget ... i know yours too *wicked smile*
+
+"eerie nokia tones 4u
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+left dessert. u wan me 2 go suntec look 4 u?
+
+"after my work ah... den 6 plus lor... u workin oso rite... den go orchard lor
+you will go to walmart. i.ll stay.
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+"when you just put in the + sign
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"feb <#> is \i love u\"" day. send dis to all ur \""valued frnds\"" evn me. if 3 comes back u'll gt married d person u luv! if u ignore dis u will lose ur luv 4 evr"""
+
+oh is it? send me the address
+
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
+die... now i have e toot fringe again...
+
+long after i quit. i get on only like 5 minutes a day as it is.
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+meeting u is my work. . . tel me when shall i do my work tomorrow
+
+i think that tantrum's finished so yeah i'll be by at some point
+
+"wow. i never realized that you were so embarassed by your accomodations. i thought you liked it
+"i'm nt goin
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+"just sent again. do you scream and moan in bed
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+v nice! off 2 sheffield tom 2 air my opinions on categories 2 b used 2 measure ethnicity in next census. busy transcribing. :-)
+
+hi its kate can u give me a ring asap xxx
+
+"yeah
+this is ur face test ( 1 2 3 4 5 6 7 8 9 <#> ) select any number i will tell ur face astrology.... am waiting. quick reply...
+
+u don't remember that old commercial?
+
+"spjanuary male sale! hot gay chat now cheaper
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+shall i start from hear.
+
+no we sell it all so we'll have tons if coins. then sell our coins to someone thru paypal. voila! money back in life pockets:)
+
+msgs r not time pass.they silently say that i am thinking of u right now and also making u think of me at least 4 a moment. gd nt.swt drms
+
+"mila
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+i'll reach in ard 20 mins ok...
+
+i am sorry it hurt you.
+
+"yeah we wouldn't leave for an hour at least
+88066 from 88066 lost 3pound help
+
+"\hi darlin did youphone me? im athome if youwanna chat.\"""""
+
+waiting in e car 4 my mum lor. u leh? reach home already?
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+yo we are watching a movie on netflix
+
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+ok. she'll be ok. i guess
+
+"give her something to drink
+he's an adult and would learn from the experience. there's no real danger. i just dont like peeps using drugs they dont need. but no comment
+
+yes:)from last week itself i'm taking live call.
+
+no need lar i go engin? cos my sis at arts today...
+
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+i'm also came to room.
+
+no message..no responce..what happend?
+
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+100 dating service cal;l 09064012103 box334sk38ch
+
+how many licks does it take to get to the center of a tootsie pop?
+
+if you're thinking of lifting me one then no.
+
+"thanks for your ringtone order
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"\hey babe! far 2 spun-out 2 spk at da mo... dead 2 da wrld. been sleeping on da sofa all day tx 4 fonin hon call 2mwen im bk frmcloud 9! j x\"""""
+
+i tot u reach liao. he said t-shirt.
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+so there's a ring that comes with the guys costumes. it's there so they can gift their future yowifes. hint hint
+
+ok lor...
+
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+thnx dude. u guys out 2nite?
+
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+do well :)all will for little time. thing of good times ahead:
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+hey do you want anything to buy:)
+
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+"thanks for your ringtone order
+i don't know jack shit about anything or i'd say/ask something helpful but if you want you can pretend that i did and just text me whatever in response to the hypotheticalhuagauahahuagahyuhagga
+
+sounds great! im going to sleep now. have a good night!
+
+"buzz! hey
+"do you ever notice that when you're driving
+i cant pick the phone right now. pls send a message
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"so many people seems to be special at first sight
+no got new job at bar in airport on satsgettin 4.47per hour but means no lie in! keep in touch
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+you have 1 new message. call 0207-083-6089
+
+"urgent! your mobile no was awarded a ??2
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+"congratulations - thanks to a good friend u have won the ??2
+when you are big..| god will bring success.
+
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+oh ho. is this the first time u use these type of words
+
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+i got it before the new year cos yetunde said she wanted to surprise you with it but when i didnt see money i returned it mid january before the <#> day return period ended.
+
+done it but internet connection v slow and can???t send it. will try again later or first thing tomo.
+
+"cool
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+i hate when she does this. she turns what should be a fun shopping trip into an annoying day of how everything would look in her house.
+
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+"do you know why god created gap between your fingers..? so that
+how are you babes. hope your doing ok. i had a shit nights sleep. i fell asleep at 5.i??m knackered and i??m dreading work tonight. what are thou upto tonight. x
+
+"mila
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+"just looked it up and addie goes back monday
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+i am in hospital da. . i will return home in evening
+
+"orange brings you ringtones from all time chart heroes
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+yes i will be there. glad you made it.
+
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"sorry
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+what's a feathery bowa? is that something guys have that i don't know about?
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066
+
+"free nokia or motorola with upto 12mths 1/2price linerental
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+"you are guaranteed the latest nokia phone
+pls what's the full name of joke's school cos fees in university of florida seem to actually be <#> k. pls holla back
+
+"sorry man
+yeah do! don???t stand to close tho- you???ll catch something!
+
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+omg if its not one thing its another. my cat has worms :/ when does this bad day end?
+
+guai... ?? shd haf seen him when he's naughty... ?? so free today? can go jogging...
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+dunno lei he neva say...
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+great princess! i love giving and receiving oral. doggy style is my fave position. how about you? i enjoy making love <#> times per night :)
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+hope you are having a great new semester. do wish you the very best. you are made for greatness.
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+i know! grumpy old people. my mom was like you better not be lying. then again i am always the one to play jokes...
+
+if anyone calls for a treadmill say you'll buy it. make sure its working. i found an ad on craigslist selling for $ <#> .
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+i dunno they close oredi not... ?? v ma fan...
+
+ha! i wouldn't say that i just didn't read anything into way u seemed. i don't like 2 be judgemental....i save that for fridays in the pub!
+
+"new tones this week include: 1)mcfly-all ab..
+and do you have any one that can teach me how to ship cars.
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+"yeah
+nope... c ?_ then...
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+"oh yes
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+"* was a nice day and
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+gud ni8 dear..slp well..take care..swt dreams..muah..
+
+"mila
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+have you emigrated or something? ok maybe 5.30 was a bit hopeful...
+
+the world's most happiest frnds never have the same characters... dey just have the best understanding of their differences...
+
+hope this text meets you smiling. if not then let this text give you a reason to smile. have a beautiful day.
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+"hello
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+"free nokia or motorola with upto 12mths 1/2price linerental
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+how long does it take to get it.
+
+"urgent! you have won a 1 week free membership in our ??100
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+"you are being contacted by our dating service by someone you know! to find out who it is
+i wish things were different. i wonder when i will be able to show you how much i value you. pls continue the brisk walks no drugs without askin me please and find things to laugh about. i love you dearly.
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+"download as many ringtones as u like no restrictions
+"hey chief
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+"sorry
+cool. we will have fun practicing making babies!
+
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+"fuck babe ... i miss you already
+lol. well quality aint bad at all so i aint complaining
+
+then u drive lor.
+
+"as a valued customer
+i.ll hand her my phone to chat wit u
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+yeah that's the impression i got
+
+"your account has been credited with 500 free text messages. to activate
+"as a valued customer
+thank god they are in bed!
+
+just sent it. so what type of food do you like?
+
+"sms services. for your inclusive text credits
+"xxxmobilemovieclub: to use your credit
+dunno y u ask me.
+
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+u're welcome... caught u using broken english again...
+
+what you need. you have a person to give na.
+
+are you ok. what happen to behave like this
+
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+"dear voucher holder
+"orange customer
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+r we still meeting 4 dinner tonight?
+
+dnt worry...use ice pieces in a cloth pack.also take 2 tablets.
+
+pls clarify back if an open return ticket that i have can be preponed for me to go back to kerala.
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+i'm turning off my phone. my moms telling everyone i have cancer. and my sister won't stop calling. it hurts to talk. can't put up with it. see u when u get home. love u
+
+i dunno lei... like dun haf...
+
+"ou are guaranteed the latest nokia phone
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
+does she usually take fifteen fucking minutes to respond to a yes or no question
+
+sad story of a man - last week was my b'day. my wife did'nt wish me. my parents forgot n so did my kids . i went to work. even my colleagues did not wish.
+
+88800 and 89034 are premium phone services call 08718711108
+
+"fighting with the world is easy
+aiyo a bit pai seh ?_ noe... scared he dun rem who i am then die... hee... but he become better lookin oredi leh...
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+beautiful truth : expression of the face could be seen by everyone... but the depression of heart could be understood only by the loved ones.. gud ni8;-)
+
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+"think i might have to give it a miss. am teaching til twelve
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+nutter. cutter. ctter. cttergg. cttargg. ctargg. ctagg. ie you
+
+"sorry my roommates took forever
+"urgent ur awarded a complimentary trip to eurodisinc trav
+thought we could go out for dinner. i'll treat you! seem ok?
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"<#> %of pple marry with their lovers... becz they hav gud undrstndng dat avoids problems. i sent dis 2 u
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+or i guess <#> min
+
+no problem. we will be spending a lot of quality time together...
+
+men like shorter ladies. gaze up into his eyes.
+
+okay same with me. well thanks for the clarification
+
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+gokila is talking with you aha:)
+
+"although i told u dat i'm into baig face watches now but i really like e watch u gave cos it's fr u. thanx 4 everything dat u've done today
+whos this am in class:-)
+
+"urgent! your mobile no 077xxx won a ??2
+you call him and tell now infront of them. call him now.
+
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+detroit. the home of snow. enjoy it.
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+i think the other two still need to get cash but we can def be ready by 9
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+"six chances to win cash! from 100 to 20
+can ?_ send me a copy of da report?
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+thanks for your message. i really appreciate your sacrifice. i'm not sure of the process of direct pay but will find out on my way back from the test tomorrow. i'm in class now. do have a wonderful day.
+
+good. no swimsuit allowed :)
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+oops i thk i dun haf enuff... i go check then tell ?_..
+
+can ?_ all decide faster cos my sis going home liao..
+
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+good night. am going to sleep.
+
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+can you use foreign stamps for whatever you send them off for?
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+jesus armand really is trying to tell everybody he can find
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+eh u remember how 2 spell his name... yes i did. he v naughty make until i v wet.
+
+"that's fine
+a little. meds say take once every 8 hours. it's only been 5 but pain is back. so i took another. hope i don't die
+
+"ya ok
+"text82228>> get more ringtones
+let's pool our money together and buy a bunch of lotto tickets. if we win i get <#> % u get <#> %. deal?
+
+"\alrite hunny!wot u up 2 2nite? didnt end up goin down town jus da pub instead! jus chillin at da mo in me bedroom!love jen xxx.\"""""
+
+customer place i will call you.
+
+nothing lor... a bit bored too... then y dun u go home early 2 sleep today...
+
+"sorry to trouble u again. can buy 4d for my dad again? 1405
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+umma. did she say anything
+
+ok. so april. cant wait
+
+"carlos is down but i have to pick it up from him
+"g says you never answer your texts
+let me know how it changes in the next 6hrs. it can even be appendix but you are out of that age range. however its not impossible. so just chill and let me know in 6hrs
+
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+"sorry vikky
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+tmr then ?_ brin lar... aiya later i come n c lar... mayb ?_ neva set properly ?_ got da help sheet wif ?_...
+
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+"sms. ac jsco: energy is high
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+"almost there
+as per your request 'maangalyam (alaipayuthe)' has been set as your callertune for all callers. press *9 to copy your friends callertune
+
+i have a rather prominent bite mark on my right cheek
+
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+so lets make it saturday or monday as per convenience.
+
+not planned yet :)going to join company on jan 5 only.don know what will happen after that.
+
+"you know
+"sms. ac jsco: energy is high
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+what???? hello wats talks email address?
+
+"\hi missed your call and my mumhas beendropping red wine all over theplace! what is your adress?\"""""
+
+hi its kate how is your evening? i hope i can see you tomorrow for a bit but i have to bloody babyjontet! txt back if u can. :) xxx
+
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+but i'll b going 2 sch on mon. my sis need 2 take smth.
+
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+just woke up. yeesh its late. but i didn't fall asleep til <#> am :/
+
+she's good. how are you. where r u working now
+
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+"500 new mobiles from 2004
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+you unbelievable faglord
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+where are the garage keys? they aren't on the bookshelf
+
+"january male sale! hot gay chat now cheaper
+aiyah then i wait lor. then u entertain me. hee...
+
+"good morning
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+"get 3 lions england tone
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+ringtone club: gr8 new polys direct to your mobile every week !
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+msg me when rajini comes.
+
+i'm going for bath will msg you next <#> min..
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+aww that's the first time u said u missed me without asking if i missed u first. you do love me! :)
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+ok. no wahala. just remember that a friend in need ...
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+huh means computational science... y they like dat one push here n there...
+
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+that's significant but dont worry.
+
+how are you enjoying this semester? take care brother.
+
+are you happy baby ? are you alright ? did you take that job ? i hope your fine. i send you a kiss to make you smile from across the sea ... *kiss* *kiss*
+
+if you text on your way to cup stop that should work. and that should be bus
+
+love it! daddy will make you scream with pleasure! i am going to slap your ass with my dick!
+
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+k.i will send in <#> min:)
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+"watching cartoon
+miserable. they don't tell u that the side effects of birth control are massive gut wrenching cramps for the first 2 months. i didn't sleep at all last night.
+
+* am on a train back from northampton so i'm afraid not!
+
+"'wnevr i wana fal in luv vth my books
+g.w.r
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+"moon has come to color your dreams
+if you don't respond imma assume you're still asleep and imma start calling n shit
+
+how much for an eighth?
+
+babe !!! i miiiiiiissssssssss you ! i need you !!! i crave you !!! :-( ... geeee ... i'm so sad without you babe ... i love you ...
+
+excellent. i spent <#> years in the air force. iraq and afghanistan. i am stable and honest. do you like traveling?
+
+"xmas offer! latest motorola
+"say this slowly.? god
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+"you are guaranteed the latest nokia phone
+money i have won wining number 946 wot do i do next
+
+i'm good. have you registered to vote?
+
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+"hi. wk been ok - on hols now! yes on for a bit of a run. forgot that i have hairdressers appointment at four so need to get home n shower beforehand. does that cause prob for u?"
+
+at home watching tv lor.
+
+i am going to bed now prin
+
+thanx 4 e brownie it's v nice...
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+am i that much dirty fellow?
+
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+dear how is chechi. did you talk to her
+
+rct' thnq adrian for u text. rgds vatian
+
+you lifted my hopes with the offer of money. i am in need. especially when the end of the month approaches and it hurts my studying. anyways have a gr8 weekend
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
+ringtone club: gr8 new polys direct to your mobile every week !
+
+oh :-)only 4 outside players allowed to play know
+
+"orange brings you ringtones from all time chart heroes
+"congratulations - thanks to a good friend u have won the ??2
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+sat right? okay thanks...
+
+"5 free top polyphonic tones call 087018728737
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+do we have any spare power supplies
+
+"wait
+but you dint in touch with me.
+
+heehee that was so funny tho
+
+?? called dad oredi...
+
+"\can i please come up now imin town.dontmatter if urgoin outl8r u no thecd isv.important tome 4 2moro\"""""
+
+mmmmmmm *snuggles into you* ...*deep contented sigh* ... *whispers* ... i fucking love you so much i can barely stand it ...
+
+think + da. you wil do.
+
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+so do you have samus shoulders yet
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+"hey ! i want you ! i crave you ! i miss you ! i need you ! i love you
+"k i'm leaving soon
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+my love ! how come it took you so long to leave for zaher's? i got your words on ym and was happy to see them but was sad you had left. i miss you
+
+"ok omw now
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+hahaha..use your brain dear
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+well you told others you'd marry them...
+
+"aight
+"mila
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+not course. only maths one day one chapter with in one month we can finish.
+
+ok then i will come to ur home after half an hour
+
+you are a very very very very bad girl. or lady.
+
+"lol
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+ok u can take me shopping when u get paid =d
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+cant think of anyone with * spare room off * top of my head
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+mm feeling sleepy. today itself i shall get that dear
+
+"hi hope u r both ok
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+if you ask her or she say any please message.
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+"xxxmobilemovieclub: to use your credit
+ok no prob... i'll come after lunch then...
+
+"\hi its kate it was lovely to see you tonight and ill phone you tomorrow. i got to sing and a guy gave me his card! xxx\"""""
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+tell rob to mack his gf in the theater
+
+you were supposed to wake me up >:(
+
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+no plm i will come da. on the way.
+
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+howz that persons story
+
+actually getting ready to leave the house.
+
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+anything lor. juz both of us lor.
+
+shuhui has bought ron's present it's a swatch watch...
+
+k..k..any special today?
+
+sms. ac sun0819 posts hello:\you seem cool
+
+k..k..i'm also fine:)when will you complete the course?
+
+s.s:)i thinl role is like sachin.just standing. others have to hit.
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+good morning princess! how are you?
+
+i'm really not up to it still tonight babe
+
+oh oh... den muz change plan liao... go back have to yan jiu again...
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+"i've got ten bucks
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+i want to tel u one thing u should not mistake me k this is the message that you sent:)
+
+"it's cool
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+"hi
+hi baby ive just got back from work and i was wanting to see u allday! i hope i didnt piss u off on the phone today. if u are up give me a call xxx
+
+got it! it looks scrumptious... daddy wants to eat you all night long!
+
+"i wake up long ago already... dunno
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+k. i will sent it again
+
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"good afternoon
+ok. me watching tv too.
+
+in life when you face choices just toss a coin not becoz its settle the question but while the coin in the air u will know what your heart is hoping for. gudni8
+
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+thats cool. how was your day?
+
+merry christmas to u too annie!
+
+k:)i will give my kvb acc details:)
+
+i am not at all happy with what you saying or doing
+
+u coming back 4 dinner rite? dad ask me so i re confirm wif u...
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+not thought bout it... || drink in tap & spile at seven. || is that pub on gas st off broad st by canal. || ok?
+
+"sorry
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+yupz... i've oredi booked slots 4 my weekends liao...
+
+it does it on its own. most of the time it fixes my spelling. but sometimes it gets a completely diff word. go figure
+
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+you can jot down things you want to remember later.
+
+like a personal sized or what
+
+nope... juz off from work...
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+hi harish's rent has been transfred to ur acnt.
+
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+"somewhr someone is surely made 4 u. and god has decided a perfect time to make u meet dat person. . . . till den
+if i get there before you after your ten billion calls and texts so help me god
+
+for real when u getting on yo? i only need 2 more tickets and one more jacket and i'm done. i already used all my multis.
+
+i'm in a movie... collect car oredi...
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+guess who spent all last night phasing in and out of the fourth dimension
+
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+tiwary to rcb.battle between bang and kochi.
+
+"please protect yourself from e-threats. sib never asks for sensitive information like passwords
+i'm sick !! i'm needy !! i want you !! *pouts* *stomps feet* where are you ?! *pouts* *stomps feet* i want my slave !! i want him now !!
+
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+hey... are you going to quit soon? xuhui and i working till end of the month
+
+i am on the way to tirupur.
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+"thanx. yup we coming back on sun. finish dinner going back 2 hotel now. time flies
+2/2 146tf150p
+
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+"get 3 lions england tone
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+"if you don't
+hi dear call me its urgnt. i don't know whats your problem. you don't want to work or if you have any other problem at least tell me. wating for your reply.
+
+"i haven't forgotten you
+1 i don't have her number and 2 its gonna be a massive pain in the ass and i'd rather not get involved if that's possible
+
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+"all the lastest from stereophonics
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+make sure alex knows his birthday is over in fifteen minutes as far as you're concerned
+
+";-( oh well
+in e msg jus now. u said thanks for gift.
+
+"bears pic nick
+"i'm not sure
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+"text82228>> get more ringtones
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+am on a train back from northampton so i'm afraid not! i'm staying skyving off today ho ho! will be around wednesday though. do you fancy the comedy club this week by the way?
+
+where at were hungry too
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+send his number and give reply tomorrow morning for why you said that to him like that ok
+
+"urgh
+you have 1 new message. please call 08718738034.
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+watching tv now. i got new job :)
+
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+"accordingly. i repeat
+lol well don't do it without me. we could have a big sale together.
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+hey gals...u all wanna meet 4 dinner at n??te?
+
+"uncle g
+are you going to wipro interview today?
+
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"freemsg you have been awarded a free mini digital camera
+those cocksuckers. if it makes you feel better ipads are worthless garbage novelty items and you should feel bad for even wanting one
+
+"my life means a lot to me
+desires- u going to doctor 4 liver. and get a bit stylish. get ur hair managed. thats it.
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+an excellent thought by a misundrstud frnd: i knw u hate me bt the day wen u'll knw the truth u'll hate urself:-( gn:-)
+
+bring home some wendy =d
+
+"4 tacos + 1 rajas burrito
+"urgent urgent! we have 800 free flights to europe to give away
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+"shop till u drop
+"sorry
+hai ana tomarrow am coming on morning. <decimal> ill be there in sathy then we ll go to rto office. reply me after came to home.
+
+"spjanuary male sale! hot gay chat now cheaper
+pls help me tell ashley that i cant find her number oh
+
+well that must be a pain to catch
+
+no current and food here. i am alone also
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+"urgent! your mobile no 077xxx won a ??2
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+hmm .. bits and pieces lol ... *sighs* ...
+
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+draw va?i dont think so:)
+
+argh why the fuck is nobody in town ;_;
+
+i am late. i will be there at
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+hmm...my uncle just informed me that he's paying the school directly. so pls buy food.
+
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+boooo you always work. just quit.
+
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+* was thinking about chuckin ur red green n black trainners 2 save carryin them bac on train
+
+ringtoneking 84484
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+"urgent! your mobile no *********** won a ??2
+what i meant to say is cant wait to see u again getting bored of this bridgwater banter
+
+do u konw waht is rael friendship im gving yuo an exmpel: jsut ese tihs msg.. evrey splleing of tihs msg is wrnog.. bt sitll yuo can raed it wihtuot ayn mitsake.. goodnight & have a nice sleep..sweet dreams..
+
+"hello from orange. for 1 month's free access to games
+life style garments account no please.
+
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+"freemsg you have been awarded a free mini digital camera
+"double mins & 1000 txts on orange tariffs. latest motorola
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+"k
+wat time r ?_ going to xin's hostel?
+
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+oh just getting even with u.... u?
+
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+"no
+lol! u drunkard! just doing my hair at d moment. yeah still up 4 tonight. wats the plan?
+
+realy sorry-i don't recognise this number and am now confused :) who r u please?!
+
+"new mobiles from 2004
+"44 7732584351
+"sir
+"complimentary 4 star ibiza holiday or ??10
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+wot u wanna do then missy?
+
+3. you have received your mobile content. enjoy
+
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+"my life means a lot to me
+"upgrdcentre orange customer
+mm not entirely sure i understood that text but hey. ho. which weekend?
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+"mmmmm ... it was sooooo good to wake to your words this morning
+can you pls send me that company name. in saibaba colany
+
+have you finished work yet? :)
+
+"thanks for your ringtone order
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+"welcome to select
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+yeah confirmed for you staying at that weekend
+
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+so how's the weather over there?
+
+you said not now. no problem. when you can. let me know.
+
+"xxxmobilemovieclub: to use your credit
+great. p diddy is my neighbor and comes for toothpaste every morning
+
+actually i'm waiting for 2 weeks when they start putting ad.
+
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+"cool
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+stop knowing me so well!
+
+k i'll take care of it
+
+"aiyo... u always c our ex one... i dunno abt mei
+k.k.how is your business now?
+
+how do you plan to manage that
+
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+hiya. how was last night? i've been naughty and bought myself clothes and very little ... ready for more shopping tho! what kind of time do you wanna meet?
+
+hi! you just spoke to maneesha v. we'd like to know if you were satisfied with the experience. reply toll free with yes or no.
+
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+thx. all will be well in a few months
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+nvm take ur time.
+
+you only hate me. you can call any but you didnt accept even a single call of mine. or even you messaged
+
+lol! nah wasn't too bad thanks. its good to b home but its been quite a reality check. hows ur day been? did u do anything with website?
+
+do have a nice day today. i love you so dearly.
+
+"hi
+"your account has been credited with 500 free text messages. to activate
+do u think that any girl will propose u today by seing ur bloody funky shit fucking face...............asssssholeeee................
+
+"six chances to win cash! from 100 to 20
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+oh my god. i'm almost home
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+do you work all this week ?
+
+"themob>hit the link to get a premium pink panther game
+never blame a day in ur life. good days give u happiness. bad days give u experience. both are essential in life! all are gods blessings! good morning.:
+
+"we have sent jd for customer service cum accounts executive to ur mail id
+he like not v shock leh. cos telling shuhui is like telling leona also. like dat almost all know liao. he got ask me abt ur reaction lor.
+
+meanwhile in the shit suite: xavier decided to give us <#> seconds of warning that samantha was coming over and is playing jay's guitar to impress her or some shit. also i don't think doug realizes i don't live here anymore
+
+i'm coming back on thursday. yay. is it gonna be ok to get the money. cheers. oh yeah and how are you. everything alright. hows school. or do you call it work now
+
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+we will meet soon princess! ttyl!
+
+dhoni have luck to win some big title.so we will win:)
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+88800 and 89034 are premium phone services call 08718711108
+
+i think you should go the honesty road. call the bank tomorrow. its the tough decisions that make us great people.
+
+"huh... hyde park not in mel ah
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+check wid corect speling i.e. sarcasm
+
+"hello. no news on job
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+hi msg me:)i'm in office..
+
+mm you ask him to come its enough :-)
+
+my sister cleared two round in birla soft yesterday.
+
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+"good afternoon
+"dear matthew please call 09063440451 from a landline
+thanks for picking up the trash.
+
+"dear
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+host-based idps for linux systems.
+
+"abeg
+might ax well im there.
+
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+kay... since we are out already
+
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+thanx a lot...
+
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+u wan 2 haf lunch i'm in da canteen now.
+
+"aiyo... her lesson so early... i'm still sleepin
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+alright i have a new goal now
+
+"hey sexy buns ! have i told you ? i adore you
+how i noe... she's in da car now... later then c lar... i'm wearing shorts...
+
+"wiskey brandy rum gin beer vodka scotch shampain wine \kudi\""yarasu dhina vaazhthukkal. .."""
+
+lol no. u can trust me.
+
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+"i am real
+thats cool. i am a gentleman and will treat you with dignity and respect.
+
+going on nothing great.bye
+
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+"well am officially in a philosophical hole
+i emailed yifeng my part oredi.. can ?_ get it fr him..
+
+ok i shall talk to him
+
+great! so what attracts you to the brothas?
+
+thts wat wright brother did to fly..
+
+"if you don't
+my house here e sky quite dark liao... if raining then got excuse not 2 run already rite... hee...
+
+want to send me a virtual hug?... i need one
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+"dear voucher holder
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+"urgent
+good night my dear.. sleepwell&take care
+
+o. well uv causes mutations. sunscreen is like essential thesedays
+
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+s.i'm watching it in live..
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+i'm at bruce & fowler now but i'm in my mom's car so i can't park (long story)
+
+"spjanuary male sale! hot gay chat now cheaper
+"new mobiles from 2004
+nope. i just forgot. will show next week
+
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+love you aathi..love u lot..
+
+"feb <#> is \i love u\"" day. send dis to all ur \""valued frnds\"" evn me. if 3 comes back u'll gt married d person u luv! if u ignore dis u will lose ur luv 4 evr"""
+
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+oh ok wait 4 me there... my lect havent finish
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+rct' thnq adrian for u text. rgds vatian
+
+wishing you a wonderful week.
+
+what you doing?how are you?
+
+i was slept that time.you there?
+
+hey you can pay. with salary de. only <#> .
+
+hope you??re not having too much fun without me!! see u tomorrow love jess x
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+"your account has been credited with 500 free text messages. to activate
+my slave! i want you to take 2 or 3 pictures of yourself today in bright light on your cell phone! bright light!
+
+r u saying i should re order the slippers cos i had to pay for returning it.
+
+yup ok thanx...
+
+how's ur paper?
+
+"i just lov this line: \hurt me with the truth i wil tolerat.bcs ur my someone..... but never comfort me with a lie\"" gud ni8 and sweet dreams"""
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+a pure hearted person can have a wonderful smile that makes even his/her enemies to feel guilty for being an enemy.. so catch the world with your smile..:) goodmorning & have a smiley sunday..:)
+
+"dear voucher holder
+"january male sale! hot gay chat now cheaper
+"welcome to select
+"sorry
+my birthday is on feb <#> da. .
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+"k
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+easy ah?sen got selected means its good..
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+ok....take care.umma to you too...
+
+wylie update: my weed dealer carlos went to freedom and had a class with lunsford
+
+"get 3 lions england tone
+"thanks for your ringtone order
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+message:some text missing* sender:name missing* *number missing *sent:date missing *missing u a lot thats y everything is missing sent via fullonsms.com
+
+"you have won ?1
+"aight
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+cos darren say ?_ considering mah so i ask ?_...
+
+nokia phone is lovly..
+
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+"playin space poker
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+shuhui say change 2 suntec steamboat? u noe where? where r u now?
+
+ill call you evening ill some ideas.
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+i think i am disturbing her da
+
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+which channel:-):-):):-).
+
+pandy joined 4w technologies today.he got job..
+
+"hi
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+awww dat is sweet! we can think of something to do he he! have a nice time tonight ill probably txt u later cos im lonely :( xxx.
+
+i cant pick the phone right now. pls send a message
+
+"freemsg you have been awarded a free mini digital camera
+"depends on quality. if you want the type i sent boye
+hey you told your name to gautham ah?
+
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+how i noe... did ?_ specify da domain as nusstu... ?? still in sch...
+
+hey gorgeous man. my work mobile number is. have a good one babe. squishy mwahs.
+
+delhi and chennai still silent.
+
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"urgent! your mobile no *********** won a ??2
+gain the rights of a wife.dont demand it.i am trying as husband too.lets see
+
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+on the road so cant txt
+
+usually the body takes care of it buy making sure it doesnt progress. can we pls continue this talk on saturday.
+
+hi darlin its kate are u up for doin somethin tonight? im going to a pub called the swan or something with my parents for one drink so phone me if u can
+
+can i get your opinion on something first?
+
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+okie.. thanx..
+
+what * u wearing?
+
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+"twinks
+hey... very inconvenient for your sis a not huh?
+
+so u wan 2 come for our dinner tonight a not?
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+"good afternoon
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+yar lor actually we quite fast... cos da ge slow wat... haha...
+
+yar he quite clever but aft many guesses lor. he got ask me 2 bring but i thk darren not so willing 2 go. aiya they thk leona still not attach wat.
+
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+"tunde
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+need a coffee run tomo?can't believe it's that time of week already
+
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+"doing nothing
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+but i dint slept in afternoon.
+
+ok lor. i'm in town now lei.
+
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+"you are guaranteed the latest nokia phone
+"get 3 lions england tone
+what happen to her tell the truth
+
+no. i dont want to hear anything
+
+just buy a pizza. meat lovers or supreme. u get to pick.
+
+exactly. anyways how far. is jide her to study or just visiting
+
+then we gotta do it after that
+
+k and you're sure i don't have to have consent forms to do it :v
+
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+i wish that i was with you. holding you tightly. making you see how important you are. how much you mean to me ... how much i need you ... in my life ...
+
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+what u mean u almost done? done wif sleeping? but i tot u going to take a nap.. yup i send her liao so i'm picking her up at ard 4 smth lor..
+
+"call me when you/carlos is/are here
+sounds better than my evening im just doing my costume. im not sure what time i finish tomorrow but i will txt you at the end.
+
+just finished. missing you plenty
+
+see you there!
+
+"freemsg you have been awarded a free mini digital camera
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+"it's wylie
+"haha get used to driving to usf man
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+i am thinking of going down to reg for pract lessons.. flung my advance.. haha wat time u going?
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+i can make lasagna for you... vodka...
+
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+this is hoping you enjoyed your game yesterday. sorry i've not been in touch but pls know that you are fondly bein thot off. have a great week. abiola
+
+"ooh
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+he remains a bro amongst bros
+
+how tall are you princess?
+
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+yeah sure thing mate haunt got all my stuff sorted but im going sound anyway promoting hex for .by the way who is this? dont know number. joke
+
+"k
+y ?_ wan to go there? c doctor?
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+"hmm ok
+you have 1 new voicemail. please call 08719181503
+
+send me your resume:-)
+
+ok.
+
+k still are you loving me.
+
+yo you guys ever figure out how much we need for alcohol? jay and i are trying to figure out how much we can safely spend on weed
+
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+jade its paul. y didn??t u txt me? do u remember me from barmed? i want 2 talk 2 u! txt me
+
+you have 1 new voicemail. please call 08719181513.
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+i want to lick your pussy now...
+
+"hey there babe
+"cmon babe
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+nothing. can...
+
+yup i thk cine is better cos no need 2 go down 2 plaza mah.
+
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+am not interested to do like that.
+
+"sorry
+chk in ur belovd ms dict
+
+"hello darling how are you today? i would love to have a chat
+how would my ip address test that considering my computer isn't a minecraft server
+
+"urgent! you have won a 1 week free membership in our ??100
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+i dont know exactly could you ask chechi.
+
+was actually about to send you a reminder today. have a wonderful weekend
+
+onum ela pa. normal than.
+
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+it's justbeen overa week since we broke up and already our brains are going to mush!
+
+"loan for any purpose ??500 - ??75
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+"wow. you're right! i didn't mean to do that. i guess once i gave up on boston men and changed my search location to nyc
+call to the number which is available in appointment. and ask to connect the call to waheed fathima.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+i can??t wait for cornwall. hope tonight isn??t too bad as well but it??s rock night shite. anyway i??m going for a kip now have a good night. speak to you soon.
+
+you have 1 new message. please call 08712400200.
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+i miss you so much i'm so desparate i have recorded the message you left for me the other day and listen to it just to hear the sound of your voice. i love you
+
+she's fine. good to hear from you. how are you my dear? happy new year oh.
+
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+i will come with karnan car. please wait till 6pm will directly goto doctor.
+
+i've reached already.
+
+"welcome to select
+did u find out what time the bus is at coz i need to sort some stuff out.
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+"hi this is amy
+no message..no responce..what happend?
+
+nothin comes to my mind. ?? help me buy hanger lor. ur laptop not heavy?
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+maybe you should find something else to do instead???
+
+"honey ? sweetheart ? darling ? sexy buns ? sugar plum ? loverboy ? i miss you
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+no de.am seeing in online shop so that i asked.
+
+"the affidavit says <#> e twiggs st
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+i dont thnk its a wrong calling between us
+
+great! i shoot big loads so get ready!
+
+ya very nice. . .be ready on thursday
+
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+ranjith cal drpd deeraj and deepak 5min hold
+
+hi there. we have now moved in2 our pub . would be great 2 c u if u cud come up.
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+i wont get concentration dear you know you are my mind and everything :-)
+
+unni thank you dear for the recharge..rakhesh
+
+dai what this da.. can i send my resume to this id.
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+mathews or tait or edwards or anderson
+
+hey company elama po mudyadhu.
+
+from someone not to smoke when every time i've smoked in the last two weeks is because of you calling or texting me that you wanted to smoke
+
+"romantic paris. 2 nights
+ringtone club: gr8 new polys direct to your mobile every week !
+
+lol ... i really need to remember to eat when i'm drinking but i do appreciate you keeping me company that night babe *smiles*
+
+hey so this sat are we going for the intro pilates only? or the kickboxing too?
+
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+i meant as an apology from me for texting you to get me drugs at <#> at night
+
+"hi there
+ok. but i finish at 6.
+
+"lol ... oh no babe
+"sorry
+but i'm on a diet. and i ate 1 too many slices of pizza yesterday. ugh i'm always on a diet.
+
+"lol .. *grins* .. i'm not babe
+"come around <decimal> pm vikky..i'm otside nw
+ok.
+
+"7 wonders in my world 7th you 6th ur style 5th ur smile 4th ur personality 3rd ur nature 2nd ur sms and 1st \ur lovely friendship\""... good morning dear"""
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
+just sleeping..and surfing
+
+"\speak only when you feel your words are better than the silence...\"" gud mrng:-)"""
+
+also fuck you and your family for going to rhode island or wherever the fuck and leaving me all alone the week i have a new bong >:(
+
+it's really getting me down just hanging around.
+
+ok i am on the way to railway
+
+then its most likely called mittelschmertz. google it. if you dont have paracetamol dont worry it will go.
+
+"excellent
+k...k...when will you give treat?
+
+\yeh i am def up4 something sat
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+"hello.how u doing?what u been up 2?when will u b moving out of the flat
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+ya but it cant display internal subs so i gotta extract them
+
+to day class is there are no class.
+
+i could ask carlos if we could get more if anybody else can chip in
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+"yes
+was doing my test earlier. i appreciate you. will call you tomorrow.
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+"january male sale! hot gay chat now cheaper
+tell your friends what you plan to do on valentines day @ <url>
+
+ringtone club: gr8 new polys direct to your mobile every week !
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+"hey elaine
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+i was just callin to say hi. take care bruv!
+
+yo im right by yo work
+
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+"six chances to win cash! from 100 to 20
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+"goodmorning
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+jay's getting really impatient and belligerent
+
+long beach lor. expected... u having dinner now?
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+wat time ?_ wan today?
+
+and you! will expect you whenever you text! hope all goes well tomo
+
+hey! there's veggie pizza... :/
+
+ps u no ur a grown up now right?
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+they finally came to fix the ceiling.
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+got smaller capacity one? quite ex...
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+as in different styles?
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+"dear hero
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+thanx but my birthday is over already.
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+sending you greetings of joy and happiness. do have a gr8 evening
+
+where to get those?
+
+"had your contract mobile 11 mnths? latest motorola
+"you've won tkts to the euro2004 cup final or ??800 cash
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+ok... take ur time n enjoy ur dinner...
+
+"yeah work is fine
+filthy stories and girls waiting for your
+
+yeah imma come over cause jay wants to do some drugs
+
+wat happened to the cruise thing
+
+thank you. i like you as well...
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+in meeting da. i will call you
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+you didn't have to tell me that...now i'm thinking. plus he's going to stop all your runs
+
+"this is the 2nd attempt to contract u
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+also track down any lighters you can find
+
+me too baby! i promise to treat you well! i bet you will take good care of me...
+
+"hello. sort of out in town already. that . so dont rush home
+yar i wanted 2 scold u yest but late already... i where got zhong se qing you? if u ask me b4 he ask me then i'll go out w u all lor. n u still can act so real.
+
+"ya ok
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+great. i was getting worried about you. just know that a wonderful and caring person like you will have only the best in life. know that u r wonderful and god's love is yours.
+
+lol ok. i'll snatch her purse too.
+
+100 dating service cal;l 09064012103 box334sk38ch
+
+"say this slowly.? god
+buy one egg for me da..please:)
+
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+you have 1 new message. please call 08712400200.
+
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+"babe
+"hey...great deal...farm tour 9am to 5pm $95/pax
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+"urgent! your mobile no 07808726822 was awarded a ??2
+"goal! arsenal 4 (henry
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+"thanks for your ringtone order
+"nothing
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+its too late:)but its k.wish you the same.
+
+1's reach home call me.
+
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+anything lor is she coming?
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+i'm e person who's doing e sms survey...
+
+"storming msg: wen u lift d phne
+"it
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+?? mean it's confirmed... i tot they juz say oni... ok then...
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+2/2 146tf150p
+
+ceri u rebel! sweet dreamz me little buddy!! c ya 2moro! who needs blokes
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+i asked sen to come chennai and search for job.
+
+think you sent the text to the home phone. that cant display texts. if you still want to send it his number is
+
+the fact that you're cleaning shows you know why i'm upset. your priority is constantly \what i want to do
+
+the guy did some bitching but i acted like i'd be interested in buying something else next week and he gave it to us for free
+
+is there any movie theatre i can go to and watch unlimited movies and just pay once?
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"hello darling how are you today? i would love to have a chat
+lil fever:) now fine:)
+
+did u receive my msg?
+
+"yeah there's quite a bit left
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+thts god's gift for birds as humans hav some natural gift frm god..
+
+is there any training tomorrow?
+
+"urgent! your mobile no 07808726822 was awarded a ??2
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+"says that he's quitting at least5times a day so i wudn't take much notice of that. nah
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+eh ur laptop got no stock lei... he say mon muz come again to take a look c got a not...
+
+oh gei. that happend to me in tron. maybe ill dl it in 3d when its out
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+i went to ur hon lab but no one is there.
+
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+yetunde i'm in class can you not run water on it to make it ok. pls now.
+
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+"hello lover! how goes that new job? are you there now? are you happy? do you think of me? i wake
+"just sent you an email ??? to an address with incomm in it
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+"thank you
+are you wet right now?
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"download as many ringtones as u like no restrictions
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+squeeeeeze!! this is christmas hug.. if u lik my frndshp den hug me back.. if u get 3 u r cute:) 6 u r luvd:* 9 u r so lucky;) none? people hate u:
+
+"dear matthew please call 09063440451 from a landline
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+5 nights...we nt staying at port step liao...too ex
+
+no no. i will check all rooms befor activities
+
+miss call miss call khelate kintu opponenter miss call dhorte lage. thats d rule. one with great phone receiving quality wins.
+
+"twinks
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+"freemsg hey u
+is that what time you want me to come?
+
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+great. have a safe trip. dont panic surrender all.
+
+was it something u ate?
+
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+ok going to sleep. hope i can meet her.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+only saturday and sunday holiday so its very difficult:)
+
+"hey doc pls i want to get nice t shirt for my hubby nice fiting ones my budget is <#> k help pls i will load d card abi hw
+k k:) sms chat with me.
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+wot about on wed nite i am 3 then but only til 9!
+
+im late tellmiss im on my way
+
+if u dun drive then how i go 2 sch.
+
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+dont make ne plans for nxt wknd coz she wants us to come down then ok
+
+"i met you as a stranger and choose you as my friend. as long as the world stands
+"hi chikku
+otherwise had part time job na-tuition..
+
+i will cme i want to go to hos 2morow. after that i wil cme. this what i got from her dear what to do. she didnt say any time
+
+"superb thought- \be grateful that u dont have everything u want. that means u still have an opportunity to be happier tomorrow than u are today.\"":-)"""
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+"sir
+"i want some cock! my hubby's away
+wat uniform? in where get?
+
+"latest news! police station toilet stolen
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+k i'll call you when i'm close
+
+white fudge oreos are in stores
+
+cos i want it to be your thing
+
+that seems unnecessarily affectionate
+
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+what class of <#> reunion?
+
+u 2.
+
+yar but they say got some error.
+
+i can ask around but there's not a lot in terms of mids up here
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+"smsservices. for yourinclusive text credits
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"hellogorgeous
+ok... c ya...
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+"thanks for your ringtone order
+orh i tot u say she now still dun believe.
+
+but i juz remembered i gotta bathe my dog today..
+
+"hi
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+i'm watching lotr w my sis dis aft. so u wan 2 meet me 4 dinner at nite a not?
+
+"do you realize that in about 40 years
+what your plan for pongal?
+
+"k
+moji i love you more than words. have a rich day
+
+"thanks for your ringtone order
+ok. i am a gentleman and will treat you with dignity and respect.
+
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+"bears pic nick
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+can you talk with me..
+
+wow v v impressed. have funs shopping!
+
+you have 1 new message. please call 08718738034.
+
+horrible bf... i now v hungry...
+
+well if i'm that desperate i'll just call armand again
+
+"new theory: argument wins d situation
+?? only send me the contents page...
+
+ok darlin i supose it was ok i just worry too much.i have to do some film stuff my mate and then have to babysit again! but you can call me there.xx
+
+i am literally in bed and have been up for like <#> hours
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+"all the lastest from stereophonics
+hey mate. spoke to the mag people. we???re on. the is deliver by the end of the month. deliver on the 24th sept. talk later.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+nice line said by a broken heart- plz don't cum 1 more times infront of me... other wise once again i ll trust u... good 9t:)
+
+"welcome to select
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+did you get any gift? this year i didnt get anything. so bad
+
+i donno if they are scorable
+
+"sweetheart
+it is only yesterday true true.
+
+better. made up for friday and stuffed myself like a pig yesterday. now i feel bleh. but at least its not writhing pain kind of bleh.
+
+"smsservices. for yourinclusive text credits
+"you are being contacted by our dating service by someone you know! to find out who it is
+i will lick up every drop :) are you ready to use your mouth as well?
+
+"congratulations! thanks to a good friend u have won the ??2
+hi petey!noi??m ok just wanted 2 chat coz avent spoken 2 u 4 a long time-hope ur doin alrite.have good nit at js love ya am.x
+
+"hi
+"5 free top polyphonic tones call 087018728737
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+raviyog peripherals bhayandar east
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+gonna let me know cos comes bak from holiday that day. is coming. don't4get2text me number.
+
+"<#>
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+i cant pick the phone right now. pls send a message
+
+"cool
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+sorry i missed your call. can you please call back.
+
+hmm...bad news...hype park plaza $700 studio taken...only left 2 bedrm-$900...
+
+s:-)if we have one good partnership going we will take lead:)
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+u free on sat rite? u wan 2 watch infernal affairs wif me n darren n mayb xy?
+
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+first answer my question.
+
+ok i juz receive..
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"no! but we found a diff farm shop to buy some cheese. on way back now
+sounds like a plan! cardiff is still here and still cold! i'm sitting on the radiator!
+
+yup no more already... thanx 4 printing n handing it up.
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+wah... okie okie... muz make use of e unlimited... haha...
+
+what's your room number again? wanna make sure i'm knocking on the right door
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+hi' test on <#> rd ....
+
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+boo what time u get out? u were supposed to take me shopping today. :(
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+alex says he's not ok with you not being ok with it
+
+i wish u were here. i feel so alone
+
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+"christmas is an occasion that is celebrated as a reflection of ur... values...
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+okay. i've seen it. so i should pick it on friday?
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+good morning. at the repair shop--the only reason i'm up at this hour.
+
+win a ??1000 cash prize or a prize worth ??5000
+
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+i am taking half day leave bec i am not well
+
+"hi hope u get this txt~journey hasnt been gd
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+for real tho this sucks. i can't even cook my whole electricity is out. and i'm hungry.
+
+long time. you remember me today.
+
+sometimes heart remembrs someone very much... forgets someone soon... bcoz heart will not like everyone. but liked ones will be remembered everytime... bslvyl
+
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+you've already got a flaky parent. it'snot supposed to be the child's job to support the parent...not until they're the ride age anyway. i'm supposed to be there to support you. and now i've hurt you. unintentional. but hurt nonetheless.
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+i am waiting machan. call me once you free.
+
+come to mahal bus stop.. <decimal>
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+eat at old airport road... but now 630 oredi... got a lot of pple...
+
+ok.. ?? finishing soon?
+
+pansy! you've been living in a jungle for two years! its my driving you should be more worried about!
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+"sorry about earlier. putting out fires.are you around to talk after 9? or do you actually have a life
+"dunno
+"look at amy ure a beautiful
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+"sad story of a man - last week was my b'day. my wife did'nt wish me. my parents forgot n so did my kids . i went to work. even my colleagues did not wish. as i entered my cabin my pa said
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+"sir
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+and miss vday the parachute and double coins??? u must not know me very well...
+
+yes! how is a pretty lady like you single?
+
+"urgent! you have won a 1 week free membership in our ??100
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+money i have won wining number 946 wot do i do next
+
+i will take care of financial problem.i will help:)
+
+"do you realize that in about 40 years
+"ela kano.
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+friendship poem: dear o dear u r not near but i can hear dont get fear live with cheer no more tear u r always my dear. gud ni8
+
+really do hope the work doesnt get stressful. have a gr8 day.
+
+"thanks for your ringtone order
+u horrible gal... u knew dat i was going out wif him yest n u still come n ask me...
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+i dont. can you send it to me. plus how's mode.
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+good. do you think you could send me some pix? i would love to see your top and bottom...
+
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+"freemsg hey u
+"you are being contacted by our dating service by someone you know! to find out who it is
+"sorry
+"hi
+"spjanuary male sale! hot gay chat now cheaper
+i can take you at like noon
+
+"if you don't
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+"by the way
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+was playng 9 doors game and gt racing on phone lol
+
+talk to g and x about that
+
+"i'm outside islands
+"sorry
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+"aight
+how is it possible to teach you. and where.
+
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+no she didnt. i will search online and let you know.
+
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+huh? 6 also cannot? then only how many mistakes?
+
+can you please send me my aunty's number
+
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+g wants to know where the fuck you are
+
+"send ur birthdate with month and year
+"\boo babe! u enjoyin yourjob? u seemed 2 b gettin on well hunny!hope ure ok?take care & i??llspeak 2u soonlots of loveme xxxx.\"""""
+
+"thanks for your ringtone order
+havent stuck at orchard in my dad's car. going 4 dinner now. u leh? so r they free tonight?
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+how are you doing? hope you've settled in for the new school year. just wishin you a gr8 day
+
+i dont want to hear philosophy. just say what happen
+
+"if we hit it off
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+its worse if if uses half way then stops. its better for him to complete it.
+
+well i might not come then...
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+watching tv now. i got new job :)
+
+you have an important customer service announcement from premier.
+
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+"eerie nokia tones 4u
+your board is working fine. the issue of overheating is also reslove. but still software inst is pending. i will come around 8'o clock.
+
+fwiw the reason i'm only around when it's time to smoke is that because of gas i can only afford to be around when someone tells me to be and that apparently only happens when somebody wants to light up
+
+in other news after hassling me to get him weed for a week andres has no money. haughaighgtujhyguj
+
+she left it very vague. she just said she would inform the person in accounting about the delayed rent and that i should discuss with the housing agency about my renting another place. but checking online now and all places around usc are <#> and up
+
+where are you lover ? i need you ...
+
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+you have 1 new voicemail. please call 08719181503
+
+"what do you do
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+lol they were mad at first but then they woke up and gave in.
+
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+no pic. please re-send.
+
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+ok leave no need to ask
+
+pls give her prometazine syrup. 5mls then <#> mins later feed.
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"bears pic nick
+omg joanna is freaking me out. she's looked thru all my friends to find photos of me. and then she's asking about stuff on my myspace which i haven't even logged on in like a year. :/
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+on ma way to school. can you pls send me ashley's number
+
+good. good job. i like entrepreneurs
+
+"just got part nottingham - 3 hrs 63miles. good thing i love my man so much
+"k
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+aiyah ok wat as long as got improve can already wat...
+
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+hi dude hw r u da realy mising u today
+
+"fun fact: although you would think armand would eventually build up a tolerance or some shit considering how much he smokes
+u studying in sch or going home? anyway i'll b going 2 sch later.
+
+now only i reached home. . . i am very tired now. . i will come tomorro
+
+they r giving a second chance to rahul dengra.
+
+going for dinner.msg you after.
+
+but my family not responding for anything. now am in room not went to home for diwali but no one called me and why not coming. it makes me feel like died.
+
+be sure to check your yahoo email. we sent photos yesterday
+
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+oops. 4 got that bit.
+
+"ola would get back to you maybe not today but i ve told him you can be his direct link in the us in getting cars he bids for online
+"ou are guaranteed the latest nokia phone
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+soon you will have the real thing princess! do i make you wet? :)
+
+really... i tot ur paper ended long ago... but wat u copied jus now got use? u happy lar... i still haf 2 study :-(
+
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+"dear voucher holder
+feel yourself that you are always happy.. slowly it becomes your habit & finally it becomes part of your life.. follow it.. happy morning & have a happy day:)
+
+we're finally ready fyi
+
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"he will
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+where are you ? what are you doing ? are yuou working on getting the pc to your mom's ? did you find a spot that it would work ? i need you
+
+"sounds gd... haha... can... wah
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+nope but i'm going home now then go pump petrol lor... like going 2 rain soon...
+
+slept? i thinkthis time ( <#> pm) is not dangerous
+
+money i have won wining number 946 wot do i do next
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+wat u doing there?
+
+yar lor... how u noe? u used dat route too?
+
+but i'm really really broke oh. no amount is too small even <#>
+
+hi did u decide wot 2 get 4 his bday if not ill prob jus get him a voucher frm virgin or sumfing
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+k come to nordstrom when you're done
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"thank you
+"house-maid is the murderer
+cheers lou! yeah was a goodnite shame u neva came! c ya gailxx
+
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+"sir
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+small problem in auction:)punj now asking tiwary
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+so your telling me i coulda been your real valentine and i wasn't? u never pick me for nothing!!
+
+are you going to write ccna exam this week??
+
+how come she can get it? should b quite diff to guess rite...
+
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+have you started in skye
+
+bull. your plan was to go floating off to ikea with me without a care in the world. so i have to live with your mess another day.
+
+shopping lor. them raining mah hard 2 leave orchard.
+
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+i though we shd go out n have some fun so bar in town or something ??? sound ok?
+
+"bored of speed dating? try speedchat
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+"also sir
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+"dear voucher holder
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+stupid auto correct on my phone
+
+po de :-):):-):-):-). no need job aha.
+
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+ringtoneking 84484
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+"dear
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+huh so slow i tot u reach long ago liao... u 2 more days only i 4 more leh...
+
+i'll pick you up at about 5.15pm to go to taunton if you still want to come.
+
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+will do. was exhausted on train this morning. too much wine and pie. you sleep well too
+
+can. dunno wat to get 4 her...
+
+she doesnt need any test.
+
+i want to be there so i can kiss you and feel you next to me
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+for me the love should start with attraction.i should feel that i need her every time around me.she should be the first thing which comes in my thoughts.i would start the day and end it with her.she should be there every time i dream.love will be then when my every breath has her name.my life should happen around her.my life will be named to her.i would cry for her.will give all my happiness and take all her sorrows.i will be ready to fight with anyone for her.i will be in love when i will be doing the craziest things for her.love will be when i don't have to proove anyone that my girl is the most beautiful lady on the whole planet.i will always be singing praises for her.love will be when i start up making chicken curry and end up makiing sambar.life will be the most beautiful then.will get every morning and thank god for the day because she is with me.i would like to say a lot..will tell later..
+
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+"now u sound like manky scouse boy steve
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+"fuck babe
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+"yeah
+k..then come wenever u lik to come and also tel vikky to come by getting free time..:-)
+
+thats cool. i liked your photos. you are very sexy!
+
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+"i don
+gud mrng dear hav a nice day
+
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+"hey
+i need to come home and give you some good lovin...
+
+gud mrng dear have a nice day
+
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+wat makes some people dearer is not just de happiness dat u feel when u meet them but de pain u feel when u miss dem!!!
+
+i like cheap! but i???m happy to splash out on the wine if it makes you feel better..
+
+yep. i do like the pink furniture tho.
+
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+"life alle mone
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+yeah if we do have to get a random dude we need to change our info sheets to party <#> /7 never study just to be safe
+
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+"hi
+i'm aight. wat's happening on your side.
+
+"urgent! you have won a 1 week free membership in our ??100
+aight ill get on fb in a couple minutes
+
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+is there coming friday is leave for pongal?do you get any news from your work place.
+
+"\me 2 babe i feel the same lets just 4get about it+both try +cheer up+not fit soo muchxxlove u locaxx\"""""
+
+"haha awesome
+"free msg. sorry
+"ou are guaranteed the latest nokia phone
+do you like italian food?
+
+"waqt se pehle or naseeb se zyada kisi ko kuch nahi milta
+no..its ful of song lyrics..
+
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+so what u doing today?
+
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+probably earlier than that if the station's where i think it is
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+hey anyway i have to :-)
+
+"and how you will do that
+i got a call from a landline number. . . i am asked to come to anna nagar . . . i will go in the afternoon
+
+"i'd say that's a good sign but
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+and stop being an old man. you get to build snowman snow angels and snowball fights.
+
+"thanks for your ringtone order
+"she said
+"hi there
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+i don't run away frm u... i walk slowly & it kills me that u don't care enough to stop me...
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"thanks for your ringtone order
+its ok..come to my home it vl nice to meet and v can chat..
+
+what today-sunday..sunday is holiday..so no work..
+
+wot u up 2? thout u were gonna call me!! txt bak luv k
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+hey i'm bored... so i'm thinking of u... so wat r u doing?
+
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+are you driving or training?
+
+if i not meeting ?_ all rite then i'll go home lor. if ?_ dun feel like comin it's ok.
+
+from tomorrow onwards eve 6 to 3 work.
+
+"new mobiles from 2004
+how come guoyang go n tell her? then u told her?
+
+just sleeping..and surfing
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+"thanks for your ringtone order
+you said to me before i went back to bed that you can't sleep for anything.
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+i accidentally deleted the message. resend please.
+
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+great! i hope you like your man well endowed. i am <#> inches...
+
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+me too. mark is taking forever to pick up my prescription and the pain is coming back.
+
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+cool. so how come you havent been wined and dined before?
+
+:-( sad puppy noise
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+then u better go sleep.. dun disturb u liao.. u wake up then msg me lor..
+
+lol they don't know about my awesome phone. i could click delete right now if i want.
+
+"ya
+u too...
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+i don't run away frm u... i walk slowly & it kills me that u don't care enough to stop me...
+
+"how long before you get reply
+"i wonder how you got online
+hi.what you think about match?
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+me sef dey laugh you. meanwhile how's my darling anjie!
+
+who's there say hi to our drugdealer
+
+was just about to ask. will keep this one. maybe that's why you didn't get all the messages we sent you on glo
+
+i cant pick the phone right now. pls send a message
+
+no i don't have cancer. moms making a big deal out of a regular checkup aka pap smear
+
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+me n him so funny...
+
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+filthy stories and girls waiting for your
+
+yup having my lunch buffet now.. u eat already?
+
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+and he's apparently bffs with carly quick now
+
+filthy stories and girls waiting for your
+
+"xmas offer! latest motorola
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+in da car park
+
+no way i'm going back there!
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+i don know account details..i will ask my mom and send you.my mom is out of reach now.
+
+"sorry
+there are some nice pubs near here or there is frankie n bennys near the warner cinema?
+
+"beautiful truth against gravity.. read carefully: \our heart feels light when someone is in it.. but it feels very heavy when someone leaves it..\"" goodmorning"""
+
+"urgent! your mobile no 077xxx won a ??2
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+"yo
+that depends. how would you like to be treated? :)
+
+"themob>hit the link to get a premium pink panther game
+"as a valued customer
+:( but your not here....
+
+wewa is 130. iriver 255. all 128 mb.
+
+you still coming tonight?
+
+100 dating service cal;l 09064012103 box334sk38ch
+
+i've got it down to a tea. not sure which flavour
+
+o shore are you takin the bus
+
+"urgent! you have won a 1 week free membership in our ??100
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+can come my room but cannot come my house cos my house still messy... haha...
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+there is a first time for everything :)
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+its a laptop take it with you.
+
+"shop till u drop
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+i'm at home n ready...
+
+hmm yeah if your not too grooved out! and im looking forward to my pound special :)
+
+sure! i am driving but will reach my destination soon.
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+oh thanks a lot..i already bought 2 eggs ..
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+no my mum went 2 dentist.
+
+u sick still can go shopping?
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+"sorry
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+i keep ten rs in my shelf:) buy two egg.
+
+can you just come in for a sec? there's somebody here i want you to see
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+"sorry
+hi darlin how was work did u get into trouble? ijust talked to your mum all morning! i had a really good time last night im goin out soon but call me if u can
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+understand. his loss is my gain :) so do you work? school?
+
+why you keeping me away like this
+
+"ou are guaranteed the latest nokia phone
+yay! finally lol. i missed our cinema trip last week :-(
+
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+"k
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+have a good evening! ttyl
+
+missed call alert. these numbers called but left no message. 07008009200
+
+dai <#> naal eruku.
+
+i think its far more than that but find out. check google maps for a place from your dorm.
+
+"hello
+"dear relieved of westonzoyland
+i hope you know i'm still mad at you.
+
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+it so happens that there r 2waxsto do wat you want. she can come and ill get her medical insurance. and she'll be able to deliver and have basic care. i'm currently shopping for the right medical insurance for her. so just give me til friday morning. thats when i.ll see the major person that can guide me to the right insurance.
+
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+no gifts!! you trying to get me to throw myself off a cliff or something?
+
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+"hey
+network operator. the service is free. for t & c's visit 80488.biz
+
+you busy or can i come by at some point and figure out what we're doing tomorrow
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+ee msg na poortiyagi odalebeku: hanumanji 7 name 1-hanuman 2-bajarangabali 3-maruti 4-pavanaputra 5-sankatmochan 6-ramaduth 7-mahaveer ee 7 name <#> janarige ivatte kalisidare next saturday olage ondu good news keluviri...! maretare inde 1 dodda problum nalli siguviri idu matra <#> % true.. don't neglet.
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+yup ?_ not comin :-(
+
+ya even those cookies have jelly on them
+
+"as a valued customer
+c movie is juz last minute decision mah. juz watch 2 lar but i tot ?_ not interested.
+
+i'm ok. will do my part tomorrow
+
+"7 wonders in my world 7th you 6th ur style 5th ur smile 4th ur personality 3rd ur nature 2nd ur sms and 1st \ur lovely friendship\""... good morning dear"""
+
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+i need details about that online job.
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+nope i waiting in sch 4 daddy...
+
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+you have 1 new message. please call 08712400200.
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+sounds great! are you home now?
+
+"you are guaranteed the latest nokia phone
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+then she buying today? ?? no need to c meh...
+
+thanks love. but am i doing torch or bold.
+
+she's fine. sends her greetings
+
+meeting u is my work. . . tel me when shall i do my work tomorrow
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+"complimentary 4 star ibiza holiday or ??10
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+"hi this is amy
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+"urgent! please call 09066612661 from your landline
+"good afternoon
+"ever green quote ever told by jerry in cartoon \a person who irritates u always is the one who loves u vry much but fails to express it...!..!! :-) :-) gud nyt"""
+
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+so what do you guys do.
+
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+it took mr owl 3 licks
+
+"that's cool he'll be here all night
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+"urgent! please call 09066612661 from your landline
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+sorry that was my uncle. i.ll keep in touch
+
+i'm in class. did you get my text.
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+allo! we have braved the buses and taken on the trains and triumphed. i mean we???re in b???ham. have a jolly good rest of week
+
+hey!!! i almost forgot ... happy b-day babe ! i love ya!!
+
+did u download the fring app?
+
+"hi babe its jordan
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+yeah no probs - last night is obviously catching up with you... speak soon
+
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+when the first strike is a red one. the bird + antelope begin toplay in the fieldof selfindependence believe this + the flower of contention will grow.random!
+
+looks like u wil b getting a headstart im leaving here bout 2.30ish but if u r desperate for my company i could head in earlier-we were goin to meet in rummer.
+
+when you came to hostel.
+
+huh but i got lesson at 4 lei n i was thinkin of going to sch earlier n i tot of parkin at kent vale...
+
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+"january male sale! hot gay chat now cheaper
+that's ok. i popped in to ask bout something and she said you'd been in. are you around tonght wen this girl comes?
+
+went fast asleep dear.take care.
+
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+k. did you call me just now ah?
+
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+you can never do nothing
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+yo you around? a friend of mine's lookin to pick up later tonight
+
+"i want to show you the world
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+"urgent! your mobile no 07808726822 was awarded a ??2
+short but cute: \be a good person
+
+"dear matthew please call 09063440451 from a landline
+"wishing you and your family merry \x\"" mas and happy new year in advance.."""
+
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+"double mins & 1000 txts on orange tariffs. latest motorola
+here got lots of hair dresser fr china.
+
+no prob. i will send to your email.
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+"mila
+is fujitsu s series lifebook good?
+
+"i'm a guy
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+"i want some cock! my hubby's away
+or ill be a little closer like at the bus stop on the same street
+
+"hey sweet
+ya it came a while ago
+
+please tell me you have some of that special stock you were talking about
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"night sweet
+india have to take lead:)
+
+where are you?when wil you reach here?
+
+"oh
+she.s fine. i have had difficulties with her phone. it works with mine. can you pls send her another friend request.
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+i wanna watch that movie
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+"you've won tkts to the euro2004 cup final or ??800 cash
+"do you realize that in about 40 years
+i like you peoples very much:) but am very shy pa.
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+"hungry gay guys feeling hungry and up 4 it
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+"thursday night? yeah
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+"two fundamentals of cool life: \walk whoever is the king\""!... gud nyt"""
+
+let there be snow. let there be snow. this kind of weather brings ppl together so friendships can grow.
+
+network operator. the service is free. for t & c's visit 80488.biz
+
+i sent them. do you like?
+
+becoz its <#> jan whn al the post ofice is in holiday so she cn go fr the post ofice...got it duffer
+
+no problem baby. is this is a good time to talk? i called and left a message.
+
+"double mins & 1000 txts on orange tariffs. latest motorola
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+"alright we're hooked up
+hey i've booked the 2 lessons on sun liao...
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+"you might want to pull out more just in case and just plan on not spending it if you can
+"love isn't a decision
+"thank you
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"beautiful truth against gravity.. read carefully: \our heart feels light when someone is in it.. but it feels very heavy when someone leaves it..\"" good night"""
+
+"latest news! police station toilet stolen
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+i wnt to buy a bmw car urgently..its vry urgent.but hv a shortage of <#> lacs.there is no source to arng dis amt. <#> lacs..thats my prob
+
+reason is if the team budget is available at last they buy the unsold players for at base rate..
+
+you have an important customer service announcement from premier.
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"orange brings you ringtones from all time chart heroes
+please da call me any mistake from my side sorry da. pls da goto doctor.
+
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+ringtone club: gr8 new polys direct to your mobile every week !
+
+"how long has it been since you screamed
+yup...
+
+you could have seen me..i did't recognise you face.:)
+
+"a bit of ur smile is my hppnss
+"hi
+eatin my lunch...
+
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+ok try to do week end course in coimbatore.
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+"i'm gonna be home soon and i don't want to talk about this stuff anymore tonight
+"romantic paris. 2 nights
+yes. last practice
+
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+have you always been saying welp?
+
+"oh... icic... k lor
+maybe if you woke up before fucking 3 this wouldn't be a problem.
+
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+so i could kiss and feel you next to me...
+
+do u ever get a song stuck in your head for no reason and it won't go away til u listen to it like 5 times?
+
+yes.he have good crickiting mind
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+dun b sad.. it's over.. dun thk abt it already. concentrate on ur other papers k.
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+i went to project centre
+
+freemsg>fav xmas tones!reply real
+
+hi its jess i dont know if you are at work but call me when u can im at home all eve. xxx
+
+he dint tell anything. he is angry on me that why you told to abi.
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+from 5 to 2 only my work timing.
+
+no:-)i got rumour that you going to buy apartment in chennai:-)
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+yeah like if it goes like it did with my friends imma flip my shit in like half an hour
+
+"had the money issue weigh me down but thanks to you
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+hey ! don't forget ... you are mine ... for me ... my possession ... my property ... mmm ... *childish smile* ...
+
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+ringtone club: gr8 new polys direct to your mobile every week !
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+how are you with money...as in to you...money aint a thing....how are you sha!
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+no. its not specialisation. can work but its slave labor. will look for it this month sha cos no shakara 4 beggar.
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+you please give us connection today itself before <decimal> or refund the bill
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+thanks and ! or bomb and date as my phone wanted to say!
+
+"ha ha nan yalrigu heltini..iyo kothi chikku
+"this is the 2nd attempt to contract u
+correct. so how was work today
+
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+"lets use it next week
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"funny fact nobody teaches volcanoes 2 erupt
+please don't text me anymore. i have nothing else to say.
+
+"thanx 4 the time we??ve spent 2geva
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+oh... lk tt den we take e one tt ends at cine lor... dun wan yogasana oso can...
+
+"guy
+i just really need shit before tomorrow and i know you won't be awake before like 6
+
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+haf u found him? i feel so stupid da v cam was working.
+
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+are you this much buzy
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+tell me again what your address is
+
+you have 1 new message. please call 08718738034.
+
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+"yeah
+"as i entered my cabin my pa said
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+"tick
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"i'm an actor. when i work
+hmm. shall i bring a bottle of wine to keep us amused? just joking! i'll still bring a bottle. red or white? see you tomorrow
+
+i remain unconvinced that this isn't an elaborate test of my willpower
+
+can do lor...
+
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+"six chances to win cash! from 100 to 20
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+i dunno until when... lets go learn pilates...
+
+"urgent
+wat r u doing?
+
+"faith makes things possible
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+"sorry light turned green
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+"you 07801543489 are guaranteed the latests nokia phone
+old orchard near univ. how about you?
+
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+i hope you that's the result of being consistently intelligent and kind. start asking him about practicum links and keep your ears open and all the best. ttyl
+
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+keep yourself safe for me because i need you and i miss you already and i envy everyone that see's you in real life
+
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+i've been searching for the right words to thank you for this breather. i promise i wont take your help for granted and will fulfil my promise. you have been wonderful and a blessing at all times.
+
+oh ok.. wat's ur email?
+
+"aight no rush
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+"yun ah.the ubi one say if ?_ wan call by tomorrow.call 67441233 look for irene.ere only got bus8
+"do you know why god created gap between your fingers..? so that
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+did u got that persons story
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+oh k:)after that placement there ah?
+
+"all the lastest from stereophonics
+poor girl can't go one day lmao
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"friendship is not a game to play
+"do you realize that in about 40 years
+there the size of elephant tablets & u shove um up ur ass!!
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+so what did the bank say about the money?
+
+ding me on ya break fassyole! blacko from londn
+
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+haha... dont be angry with yourself... take it as a practice for the real thing. =)
+
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+<#> great loxahatchee xmas tree burning update: you can totally see stars here
+
+ok..
+
+"hello darling how are you today? i would love to have a chat
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+"night night
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+hi baby im sat on the bloody bus at the mo and i wont be home until about 7:30 wanna do somethin later? call me later ortxt back jess xx
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+?? predict wat time ?_'ll finish buying?
+
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+"new mobiles from 2004
+dad says hurry the hell up
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+i'm reaching home in 5 min.
+
+are you angry with me. what happen dear
+
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+"aight
+are there ta jobs available? let me know please cos i really need to start working
+
+08714712388 between 10am-7pm cost 10p
+
+wow didn't think it was that common. i take it all back ur not a freak! unless u chop it off:-)
+
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+"only just got this message
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+its a great day. do have yourself a beautiful one.
+
+no..jst change tat only..
+
+"loan for any purpose ??500 - ??75
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+haha... hope ?_ can hear the receipt sound... gd luck!
+
+"no i'm not. i can't give you everything you want and need. you actually could do better for yourself on yor own--you've got more money than i do. i can't get work
+sen told that he is going to join his uncle finance in cbe
+
+you didnt complete your gist oh.
+
+have got * few things to do. may be in * pub later.
+
+call me when u're done...
+
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+may b approve panalam...but it should have more posts..
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+yes when is the appt again?
+
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+85233 free>ringtone!reply real
+
+cthen i thk shd b enuff.. still got conclusion n contents pg n references.. i'll b doing da contents pg n cover pg..
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+85233 free>ringtone!reply real
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+i thought we were doing a king of the hill thing there.
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058095107 now all will be revealed. pobox 7
+i'm really sorry i won't b able 2 do this friday.hope u can find an alternative.hope yr term's going ok:-)
+
+how are you doing. how's the queen. are you going for the royal wedding
+
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+sleeping nt feeling well
+
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+"themob> check out our newest selection of content
+"sorry brah
+ryder unsold.now gibbs.
+
+weightloss! no more girl friends. make loads of money on ebay or something. and give thanks to god.
+
+"wat time liao
+"good afternoon
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+i anything lor...
+
+"hi
+"good good
+not to worry. i'm sure you'll get it.
+
+"neither [in sterm voice] - i'm studying. all fine with me! not sure the thing will be resolved
+"you 07801543489 are guaranteed the latests nokia phone
+ya had just now.onion roast.
+
+been up to ne thing interesting. did you have a good birthday? when are u wrking nxt? i started uni today.
+
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+v skint too but fancied few bevies.waz gona go meet &othrs in spoon but jst bin watchng planet earth&sofa is v comfey; if i dont make it hav gd night
+
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+i will see in half an hour
+
+maybe?! say hi to and find out if got his card. great escape or wetherspoons?
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+raji..pls do me a favour. pls convey my birthday wishes to nimya. pls. today is her birthday.
+
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+"freemsg hey u
+ok lor... or u wan me go look 4 u?
+
+ay wana meet on sat??_ wkg on sat?
+
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+i'm stuck in da middle of da row on da right hand side of da lt...
+
+you intrepid duo you! have a great time and see you both soon.
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+lol i know! they're so dramatic. schools already closed for tomorrow. apparently we can't drive in the inch of snow were supposed to get.
+
+so li hai... me bored now da lecturer repeating last weeks stuff waste time...
+
+ball is moving a lot.will spin in last :)so very difficult to bat:)
+
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+"hi
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+k.:)you are the only girl waiting in reception ah?
+
+"well
+geeeee ... i love you so much i can barely stand it
+
+yes da. any plm at ur office
+
+quite ok but a bit ex... u better go eat smth now else i'll feel guilty...
+
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+it is a good thing i'm now getting the connection to bw
+
+when you guys planning on coming over?
+
+i cant talk to you now.i will call when i can.dont keep calling.
+
+you have got tallent but you are wasting.
+
+"loan for any purpose ??500 - ??75
+so is th gower mate which is where i am!?! how r u man? all is good in wales ill b back ??morrow. c u this wk? who was the msg 4? ?? random!
+
+2/2 146tf150p
+
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+"5 free top polyphonic tones call 087018728737
+lol yes. but it will add some spice to your day.
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+senthil group company apnt 5pm.
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+will you come online today night
+
+"sorry sir
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+"\aww you must be nearly dead!well jez iscoming over todo some workand that whilltake forever!\"""""
+
+spending new years with my brother and his family. lets plan to meet next week. are you ready to be spoiled? :)
+
+"nimbomsons. yep phone knows that one. obviously
+somebody should go to andros and steal ice
+
+sorry i'm not free...
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+"so many people seems to be special at first sight
+hi mate its rv did u hav a nice hol just a message 3 say hello coz haven??t sent u 1 in ages started driving so stay off roads!rvx
+
+k..give back my thanks.
+
+"eerie nokia tones 4u
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+at bruce b downs & fletcher now
+
+she ran off with a younger man. we will make pretty babies together :)
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+lol please do. actually send a pic of yourself right now. i wanna see. pose with a comb and hair dryer or something.
+
+i'm doing da intro covers energy trends n pros n cons... brief description of nuclear fusion n oso brief history of iter n jet got abt 7 n half pages..
+
+no b4 thursday
+
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+nope. meanwhile she talk say make i greet you.
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+"upgrdcentre orange customer
+omg you can make a wedding chapel in frontierville? why do they get all the good stuff?
+
+"as a valued customer
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+okie
+
+i'm home. doc gave me pain meds says everything is fine.
+
+"derp. which is worse
+noooooooo please. last thing i need is stress. for once in your life be fair.
+
+85233 free>ringtone!reply real
+
+no one interested. may be some business plan.
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+not getting anywhere with this damn job hunting over here!
+
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+my battery is low babe
+
+boy you best get yo ass out here quick
+
+"k so am i
+"its good
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+ok anyway no need to change with what you said
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+no dear i do have free messages without any recharge. hi hi hi
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+"loan for any purpose ??500 - ??75
+aight sorry i take ten years to shower. what's the plan?
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+i'm at work. please call
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"good evening sir
+"dear matthew please call 09063440451 from a landline
+ultimately tor motive tui achieve korli.
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+"loan for any purpose ??500 - ??75
+u reach orchard already? u wan 2 go buy tickets first?
+
+ok i'm waliking ard now... do u wan me 2 buy anything go ur house?
+
+"twinks
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+private! your 2003 account statement for 078
+
+k i'll be there before 4.
+
+is it ok if i stay the night here? xavier has a sleeping bag and i'm getting tired
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"so check your errors and if you had difficulties
+"yetunde
+* you gonna ring this weekend or wot?
+
+this pain couldn't have come at a worse time.
+
+"six chances to win cash! from 100 to 20
+mm umma ask vava also to come tell him can play later together
+
+"swhrt how u dey
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+they released another italian one today and it has a cosign option
+
+i thk ?_ gotta go home by urself. cos i'll b going out shopping 4 my frens present.
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+mmm so yummy babe ... nice jolt to the suzy
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"sorry
+update your face book status frequently :)
+
+every day i use to sleep after <#> so only.
+
+"had your contract mobile 11 mnths? latest motorola
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+oh k. . i will come tomorrow
+
+i'm thinking that chennai forgot to come for auction..
+
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"goal! arsenal 4 (henry
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+"loan for any purpose ??500 - ??75
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"i didnt get ur full msg..sometext is missing
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+"im sorry bout last nite it wasn??t ur fault it was me
+what time you think you'll have it? need to know when i should be near campus
+
+great escape. i fancy the bridge but needs her lager. see you tomo
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+alex knows a guy who sells mids but he's down in south tampa and i don't think i could set it up before like 8
+
+freemsg>fav xmas tones!reply real
+
+"5 free top polyphonic tones call 087018728737
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+ok
+
+call me when u finish then i come n pick u.
+
+what i mean is do they come chase you out when its over or is it stated you can watch as many movies as you want.
+
+"no shit
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+hurt me... tease me... make me cry... but in the end of my life when i die plz keep one rose on my grave and say stupid i miss u.. have a nice day bslvyl
+
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+how do you guys go to see movies on your side.
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+filthy stories and girls waiting for your
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+u can call me now...
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+u sure u can't take any sick time?
+
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+i dun believe u. i thk u told him.
+
+"hey babe! i saw you came online for a second and then you disappeared
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+so wat's da decision?
+
+"there'll be a minor shindig at my place later tonight
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+oh k k:)but he is not a big hitter.anyway good
+
+dear are you angry i was busy dear
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
+"sms services. for your inclusive text credits
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+where did u go? my phone is gonna die you have to stay in here
+
+you have 1 new message. please call 08718738034.
+
+you getting back any time soon?
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+finished class where are you.
+
+o ic lol. should play 9 doors sometime yo
+
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+i'm meeting darren...
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+"thanks for your ringtone order
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+s:)8 min to go for lunch:)
+
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+i thk 530 lor. but dunno can get tickets a not. wat u doing now?
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+cud u tell ppl im gona b a bit l8 cos 2 buses hav gon past cos they were full & im still waitin 4 1. pete x
+
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+k then 2marrow are you coming to class.
+
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+what's up my own oga. left my phone at home and just saw ur messages. hope you are good. have a great weekend.
+
+is ur lecture over?
+
+yes watching footie but worried we're going to blow it - phil neville?
+
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+hey sexy buns! what of that day? no word from you this morning on ym ... :-( ... i think of you
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+well. balls. time to make calls
+
+hey you gave them your photo when you registered for driving ah? tmr wanna meet at yck?
+
+ok pa. nothing problem:-)
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+anytime lor...
+
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+"thanks
+yes but can we meet in town cos will go to gep and then home. you could text at bus stop. and don't worry we'll have finished by march ??_ ish!
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+"this is one of the days you have a billion classes
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+"if you can make it any time tonight or whenever you can it's cool
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+but you were together so you should be thinkin about him
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+"k
+pls pls find out from aunt nike.
+
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+also andros ice etc etc
+
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+"nah it's straight
+100 dating service cal;l 09064012103 box334sk38ch
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+dear reached railway. what happen to you
+
+in which place do you want da.
+
+hi princess! thank you for the pics. you are very pretty. how are you?
+
+we have pizza if u want
+
+package all your programs well
+
+"yes but i dont care! i need you bad
+wot u up 2 u weirdo?
+
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+oic cos me n my sis got no lunch today my dad went out... so dunno whether 2 eat in sch or wat...
+
+i wud never mind if u dont miss me or if u dont need me.. but u wil really hurt me wen u need me & u dont tell me......... take care:-)
+
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+"thanks for your ringtone order
+you have 1 new message. call 0207-083-6089
+
+cool. do you like swimming? i have a pool and jacuzzi at my house.
+
+are you the cutest girl in the world or what
+
+thank you. do you generally date the brothas?
+
+s'fine. anytime. all the best with it.
+
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"you are guaranteed the latest nokia phone
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+ya just telling abt tht incident..
+
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+"download as many ringtones as u like no restrictions
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+"as a sim subscriber
+"\ah poor baby!hope urfeeling bettersn luv! probthat overdose of work hey go careful spk 2 u sn lots of lovejen xxx.\"""""
+
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+"wow ... i love you sooo much
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+"not yet chikku..going to room nw
+"right on brah
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+in work now. going have in few min.
+
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+"there're some people by mu
+"xxxmobilemovieclub: to use your credit
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+never try alone to take the weight of a tear that comes out of ur heart and falls through ur eyes... always remember a stupid friend is here to share... bslvyl
+
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+"think ur smart ? win ??200 this week in our weekly quiz
+audrie lousy autocorrect
+
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+"claim a 200 shopping spree
+i'm so in love with you. i'm excited each day i spend with you. you make me so happy.
+
+ranjith cal drpd deeraj and deepak 5min hold
+
+thanx4 today cer it was nice 2 catch up but we ave 2 find more time more often oh well take care c u soon.c
+
+"congratulations! thanks to a good friend u have won the ??2
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+"open rebtel with firefox. when it loads just put plus sign in the user name place
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+have a safe trip to nigeria. wish you happiness and very soon company to share moments with
+
+"i prefer my free days... tues
+oh did you charge camera
+
+anything...
+
+"save yourself the stress. if the person has a dorm account
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+i'm at home. please call
+
+networking job is there.
+
+hi. hope you had a good day. have a better night.
+
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+88800 and 89034 are premium phone services call 08718711108
+
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+carlos says we can pick up from him later so yeah we're set
+
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+"urgent! your mobile no 07808726822 was awarded a ??2
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"sure
+only if you promise your getting out as soon as you can. and you'll text me in the morning to let me know you made it in ok.
+
+"haha yeah i see that now
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+"mmmmmm ... i love you
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+juz now havent woke up so a bit blur blur... can? dad went out liao... i cant cum now oso...
+
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+i'm coming home 4 dinner.
+
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+alright. i'm out--have a good night!
+
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+"themob> check out our newest selection of content
+i realise you are a busy guy and i'm trying not to be a bother. i have to get some exams outta the way and then try the cars. do have a gr8 day
+
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+i need you to be in my strong arms...
+
+i tot u outside cos darren say u come shopping. of course we nice wat. we jus went sim lim look at mp3 player.
+
+that seems unnecessarily hostile
+
+good afternoon my boytoy. how goes that walking here and there day ? did you get that police abstract? are you still out and about? i wake and miss you babe
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+"sms. ac jsco: energy is high
+i wish! i don't think its gonna snow that much. but it will be more than those flurries we usually get that melt before they hit the ground. eek! we haven't had snow since <#> before i was even born!
+
+"hungry gay guys feeling hungry and up 4 it
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+"nt only for driving even for many reasons she is called bbd..thts it chikku
+no. she's currently in scotland for that.
+
+do i? i thought i put it back in the box
+
+ugh. gotta drive back to sd from la. my butt is sore.
+
+i'm wif him now buying tix lar...
+
+neva mind it's ok..
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+one of the joys in lifeis waking up each daywith thoughts that somewheresomeone cares enough tosend a warm morning greeting.. -
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+i???m going to try for 2 months ha ha only joking
+
+pls go there today <#> . i dont want any excuses
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+"download as many ringtones as u like no restrictions
+hello! good week? fancy a drink or something later?
+
+thankyou so much for the call. i appreciate your care.
+
+"i guess that's why you re worried. you must know that there's a way the body repairs itself. and i'm quite sure you shouldn't worry. we'll take it slow. first the tests
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+lovely smell on this bus and it ain't tobacco...
+
+okie
+
+this message is brought to you by gmw ltd. and is not connected to the
+
+take some small dose tablet for fever
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+don know..wait i will check it.
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+easy ah?sen got selected means its good..
+
+how. its a little difficult but its a simple way to enter this place
+
+yo come over carlos will be here soon
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+i???ll have a look at the frying pan in case it???s cheap or a book perhaps. no that???s silly a frying pan isn???t likely to be a book
+
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+that sucks. so what do you got planned for your yo valentine? i am your yo valentine aren't i?
+
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+"you've won tkts to the euro2004 cup final or ??800 cash
+dont pick up d call when something important is there to tell. hrishi
+
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+"shop till u drop
+"what's up bruv
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+"got ur mail dileep.thank you so muchand look forward to lots of support...very less contacts here
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+i'll be late...
+
+no chikku nt yet.. ya i'm free
+
+havent.
+
+i might go 2 sch. yar at e salon now v boring.
+
+"hi babe its jordan
+"wiskey brandy rum gin beer vodka scotch shampain wine \kudi\""yarasu dhina vaazhthukkal. .."""
+
+no. on the way home. so if not for the long dry spell the season would have been over
+
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+haha... can... but i'm having dinner with my cousin...
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+nothing spl..wat abt u and whr ru?
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+i cant pick the phone right now. pls send a message
+
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+mom wants to know where you at
+
+simply sitting and watching match in office..
+
+this message is brought to you by gmw ltd. and is not connected to the
+
+if you still havent collected the dough pls let me know so i can go to the place i sent it to get the control number
+
+i came hostel. i m going to sleep. plz call me up before class. hrishi.
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+do not b late love mum
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+no did you check? i got his detailed message now
+
+"nope. since ayo travelled
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+sorry completely forgot * will pop em round this week if your still here?
+
+gd luck 4 ur exams :-)
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+"sorry
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+jus finish watching tv... u?
+
+ill b down soon
+
+what to think no one saying clearly. ok leave no need to ask her. i will go if she come or not
+
+"hmph. go head
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+lol ok your forgiven :)
+
+maybe i could get book out tomo then return it immediately ..? or something.
+
+"thats a bit weird
+you stayin out of trouble stranger!!saw dave the other day he??s sorted now!still with me bloke when u gona get a girl mr!ur mum still thinks we will get 2getha!
+
+"fyi i'm taking a quick shower
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+hey sathya till now we dint meet not even a single time then how can i saw the situation sathya.
+
+hi :)finally i completed the course:)
+
+hey mate! hows u honey?did u ave good holiday? gimmi de goss!x
+
+"urgent! your mobile no 077xxx won a ??2
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+pass dis to all ur contacts n see wat u get! red;i'm in luv wid u. blue;u put a smile on my face. purple;u r realy hot. pink;u r so swt. orange;i thnk i lyk u. green;i realy wana go out wid u. yelow;i wnt u bck. black;i'm jealous of u. brown;i miss you nw plz giv me one color
+
+i ain't answerin no phone at what is actually a pretty reasonable hour but i'm sleepy
+
+lolnice. i went from a fish to ..water.?
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"new tones this week include: 1)mcfly-all ab..
+oooh bed ridden ey? what are you thinking of?
+
+lol ok ill try to send. be warned sprint is dead slow. you'll prolly get it tomorrow
+
+message:some text missing* sender:name missing* *number missing *sent:date missing *missing u a lot thats y everything is missing sent via fullonsms.com
+
+i want to sent <#> mesages today. thats y. sorry if i hurts
+
+good morning pookie pie! lol hope i didn't wake u up
+
+no i am not having not any movies in my laptop
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+how dare you change my ring
+
+i hope you arnt pissed off but id would really like to see you tomorrow. love me xxxxxxxxxxxxxx
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+nope thats fine. i might have a nap tho!
+
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+"alright
+?? log off 4 wat. it's sdryb8i
+
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+"since when
+yup... how ?_ noe leh...
+
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+"44 7732584351
+ummmmmaah many many happy returns of d day my dear sweet heart.. happy birthday dear
+
+why don't you go tell your friend you're not sure you want to live with him because he smokes too much then spend hours begging him to come smoke
+
+er yep sure. props?
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"best line said in love: . \i will wait till the day i can forget u or the day u realize that u cannot forget me.\""... gn"""
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+oh ic. i thought you meant mary jane.
+
+he also knows about lunch menu only da. . i know
+
+"ok.
+"tell you what
+not sure i have the stomach for it ...
+
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+hope you are having a great day.
+
+yes princess! i want to catch you with my big strong hands...
+
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+"mila
+"god asked
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+"thanks for your ringtone order
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+"urgent! you have won a 1 week free membership in our ??100
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+"hey babe
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+its normally hot mail. com you see!
+
+on the way to office da..
+
+"update_now - xmas offer! latest motorola
+ok...
+
+"as a valued customer
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+i am at a party with alex nichols
+
+"don't think about \what u have got\"" think about \""how to use it that you have got\"" good ni8"""
+
+also remember the beads don't come off. ever.
+
+that's necessarily respectful
+
+but am going to college pa. what to do. are else ill come there it self. pa.
+
+"i'm tired of arguing with you about this week after week. do what you want and from now on
+"do you realize that in about 40 years
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+"yo
+"it'll be tough
+i've sent my wife your text. after we buy them she'll tell you what to do. so just relax. we should go get them this wkend.
+
+but pls dont play in others life.
+
+"bored of speed dating? try speedchat
+i only haf msn. it's yijue.com
+
+can u look 4 me in da lib i got stuff havent finish yet.
+
+twenty past five he said will this train have been to durham already or not coz i am in a reserved seat
+
+"haha
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+i think if he rule tamilnadu..then its very tough for our people.
+
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+apart from the one i told you about yesterday?
+
+cause i'm not freaky lol
+
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+i bought the test yesterday. its something that lets you know the exact day u ovulate.when will get 2u in about 2 to 3wks. but pls pls dont fret. i know u r worried. pls relax. also is there anything in ur past history u need to tell me?
+
+"sweet
+"ya tel
+what can i do? might accidant tookplace between somewhere ghodbandar rd. traffic moves slovely. so plz slip & don't worry.
+
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+guess he wants alone time. we could just show up and watch when they do..
+
+"i think your mentor is
+sounds like something that someone testing me would sayy
+
+"get 3 lions england tone
+havent planning to buy later. i check already lido only got 530 show in e afternoon. u finish work already?
+
+please tell me not all of my car keys are in your purse
+
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+"do you realize that in about 40 years
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+pls i wont belive god.not only jesus.
+
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+ok lor... sony ericsson salesman... i ask shuhui then she say quite gd 2 use so i considering...
+
+"you have won ?1
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+am i that much bad to avoid like this?
+
+call from 08702490080 - tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+shall i get my pouch?
+
+i dont understand your message.
+
+you have 1 new message. call 0207-083-6089
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now! hg/suite342/2lands row/w1j6hl
+
+"you 07801543489 are guaranteed the latests nokia phone
+"by march ending
+88066 from 88066 lost 3pound help
+
+"usf i guess
+no need to ke qi... ?? too bored izzit y suddenly thk of this...
+
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+neshanth..tel me who r u?
+
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+do you know when dad will be back?
+
+really good:)dhanush rocks once again:)
+
+it certainly puts things into perspective when something like this happens
+
+k..k:)how about your training process?
+
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+"what part of \don't initiate\"" don't you understand"""
+
+"princess
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+"urgent! your mobile no *********** won a ??2
+where are you ? you said you would be here when i woke ... :-(
+
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+"had your contract mobile 11 mnths? latest motorola
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+ok no prob. take ur time.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+"oh mr sheffield! you wanna play that game
+"urgent! your mobile was awarded a ??1
+"ever green quote ever told by jerry in cartoon \a person who irritates u always is the one who loves u vry much but fails to express it...!..!! :-) :-) gud nyt"""
+
+lmao ok i wont be needing u to do my hair anymore.
+
+"loan for any purpose ??500 - ??75
+"it could work
+happy new year my dear brother. i really do miss you. just got your number and decided to send you this text wishing you only happiness. abiola
+
+"actually nvm
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+"fighting with the world is easy
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+"\cheers for callin babe.sozi culdnt talkbut i wannatell u details later wenwecan chat properly x\"""""
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"god picked up a flower and dippeditinadew
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+panasonic & bluetoothhdset free. nokia free. motorola free & doublemins & doubletxt on orange contract. call mobileupd8 on 08000839402 or call 2optout
+
+win a ??1000 cash prize or a prize worth ??5000
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+"as a sim subscriber
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+i dnt wnt to tlk wid u
+
+pls give her the food preferably pap very slowly with loads of sugar. you can take up to an hour to give it. and then some water. very very slowly.
+
+"\pete can you please ring meive hardly gotany credit\"""""
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+genius what's up. how your brother. pls send his number to my skype.
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+"3 free tarot texts! find out about your love life now! try 3 for free! text chance to 85555 16 only! after 3 free
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+"maybe westshore or hyde park village
+aah bless! how's your arm?
+
+yes:)sura in sun tv.:)lol.
+
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+sir send to group mail check it.
+
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+yeah right! i'll bring my tape measure fri!
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+"as a sim subscriber
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+"hello
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+ho ho - big belly laugh! see ya tomo
+
+everybody had fun this evening. miss you.
+
+oh is it! which brand?
+
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+"i av a new number
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+its just the effect of irritation. just ignore it
+
+rats. hey did u ever vote for the next themes?
+
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+i surely dont forgot to come:)i will always be in touch in with you:-)
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+you have 1 new voicemail. please call 08719181513.
+
+"if you don't
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+"he is impossible to argue with and he always treats me like his sub
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+"when people see my msgs
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+oh k.k..where did you take test?
+
+aslamalaikkum....insha allah tohar beeen muht albi mufti mahfuuz...meaning same here....
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+yup i thk they r e teacher said that will make my face look longer. darren ask me not 2 cut too short.
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+yeh. indians was nice. tho it did kane me off a bit he he. we shud go out 4 a drink sometime soon. mite hav 2 go 2 da works 4 a laugh soon. love pete x x
+
+my tuition is at 330. hm we go for the 1120 to 1205 one? do you mind?
+
+today i'm not workin but not free oso... gee... thgt u workin at ur fren's shop ?
+
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+thanks. fills me with complete calm and reassurance!
+
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+"also north carolina and texas atm
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+"sorry
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+imagine life without me... see.. how fast u are searching me?don't worry.. l'm always there to disturb u.. goodnoon..:)
+
+any pain on urination any thing else?
+
+ujhhhhhhh computer shipped out with address to sandiago and parantella lane. wtf. poop.
+
+for fear of fainting with the of all that housework you just did? quick have a cuppa
+
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+"and stop wondering \wow is she ever going to stop tm'ing me ?!\"" because i will tm you whenever i want because you are mine ... *laughs*"""
+
+oh thats late! well have a good night and i will give u a call tomorrow. iam now going to go to sleep night night
+
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+jordan got voted out last nite!
+
+so u gonna get deus ex?
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+"sir
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+2/2 146tf150p
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+u should make a fb list
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"tonight? yeah
+"update_now - xmas offer! latest motorola
+match started.india <#> for 2
+
+"urgent! you have won a 1 week free membership in our ??100
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+why she wants to talk to me
+
+"bears pic nick
+you will be in the place of that man
+
+"dear voucher holder
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"perhaps * is much easy give your account identification
+im realy soz imat my mums 2nite what about 2moro
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+"sir
+"haven't found a way to get another app for your phone
+change again... it's e one next to escalator...
+
+dunno lei ?_ all decide lor. how abt leona? oops i tot ben is going n i msg him.
+
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+sorry. you never hear unless you book it. one was kinda a joke--thet were really looking for skinny white girls. the other was one line--you can only do so much on camera with that. something like that they're casting on the look.
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+i absolutely love south park! i only recently started watching the office.
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+yo dude guess who just got arrested the other day
+
+all these nice new shirts and the only thing i can wear them to is nudist themed ;_; you in mu?
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+at home by the way
+
+what do u want for xmas? how about 100 free text messages & a new video phone with half price line rental? call free now on 0800 0721072 to find out more!
+
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+"haha
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+"dear voucher holder
+have you been practising your curtsey?
+
+nobody names their penis a girls name this story doesn't add up at all
+
+"hmmm ... and imagine after you've come home from that having to rub my feet
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+hey. you got any mail?
+
+dorothy.com (bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+your right! i'll make the appointment right now.
+
+unfortunately i've just found out that we have to pick my sister up from the airport that evening so don't think i'll be going out at all. we should try to go out one of th
+
+haven't heard anything and he's not answering my texts so i'm guessing he flaked. that said the jb is fantastic
+
+"watching cartoon
+"i can probably come by
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+sorry * was at the grocers.
+
+oh:)as usual vijay film or its different?
+
+mark works tomorrow. he gets out at 5. his work is by your house so he can meet u afterwards.
+
+sms. ac sun0819 posts hello:\you seem cool
+
+with my sis lor... we juz watched italian job.
+
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+does not operate after <#> or what
+
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+who u talking about?
+
+k..i deleted my contact that why?
+
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+joy's father is john. then john is the ____ of joy's father. if u ans ths you hav <#> iq. tis s ias question try to answer.
+
+"hm good morning
+"urgent
+hi neva worry bout da truth coz the truth will lead me 2 ur heart. it??s the least a unique person like u deserve. sleep tight or morning
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+"accordingly. i repeat
+"xxxmobilemovieclub: to use your credit
+reverse is cheating. that is not mathematics.
+
+i had askd u a question some hours before. its answer
+
+?? no home work to do meh...
+
+"as a valued customer
+from 88066 lost ??12 help
+
+you have 1 new voicemail. please call 08719181513.
+
+"haha... sounds crazy
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+yeah so basically any time next week you can get away from your mom & get up before 3
+
+yes baby! i need to stretch open your pussy!
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+filthy stories and girls waiting for your
+
+ok i go change also...
+
+do you always celebrate ny's with your family ?
+
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+"i can't
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+k.then any other special?
+
+"babe
+just re read it and i have no shame but tell me how he takes it and if he runs i will blame u 4 ever!! not really 4 ever just a long time
+
+"as usual..iam fine
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+we tried to contact you re our offer of new video phone 750 anytime any network mins half price rental camcorder call 08000930705 or reply for delivery wed
+
+adult 18 content your video will be with you shortly
+
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+some are lasting as much as 2 hours. you might get lucky.
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+tell me pa. how is pain de.
+
+anyway seriously hit me up when you're back because otherwise i have to light up with armand and he always has shit and/or is vomiting
+
+ok lor but not too early. me still having project meeting now.
+
+"i want some cock! my hubby's away
+"orange customer
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+then. you are eldest know.
+
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+"six chances to win cash! from 100 to 20
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+i want to see your pretty pussy...
+
+"honeybee said: *i'm d sweetest in d world* god laughed & said: *wait
+were trying to find a chinese food place around here
+
+"loan for any purpose ??500 - ??75
+"house-maid is the murderer
+"good stuff
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+aiyar sorry lor forgot 2 tell u...
+
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+"congratulations! thanks to a good friend u have won the ??2
+this message is brought to you by gmw ltd. and is not connected to the
+
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+"eerie nokia tones 4u
+yes! i am a one woman man! please tell me your likes and dislikes in bed...
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+ah poop. looks like ill prob have to send in my laptop to get fixed cuz it has a gpu problem
+
+k:)k:)what are detail you want to transfer?acc no enough?
+
+hey check it da. i have listed da.
+
+?? comin to fetch us oredi...
+
+then ?_ come n pick me at 530 ar?
+
+sorry da thangam.it's my mistake.
+
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+seriously. tell her those exact words right now.
+
+"you are a ??1000 winner or guaranteed caller prize
+"eerie nokia tones 4u
+ok then i will come to ur home after half an hour
+
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+i send the print outs da.
+
+i can't describe how lucky you are that i'm actually awake by noon
+
+i am in office:)whats the matter..msg me now.i will call you at break:).
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+dude got a haircut. now its breezy up there
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+"freemsg hey u
+may i call you later pls
+
+"sorry
+u know we watchin at lido?
+
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+y?where u at dogbreath? its just sounding like jan c that??s al!!!!!!!!!
+
+your 2004 account for 07xxxxxxxxx shows 786 unredeemed points. to claim call 08719181259 identifier code: xxxxx expires 26.03.05
+
+god bless.get good sleep my dear...i will pray!
+
+rct' thnq adrian for u text. rgds vatian
+
+"i'll text carlos and let you know
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+"download as many ringtones as u like no restrictions
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+u still going to the mall?
+
+i will once i get home
+
+"thanks for your ringtone order
+lol for real. she told my dad i have cancer
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+yes there were many sweets
+
+i'm still looking for a car to buy. and have not gone 4the driving test yet.
+
+you flippin your shit yet?
+
+"you have won ?1
+so now my dad is gonna call after he gets out of work and ask all these crazy questions.
+
+i'll be at mu in like <#> seconds
+
+i love you. you set my soul on fire. it is not just a spark. but it is a flame. a big rawring flame. xoxo
+
+"latest news! police station toilet stolen
+if u laugh really loud.. if u talk spontaneously.. if u dont care what others feel.. u are probably with your dear & best friends.. goodevening dear..:)
+
+uhhhhrmm isnt having tb test bad when youre sick
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+"urgent!: your mobile no. was awarded a ??2
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+hey so whats the plan this sat?
+
+lol that would be awesome payback.
+
+hi its me you are probably having too much fun to get this message but i thought id txt u cos im bored! and james has been farting at me all night
+
+your opinion about me? 1. over 2. jada 3. kusruthi 4. lovable 5. silent 6. spl character 7. not matured 8. stylish 9. simple pls reply..
+
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+i wait 4 ?_ inside da car park...
+
+"sorry
+nooooooo i'm gonna be bored to death all day. cable and internet outage.
+
+hi mom we might be back later than <#>
+
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+should i have picked up a receipt or something earlier
+
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+hello- thanx for taking that call. i got a job! starts on monday!
+
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+moji just informed me that you saved our lives. thanks.
+
+"all the lastest from stereophonics
+"if you don't
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+good morning plz call me sir
+
+u say leh... of course nothing happen lar. not say v romantic jus a bit only lor. i thk e nite scenery not so nice leh.
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+by monday next week. give me the full gist
+
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+good morning princess! have a great day!
+
+why i come in between you people
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+private! your 2003 account statement for 078
+
+prabha..i'm soryda..realy..frm heart i'm sory
+
+"\hello u.call wen u finish wrk.i fancy meetin up wiv u all tonite as i need a break from dabooks. did 4 hrs last nite+2 today of wrk!\"""""
+
+we not watching movie already. xy wants 2 shop so i'm shopping w her now.
+
+"latest nokia mobile or ipod mp3 player +??400 proze guaranteed! reply with: win to 83355 now! norcorp ltd.??1
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+i had askd u a question some hours before. its answer
+
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+"house-maid is the murderer
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+88800 and 89034 are premium phone services call 08718711108
+
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+"honey
+baaaaaaaabe! wake up ! i miss you ! i crave you! i need you!
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+"new theory: argument wins d situation
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+im gonna miss u so much
+
+already am squatting is the new way of walking
+
+sure but since my parents will be working on tuesday i don't really need a cover story
+
+"mah b
+fuck cedar key and fuck her (come over anyway tho)
+
+uncle abbey! happy new year. abiola
+
+just haven't decided where yet eh ?
+
+ok ill tell the company
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+ok...
+
+"hottest pics straight to your phone!! see me getting wet and wanting
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+"romantic paris. 2 nights
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"thank you so much. when we skyped wit kz and sura
+is there coming friday is leave for pongal?do you get any news from your work place.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
+"mum
+well i will watch shrek in 3d!!b)
+
+i thank you so much for all you do with selflessness. i love you plenty.
+
+ok no problem... yup i'm going to sch at 4 if i rem correctly...
+
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+you want to go?
+
+"frnd s not juz a word.....not merely a relationship.....its a silent promise which says ... \ i will be with you \"" wherevr.. whenevr.. forevr... gudnyt dear.."""
+
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+2/2 146tf150p
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"the word \checkmate\"" in chess comes from the persian phrase \""shah maat\"" which means; \""the king is dead..\"" goodmorning.. have a good day..:)"""
+
+"claim a 200 shopping spree
+i need... coz i never go before
+
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+yun buying... but school got offer 2000 plus only...
+
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+we r outside already.
+
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+u guys never invite me anywhere :(
+
+"shop till u drop
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+08714712388 between 10am-7pm cost 10p
+
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+not from this campus. are you in the library?
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+so are you guys asking that i get that slippers again or its gone with last year
+
+85233 free>ringtone!reply real
+
+how much u trying to get?
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+what's ur pin?
+
+how's it going? got any exciting karaoke type activities planned? i'm debating whether to play football this eve. feeling lazy though.
+
+"i'll get there at 3
+play w computer? aiyah i tok 2 u lor?
+
+pls dont restrict her from eating anythin she likes for the next two days.
+
+"twinks
+cramps stopped. going back to sleep
+
+why did i wake up on my own >:(
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+"haha good to hear
+what you doing?how are you?
+
+"mum
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+shall call now dear having food
+
+yo! howz u? girls never rang after india. l
+
+"do you ever notice that when you're driving
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+"i'm there and i can see you
+pls confirm the time to collect the cheque.
+
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+can a not?
+
+88066 from 88066 lost 3pound help
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+lol you won't feel bad when i use her money to take you out to a steak dinner =d
+
+you have 1 new message. please call 08712400200.
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+hey i will be really pretty late... you want to go for the lesson first? i will join you. i'm only reaching tp mrt
+
+you do what all you like
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+i sent your maga that money yesterday oh.
+
+i wont touch you with out your permission.
+
+k... must book a not huh? so going for yoga basic on sunday?
+
+or better still can you catch her and let ask her if she can sell <#> for me.
+
+"download as many ringtones as u like no restrictions
+he says hi and to get your ass back to south tampa (preferably at a kegger)
+
+"sorry
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+pls ask macho how much is budget for bb bold 2 is cos i saw a new one for <#> dollars.
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+no:-)i got rumour that you going to buy apartment in chennai:-)
+
+"a boy loved a gal. he propsd bt she didnt mind. he gv lv lttrs
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+i have many dependents
+
+no that just means you have a fat head
+
+"urgent! you have won a 1 week free membership in our ??100
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+we're on the opposite side from where we dropped you off
+
+do ?_ all wan 2 meet up n combine all the parts? how's da rest of da project going?
+
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+what today-sunday..sunday is holiday..so no work..
+
+when are you going to ride your bike?
+
+tell where you reached
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"i don't know
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+or ?_ go buy wif him then i meet ?_ later can?
+
+i don't want you to leave. but i'm barely doing what i can to stay sane. fighting with you constantly isn't helping.
+
+when should i come over?
+
+i jokin oni lar.. ?? busy then i wun disturb ?_.
+
+hard but true: how much you show & express your love to someone....that much it will hurt when they leave you or you get seperated...!?????_?????ud evening...
+
+still i have not checked it da. . .
+
+arun can u transfr me d amt
+
+what happened in interview?
+
+"night has ended for another day
+"kind of. just missed train cos of asthma attack
+doesn't g have class early tomorrow and thus shouldn't be trying to smoke at <#>
+
+doing my masters. when will you buy a bb cos i have for sale and how's bf
+
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+"awesome
+anything lar...
+
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+studying. but i.ll be free next weekend.
+
+i'm at work. please call
+
+yes:)here tv is always available in work place..
+
+i'm not. she lip synced with shangela.
+
+"think ur smart ? win ??200 this week in our weekly quiz
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+super msg da:)nalla timing.
+
+k.k.this month kotees birthday know?
+
+"sms. ac jsco: energy is high
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+you have 1 new message. please call 08718738034.
+
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+oh sorry please its over
+
+"<#> is fast approaching. so
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+ok. very good. its all about making that money.
+
+"hello from orange. for 1 month's free access to games
+"\wen u miss someone why to miss them just keep-in-touch\"" gdeve.."""
+
+i will send them to your email. do you mind <#> times per night?
+
+"loan for any purpose ??500 - ??75
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+"wen ur lovable bcums angry wid u
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+what is the plural of the noun research?
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+"no we put party 7 days a week and study lightly
+you have an important customer service announcement from premier.
+
+i not at home now lei...
+
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+but if she.s drinkin i'm ok.
+
+when are you guys leaving?
+
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+what is your account number?
+
+are you willing to go for aptitude class.
+
+"oh... i was thkin of goin yogasana at 10 den no nd to go at 3 den can rush to parco 4 nb... okie lor
+was actually sleeping and still might when u call back. so a text is gr8. you rock sis. will send u a text wen i wake.
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+"haha better late than ever
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+"hi babe its chloe
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+"thanks for your ringtone order
+back 2 work 2morro half term over! can u c me 2nite 4 some sexy passion b4 i have 2 go back? chat now 09099726481 luv dena calls ??1/minmobsmorelkpobox177hp51fl
+
+and also i've sorta blown him off a couple times recently so id rather not text him out of the blue looking for weed
+
+k:)k.are you in college?
+
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+"freemsg why haven't you replied to my text? i'm randy
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+sent me de webadres for geting salary slip
+
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+"yeah i am
+how much r ?_ willing to pay?
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+"yes obviously
+i wont do anything de.
+
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+i cant wait to see you! how were the photos were useful? :)
+
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"trust me. even if isn't there
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+i notice you like looking in the shit mirror youre turning into a right freak
+
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+are we doing the norm tomorrow? i finish just a 4.15 cos of st tests. need to sort library stuff out at some point tomo - got letter from today - access til end march so i better get move on!
+
+all sounds good. fingers . makes it difficult to type
+
+sorry about that this is my mates phone and i didnt write it love kate
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+"had your contract mobile 11 mnths? latest motorola
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+okay but i thought you were the expert
+
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+your dad is back in ph?
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+dun need to use dial up juz open da browser n surf...
+
+"hello
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+shhhhh nobody is supposed to know!
+
+i think chennai well settled?
+
+"you are guaranteed the latest nokia phone
+ya i knw u vl giv..its ok thanks kano..anyway enjoy wit ur family wit 1st salary..:-);-)
+
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+r u in this continent?
+
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+"you 07801543489 are guaranteed the latests nokia phone
+check audrey's status right now
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+daddy will take good care of you :)
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+"thank you. and by the way
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+pls she needs to dat slowly or she will vomit more.
+
+i sent lanre fakeye's eckankar details to the mail box
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+really dun bluff me leh... u sleep early too. nite...
+
+"freemsg why haven't you replied to my text? i'm randy
+let me know if you need anything else. salad or desert or something... how many beers shall i get?
+
+"new tones this week include: 1)mcfly-all ab..
+"goodmorning
+"get 3 lions england tone
+which is why i never wanted to tell you any of this. which is why i'm so short with you and on-edge as of late.
+
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+"oh really? perform
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+thank u!
+
+nope i'll come online now..
+
+"you aren't coming home between class
+u attend ur driving lesson how many times a wk n which day?
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+the greatest test of courage on earth is to bear defeat without losing heart....gn tc
+
+"okay. no no
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+ok then i'll let him noe later n ask him call u tmr...
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+"do you ever notice that when you're driving
+ok
+
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+so gd got free ice cream... i oso wan...
+
+nice talking to you! please dont forget my pix :) i want to see all of you...
+
+well then you have a great weekend!
+
+ok...
+
+"loan for any purpose ??500 - ??75
+how much it will cost approx . per month.
+
+"they said if its gonna snow
+did u get that message
+
+"awesome
+can you do online transaction?
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+your pussy is perfect!
+
+i want kfc its tuesday. only buy 2 meals only 2. no gravy. only 2 mark. 2!
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+networking technical support associate.
+
+otherwise had part time job na-tuition..
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+"5 free top polyphonic tones call 087018728737
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+"as a valued customer
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+"sorry
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
+do u konw waht is rael friendship im gving yuo an exmpel: jsut ese tihs msg.. evrey splleing of tihs msg is wrnog.. bt sitll yuo can raed it wihtuot ayn mitsake.. goodnight & have a nice sleep..sweet dreams..
+
+i love your ass! do you enjoy doggy style? :)
+
+i'm in inside office..still filling forms.don know when they leave me.
+
+somebody set up a website where you can play hold em using eve online spacebucks
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+ok can...
+
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+"that's fine
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+hi! this is roger from cl. how are you?
+
+yeah but which is worse for i
+
+anything lor if they all go then i go lor...
+
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+"44 7732584351
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+me too watching surya movie only. . .after 6 pm vijay movie pokkiri
+
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+ok enjoy . r u there in home.
+
+waaaat?? lololo ok next time then!
+
+yes. that will be fine. love you. be safe.
+
+yeah that'd pretty much be the best case scenario
+
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+"\for the most sparkling shopping breaks from 45 per person; call 0121 2025050 or visit www.shortbreaks.org.uk\"""""
+
+i couldn't say no as he is a dying man and i feel sad for him so i will go and i just wanted you to know i would probably be gone late into your night
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+adult 18 content your video will be with you shortly
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+whore you are unbelievable.
+
+"sure
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+dunno lei... i might b eatin wif my frens... if ?_ wan to eat then i wait 4 ?_ lar
+
+"alright we'll bring it to you
+no da..today also i forgot..
+
+"a boy was late 2 home. his father: \power of frndship\"""""
+
+you best watch what you say cause i get drunk as a motherfucker
+
+s da..al r above <#>
+
+today iz yellow rose day. if u love my frndship give me 1 misscall & send this to ur frndz & see how many miss calls u get. if u get 6missed u marry ur lover.
+
+are you sure you don't mean \get here
+
+sad story of a man - last week was my b'day. my wife did'nt wish me. my parents forgot n so did my kids . i went to work. even my colleagues did not wish.
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+ok
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"freemsg why haven't you replied to my text? i'm randy
+r ?_ comin back for dinner?
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+he is world famamus....
+
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+haiyoh... maybe your hamster was jealous of million
+
+oh... okie lor...we go on sat...
+
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+how come i din c ?_... yup i cut my hair...
+
+"yeah why not
+hello hun how ru? its here by the way. im good. been on 2 dates with that guy i met in walkabout so far. we have to meet up soon. hows everyone else?
+
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+"i'm in solihull
+"i can't right this second
+love has one law; make happy the person you love. in the same way friendship has one law; never make ur friend feel alone until you are alive.... gud night
+
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+oh god. i'm gonna google nearby cliffs now.
+
+ok im not sure what time i finish tomorrow but i wanna spend the evening with you cos that would be vewy vewy lubly! love me xxx
+
+freemsg>fav xmas tones!reply real
+
+should i head straight there or what
+
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+no i'm in the same boat. still here at my moms. check me out on yo. i'm half naked.
+
+fine i miss you very much.
+
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+ummma.will call after check in.our life will begin from qatar so pls pray very hard.
+
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+dont kick coco when he's down
+
+erutupalam thandiyachu
+
+oops sorry. just to check that you don't mind picking me up tomo at half eight from station. would that be ok?
+
+"ah
+"loan for any purpose ??500 - ??75
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+this is wishing you a great day. moji told me about your offer and as always i was speechless. you offer so easily to go to great lengths on my behalf and its stunning. my exam is next friday. after that i will keep in touch more. sorry.
+
+sorry i now then c ur msg... yar lor so poor thing... but only 4 one night... tmr u'll have a brand new room 2 sleep in...
+
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+"miss ya
+"sorry
+tell my bad character which u dnt lik in me. i'll try to change in <#> . i ll add tat 2 my new year resolution. waiting for ur reply.be frank...good morning.
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+hi! you just spoke to maneesha v. we'd like to know if you were satisfied with the experience. reply toll free with yes or no.
+
+"\gimme a few\"" was <#> minutes ago"""
+
+mum not going robinson already.
+
+huh but i cant go 2 ur house empty handed right?
+
+whats the staff name who is taking class for us?
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+"wa
+k...k:)why cant you come here and search job:)
+
+if i start sending blackberry torch to nigeria will you find buyer for me?like 4a month. and tell dad not to buy bb from anyone oh.
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+* free* polyphonic ringtone text super to 87131 to get your free poly tone of the week now! 16 sn pobox202 nr31 7zs subscription 450pw
+
+"update_now - xmas offer! latest motorola
+"just making dinner
+thanx 4 puttin da fone down on me!!
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+cancel cheyyamo?and get some money back?
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+"latest news! police station toilet stolen
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+the monthly amount is not that terrible and you will not pay anything till 6months after finishing school.
+
+hope you are having a good week. just checking in
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+watching ajith film ah?
+
+what's up. do you want me to come online?
+
+yeah it's jus rite...
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+urgent! your mobile number has been awarded with a ??2000 bonus caller prize. call 09058095201 from land line. valid 12hrs only
+
+hiya stu wot u up 2.im in so much truble at home at moment evone hates me even u! wot the hell av i done now? y wont u just tell me text bck please luv dan
+
+"congratulations! thanks to a good friend u have won the ??2
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+"accordingly. i repeat
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+we live in the next <#> mins
+
+yes i think so. i am in office but my lap is in room i think thats on for the last few days. i didnt shut that down
+
+sorry da:)i was thought of calling you lot of times:)lil busy.i will call you at noon..
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+yup... ok i go home look at the timings then i msg ?_ again... xuhui going to learn on 2nd may too but her lesson is at 8am
+
+can't take any major roles in community outreach. you rock mel
+
+i'm in town now so i'll jus take mrt down later.
+
+is ur paper today in e morn or aft?
+
+whatsup there. dont u want to sleep
+
+ok lar... joking wif u oni...
+
+well done and ! luv ya all
+
+you available now? i'm like right around hillsborough & <#> th
+
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+gudnite....tc...practice going on
+
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+(that said can you text him one more time?)
+
+"no
+"i'm not smoking while people use \wylie smokes too much\"" to justify ruining my shit"""
+
+the basket's gettin full so i might be by tonight
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"xmas offer! latest motorola
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+"if you don't
+i want to grasp your pretty booty :)
+
+"hello from orange. for 1 month's free access to games
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+"machan you go to gym tomorrow
+still otside le..u come 2morrow maga..
+
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+great. never been better. each day gives even more reasons to thank god
+
+"i dun thk i'll quit yet... hmmm
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+... are you in the pub?
+
+"latest news! police station toilet stolen
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+huh y lei...
+
+"the gas station is like a block away from my house
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+roger that. we???re probably going to rem in about 20
+
+missed call alert. these numbers called but left no message. 07008009200
+
+"think ur smart ? win ??200 this week in our weekly quiz
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+"good afternon
+i plane to give on this month end.
+
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+"complimentary 4 star ibiza holiday or ??10
+y so late but i need to go n get da laptop...
+
+"aight that'll work
+that means from february to april i'll be getting a place to stay down there so i don't have to hustle back and forth during audition season as i have since my sister moved away from harlem.
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+i want to send something that can sell fast. <#> k is not easy money.
+
+"latest news! police station toilet stolen
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+im gonnamissu so much!!i would say il send u a postcard buttheres aboutas much chance of merememberin asthere is ofsi not breakin his contract!! luv yaxx
+
+hanging out with my brother and his family
+
+i will cal you sir. in meeting
+
+"urgent! your mobile was awarded a ??1
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+ok.ok ok..then..whats ur todays plan
+
+hey they r not watching movie tonight so i'll prob b home early...
+
+die... i accidentally deleted e msg i suppose 2 put in e sim archive. haiz... i so sad...
+
+"yeah
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+s.i think he is waste for rr..
+
+"hmm... dunno leh
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+<#> w jetton ave if you forgot
+
+then dun wear jeans lor...
+
+oh really?? did you make it on air? what's your talent?
+
+"ups which is 3days also
+gam gone after outstanding innings.
+
+still in customer place
+
+painful words- \i thought being happy was the most toughest thing on earth... but
+
+"like i made him throw up when we were smoking in our friend's car one time
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+s:)s.nervous <#> :)
+
+"dont pack what you can buy at any store.like cereals. if you must pack food
+"hi this is yijue
+"hottest pics straight to your phone!! see me getting wet and wanting
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+i am not having her number sir
+
+ha... then we must walk to everywhere... cannot take tram. my cousin said can walk to vic market from our hotel
+
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+"0a$networks allow companies to bill for sms
+did u see what i posted on your facebook?
+
+"six chances to win cash! from 100 to 20
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+"a gram usually runs like <#>
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+"haha awesome
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+ok...
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+i cant pick the phone right now. pls send a message
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+apo all other are mokka players only
+
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+the length is e same but e top shorter n i got a fringe now. i thk i'm not going liao. too lazy. dun wan 2 distract u also.
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+what year. and how many miles.
+
+that's y we haf to combine n c how lor...
+
+"whatever
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+"damn
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+i dnt wnt to tlk wid u
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+whatsup there. dont u want to sleep
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+thats cool! i am a gentleman and will treat you with dignity and respect.
+
+"get 3 lions england tone
+"spjanuary male sale! hot gay chat now cheaper
+is avatar supposed to have subtoitles
+
+\hey sorry i didntgive ya a a bellearlier hunny
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+"yeah
+ok. how many should i buy.
+
+"you 07801543489 are guaranteed the latests nokia phone
+i'm going out to buy mum's present ar.
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+"accordingly. i repeat
+"romantic paris. 2 nights
+i.ll get there tomorrow and send it to you
+
+i am hot n horny and willing i live local to you - text a reply to hear strt back from me 150p per msg netcollex ltdhelpdesk: 02085076972 reply stop to end
+
+"hello darling how are you today? i would love to have a chat
+"vikky
+"urgent
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+hey pple...$700 or $900 for 5 nights...excellent location wif breakfast hamper!!!
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+ok... help me ask if she's working tmr a not?
+
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+\cha quiteamuzing that??scool babe
+
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+pick you up bout 7.30ish? what time are and that going?
+
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+badrith is only for chennai:)i will surely pick for us:)no competition for him.
+
+mum ask ?_ to buy food home...
+
+i keep ten rs in my shelf:) buy two egg.
+
+watching tv lor... y she so funny we bluff her 4 wat. izzit because she thk it's impossible between us?
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"do 1 thing! change that sentence into: \because i want 2 concentrate in my educational career im leaving here..\"""""
+
+they did't play one day last year know even though they have very good team.. like india.
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com 1 win150ppmx3age16
+
+dunno da next show aft 6 is 850. toa payoh got 650.
+
+i'm always looking for an excuse to be in the city.
+
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+i'm really sorry i lit your hair on fire
+
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+"sorry
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+"i've not called you in a while. this is hoping it was l8r malaria and that you know that we miss you guys. i miss bani big
+ok.
+
+"thanks for your ringtone order
+freemsg>fav xmas tones!reply real
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+then ?_ ask dad to pick ?_ up lar... ?? wan 2 stay until 6 meh...
+
+k:)k:)good:)study well.
+
+"i'm back
+aight do you still want to get money
+
+do u hav any frnd by name ashwini in ur college?
+
+lol ... have you made plans for new years?
+
+"you 07801543489 are guaranteed the latests nokia phone
+have a good evening! ttyl
+
+"i'm done. i'm sorry. i hope your next space gives you everything you want. remember all the furniture is yours. if i'm not around when you move it
+i attended but nothing is there.
+
+"sms services. for your inclusive text credits
+okie
+
+so that means you still think of teju
+
+"better than bb. if he wont use it
+im fine babes aint been up 2 much tho! saw scary movie yest its quite funny! want 2mrw afternoon? at town or mall or sumthin?xx
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+no need for the drug anymore.
+
+nan sonathaya soladha. why boss?
+
+i havent add ?_ yet right..
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+is xy going 4 e lunch?
+
+r u &sam p in eachother. if we meet we can go 2 my house
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712379 between 10am-7pm cost 10p
+
+"babe
+"urgent urgent! we have 800 free flights to europe to give away
+uncle boye. i need movies oh. guide me. plus you know torrents are not particularly legal here. and the system is slowing down. what should i do. have a gr8 day. plus have you started cos i dont meet you online. how was the honey moon.
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+thanx u darlin!im cool thanx. a few bday drinks 2 nite. 2morrow off! take care c u soon.xxx
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+"princess
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+ard 6 like dat lor.
+
+"free msg. sorry
+i was at bugis juz now wat... but now i'm walking home oredi... ?? so late then reply... i oso saw a top dat i like but din buy... where r ?_ now?
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"not much
+feel like trying kadeem again? :v
+
+give one miss from that number please
+
+yup bathe liao...
+
+oh k :)why you got job then whats up?
+
+wif my family booking tour package.
+
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
+"44 7732584351
+from 88066 lost ??12 help
+
+you're not sure that i'm not trying to make xavier smoke because i don't want to smoke after being told i smoke too much?
+
+is that on the telly? no its brdget jones!
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"aight i'll grab something to eat too
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+i taught that ranjith sir called me. so only i sms like that. becaus hes verifying about project. prabu told today so only pa dont mistake me..
+
+oh ho. is this the first time u use these type of words
+
+i thk 50 shd be ok he said plus minus 10.. did ?_ leave a line in between paragraphs?
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+hey! congrats 2u2. id luv 2 but ive had 2 go home!
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+"came to look at the flat
+i'll text now! all creepy like so he won't think that we forgot
+
+lol i would but despite these cramps i like being a girl.
+
+darren was saying dat if u meeting da ge den we dun meet 4 dinner. cos later u leave xy will feel awkward. den u meet him 4 lunch lor.
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+of course. i guess god's just got me on hold right now.
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+"i know you are thinkin malaria. but relax
+can you let me know details of fri when u find out cos i'm not in tom or fri. mentionned chinese. thanks
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+are you available for soiree on june 3rd?
+
+tell her i said eat shit.
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+"1) go to write msg 2) put on dictionary mode 3)cover the screen with hand
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+you sure your neighbors didnt pick it up
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+not directly behind... abt 4 rows behind ?_...
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+u dun say so early hor... u c already then say...
+
+well she's in for a big surprise!
+
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+"no my blankets are sufficient
+"k
+just nw i came to hme da..
+
+"congratulations - thanks to a good friend u have won the ??2
+s:)no competition for him.
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+"hi
+"dad wanted to talk about the apartment so i got a late start
+anything lor... u decide...
+
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+haha... they cant what... at the most tmr forfeit... haha so how?
+
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+okay lor... will they still let us go a not ah? coz they will not know until later. we drop our cards into the box right?
+
+"probably
+"congratulations! thanks to a good friend u have won the ??2
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+how much you got for cleaning
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+i wanted to wish you a happy new year and i wanted to talk to you about some legal advice to do with when gary and i split but in person. i'll make a trip to ptbo for that. i hope everything is good with you babe and i love ya :)
+
+pls send me the correct name da.
+
+??_ and don???t worry we???ll have finished by march ??_ ish!
+
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+"hi
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+its a part of checking iq
+
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+"hello from orange. for 1 month's free access to games
+"no worries
+"xmas & new years eve tickets are now on sale from the club
+we're done...
+
+adult 18 content your video will be with you shortly
+
+"had your contract mobile 11 mnths? latest motorola
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+"wishing you and your family merry \x\"" mas and happy new year in advance.."""
+
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"urgent urgent! we have 800 free flights to europe to give away
+"same
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+you have 1 new message. please call 08718738034.
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+oh... kay... on sat right?
+
+hi. happy new year. i dont mean to intrude but can you pls let me know how much tuition you paid last semester and how much this semester is. thanks
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+great. hope you are using your connections from mode men also cos you can never know why old friends can lead you to today
+
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+"double mins & 1000 txts on orange tariffs. latest motorola
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+no. did you multimedia message them or e-mail?
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+"new tones this week include: 1)mcfly-all ab..
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+i'm not driving... raining! then i'll get caught at e mrt station lor.
+
+"how about clothes
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+"i do know what u mean
+yo do you know anyone <#> or otherwise able to buy liquor? our guy flaked and right now if we don't get a hold of somebody its just 4 loko all night
+
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+i also thk too fast... xy suggest one not me. u dun wan it's ok. going 2 rain leh where got gd.
+
+yup song bro. no creative. neva test quality. he said check review online.
+
+"not for possession
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+"i wonder if your phone battery went dead ? i had to tell you
+are you this much buzy
+
+"that??s alrite girl
+no. it's not pride. i'm almost <#> years old and shouldn't be takin money from my kid. you're not supposed to have to deal with this stuff. this is grownup stuff--why i don't tell you.
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+ok. c u then.
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+dont flatter yourself... tell that man of mine two pints of carlin in ten minutes please....
+
+ok.ok ok..then..whats ur todays plan
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+win a ??1000 cash prize or a prize worth ??5000
+
+my sis is catching e show in e afternoon so i'm not watching w her. so c u wan 2 watch today or tmr lor.
+
+where are you ? what do you do ? how can you stand to be away from me ? doesn't your heart ache without me ? don't you wonder of me ? don't you crave me ?
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+"8 at the latest
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+ok i found dis pierre cardin one which looks normal costs 20 its on sale.
+
+"for you information
+now that you have started dont stop. just pray for more good ideas and anything i see that can help you guys i.ll forward you a link.
+
+actually i deleted my old website..now i m blogging at magicalsongs.blogspot.com
+
+try neva mate!!
+
+when is school starting. where will you stay. what's the weather like. and the food. do you have a social support system like friends in the school. all these things are important.
+
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+"a famous quote : when you develop the ability to listen to 'anything' unconditionally without losing your temper or self confidence
+ok k..sry i knw 2 siva..tats y i askd..
+
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+give me a sec to think think about it
+
+yavnt tried yet and never played original either
+
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+if he started searching he will get job in few days.he have great potential and talent.
+
+oops i was in the shower when u called. hey a parking garage collapsed at university hospital. see i'm not crazy. stuff like that does happen.
+
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+sary just need tim in the bollox &it hurt him a lot so he tol me!
+
+am up to my eyes in philosophy
+
+what number do u live at? is it 11?
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"goal! arsenal 4 (henry
+"haha... where got so fast lose weight
+company is very good.environment is terrific and food is really nice:)
+
+"haven't seen my facebook
+oh ok no prob..
+
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+"sms services. for your inclusive text credits
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+08714712388 between 10am-7pm cost 10p
+
+i am not sure about night menu. . . i know only about noon menu
+
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"good evening sir
+did you try making another butt.
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+"don't worry
+text her. if she doesnt reply let me know so i can have her log in
+
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+"nowadays people are notixiquating the laxinorficated opportunity for bambling of entropication.... have you ever oblisingately opted ur books for the masteriastering amplikater of fidalfication? it is very champlaxigating
+"urgent ur awarded a complimentary trip to eurodisinc trav
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+hi im having the most relaxing time ever! we have to get up at 7am every day! was the party good the other night? i get home tomorrow at 5ish.
+
+are you planning to come chennai?
+
+only once then after ill obey all yours.
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+ok give me 5 minutes i think i see her. btw you're my alibi. you were cutting my hair the whole time.
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+"probably not
+also that chat was awesome but don't make it regular unless you can see her in person
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+"oh
+if you're not in my car in an hour and a half i'm going apeshit
+
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+as if i wasn't having enough trouble sleeping.
+
+reply to win ??100 weekly! where will the 2006 fifa world cup be held? send stop to 87239 to end service
+
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+the greatest test of courage on earth is to bear defeat without losing heart....gn tc
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+"k
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+"oh
+don't look back at the building because you have no coat and i don't want you to get more sick. just hurry home and wear a coat to the gym!!!
+
+rofl betta invest in some anti aging products
+
+well i wasn't available as i washob nobbing with last night so they had to ask nickey platt instead of me!;
+
+"complimentary 4 star ibiza holiday or ??10
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+have you laid your airtel line to rest?
+
+yeah i'll try to scrounge something up
+
+"you are a ??1000 winner or guaranteed caller prize
+yes fine
+
+ok that's great thanx a lot.
+
+"that???s the thing with apes
+"ur balance is now ??600. next question: complete the landmark
+don't forget though that i love you .... and i walk beside you. watching over you and keeping your heart warm.
+
+hello. damn this christmas thing. i think i have decided to keep this mp3 that doesnt work.
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+yes... i trust u to buy new stuff asap so i can try it out
+
+freemsg>fav xmas tones!reply real
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+are you not around or just still asleep? :v
+
+asking do u knw them or nt? may be ur frnds or classmates?
+
+oh unintentionally not bad timing. great. fingers the trains play along! will give fifteen min warning.
+
+"dude u knw also telugu..thts gud..k
+i accidentally brought em home in the box
+
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+im done. just studyn in library
+
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+ok no prob
+
+are you up for the challenge? i know i am :)
+
+please call 08712404000 immediately as there is an urgent message waiting for you.
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+"hey babe
+then anything special?
+
+"had your contract mobile 11 mnths? latest motorola
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+ok c ?_ then.
+
+i felt so...not any conveying reason.. ese he... what about me?
+
+then cant get da laptop? my matric card wif ?_ lei...
+
+i liked your new house
+
+bring tat cd don forget
+
+will you be here for food
+
+"haha
+i'm in office now . i will call you <#> min:)
+
+2p per min to call germany 08448350055 from your bt line. just 2p per min. check planettalkinstant.com for info & t's & c's. text stop to opt out
+
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+yup. wun believe wat? u really neva c e msg i sent shuhui?
+
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+o. guess they both got screwd
+
+k.k..how is your sister kids?
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+hard live 121 chat just 60p/min. choose your girl and connect live. call 09094646899 now! cheap chat uk's biggest live service. vu bcm1896wc1n3xx
+
+"jolly good! by the way
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+"this is the 2nd attempt to contract u
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+"hmmm.. thk sure got time to hop ard... ya
+"good afternoon
+why nothing. ok anyway give me treat
+
+"\hi darlin i cantdo anythingtomorrow as myparents aretaking me outfor a meal. when are u free? katexxx\"""""
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+dunno dat's wat he told me. ok lor...
+
+hey mr and i are going to the sea view and having a couple of gays i mean games! give me a bell when ya finish
+
+"k
+"44 7732584351
+win a ??1000 cash prize or a prize worth ??5000
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+"just got some gas money
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+ofcourse i also upload some songs
+
+"accordingly. i repeat
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid 12hrs only
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
++449071512431 urgent! this is the 2nd attempt to contact u!u have won ??1250 call 09071512433 b4 050703 t&csbcm4235wc1n3xx. callcost 150ppm mobilesvary. max??7. 50
+
+i am taking you for italian food. how about a pretty dress with no panties? :)
+
+meet you in corporation st outside gap ??_ you can see how my mind is working!
+
+hows the champ just leaving glasgow!
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network by txting moan to 69888nyt. ec2a. 31p.msg
+
+i (career tel) have added u as a contact on indyarocks.com to send free sms. to remove from phonebook - sms no to <#>
+
+"oops
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"0a$networks allow companies to bill for sms
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+just sleeping..and surfing
+
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+monthly password for wap. mobsi.com is 391784. use your wap phone not pc.
+
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+why tired what special there you had
+
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+"em
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"'an amazing quote'' - \sometimes in life its difficult to decide whats wrong!! a lie that brings a smile or the truth that brings a tear....\"""""
+
+saw guys and dolls last night with patrick swayze it was great
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+dunno i juz askin cos i got a card got 20% off 4 a salon called hair sense so i tot it's da one ?_ cut ur hair.
+
+customer service annoncement. you have a new years delivery waiting for you. please call 07046744435 now to arrange delivery
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+sms auction - a brand new nokia 7250 is up 4 auction today! auction is free 2 join & take part! txt nokia to 86021 now!
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+"bored of speed dating? try speedchat
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+loosu go to hospital. de dont let it careless.
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt vpod to 81303 ts&cs www.textpod.net custcare 08712405020.
+
+no it's waiting in e car dat's bored wat. cos wait outside got nothing 2 do. at home can do my stuff or watch tv wat.
+
+thanx...
+
+lmao but its so fun...
+
+i said its okay. sorry
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+where @
+
+babe ! what are you doing ? where are you ? who are you talking to ? do you think of me ? are you being a good boy? are you missing me? do you love me ?
+
+"mostly sports type..lyk footbl
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+are you willing to go for apps class.
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+"sorry
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+gettin rdy to ship comp
+
+"aight
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+100 dating service cal;l 09064012103 box334sk38ch
+
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+i'm awake oh. what's up.
+
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+"ok
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+sorry i din lock my keypad.
+
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+i am great princess! what are you thinking about me? :)
+
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+now i'm going for lunch.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"today is sorry day.! if ever i was angry with you
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+as per your request 'melle melle (oru minnaminunginte nurungu vettam)' has been set as your callertune for all callers. press *9 to copy your friends callertune
+
+lol great now im getting hungry.
+
+wat would u like 4 ur birthday?
+
+"ok da
+da is good good player.why he is unsold.
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+yup i'm elaborating on the safety aspects and some other issues..
+
+raji..pls do me a favour. pls convey my birthday wishes to nimya. pls. today is her birthday.
+
+"good morning
+they just talking thats it de. they wont any other.
+
+i have a sore throat. it's scratches when i talk
+
+also where's the piece
+
+what's happening with you. have you gotten a job and have you begun registration for permanent residency
+
+u goin out 2nite?
+
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+well i know z will take care of me. so no worries.
+
+i want to sent <#> mesages today. thats y. sorry if i hurts
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+but we havent got da topic yet rite?
+
+sitting in mu waiting for everyone to get out of my suite so i can take a shower
+
+ya srsly better than yi tho
+
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+dear got train and seat mine lower seat
+
+"what i mean was i left too early to check
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+gud ni8.swt drms.take care
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+u buy newspapers already?
+
+i will reach office around <decimal> . & my mobile have problem. you cann't get my voice. so call you asa i'll free
+
+"free game. get rayman golf 4 free from the o2 games arcade. 1st get ur games settings. reply post
+short but cute: \be a good person
+
+went to ganesh dress shop
+
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+aft i finish my lunch then i go str down lor. ard 3 smth lor. u finish ur lunch already?
+
+hey cutie. how goes it? here in wales its kinda ok. there is like hills and shit but i still avent killed myself.
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+of course ! don't tease me ... you know i simply must see ! *grins* ... do keep me posted my prey ... *loving smile* *devouring kiss*
+
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+"shop till u drop
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+"xmas & new years eve tickets are now on sale from the club
+"0a$networks allow companies to bill for sms
+"yup. anything lor
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+ok...
+
+88800 and 89034 are premium phone services call 08718711108
+
+"yo my trip got postponed
+network operator. the service is free. for t & c's visit 80488.biz
+
+"your account has been credited with 500 free text messages. to activate
+if you r @ home then come down within 5 min
+
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+"urgent! your mobile no was awarded a ??2
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+good morning my dear........... have a great & successful day.
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+unless it's a situation where you go gurl would be more appropriate
+
+"hi
+hello. we need some posh birds and chaps to user trial prods for champneys. can i put you down? i need your address and dob asap. ta r
+
+"as a valued customer
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+"\life is nothing wen v get everything\"". but \""life is everything wen v miss something \"". real value of people wil be realized only in their absence.... gud mrng"""
+
+hi da:)how is the todays class?
+
+no da. . vijay going to talk in jaya tv
+
+what time. i???m out until prob 3 or so
+
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"sms services. for your inclusive text credits
+missed call alert. these numbers called but left no message. 07008009200
+
+ok lor. msg me b4 u call.
+
+okie...
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+"six chances to win cash! from 100 to 20
+how? izzit still raining?
+
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+"orange customer
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+yes. they replied my mail. i'm going to the management office later. plus will in to bank later also.or on wednesday.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+dating:i have had two of these. only started after i sent a text to talk sport radio last week. any connection do you think or coincidence?
+
+never blame a day in ur life. good days give u happiness. bad days give u experience. both are essential in life! all are gods blessings! good morning.:
+
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+prepare to be pounded every night...
+
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+"orange brings you ringtones from all time chart heroes
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+leave it. u will always be ignorant.
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+i can't believe how attached i am to seeing you every day. i know you will do the best you can to get to me babe. i will go to teach my class at your midnight
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+prepare to be pleasured :)
+
+smile in pleasure smile in pain smile when trouble pours like rain smile when sum1 hurts u smile becoz someone still loves to see u smiling!!
+
+how's it feel? mr. your not my real valentine just my yo valentine even tho u hardly play!!
+
+i donno its in your genes or something
+
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+a bloo bloo bloo i'll miss the first bowl
+
+hey tmr maybe can meet you at yck
+
+pls dont forget to study
+
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+"our mobile number has won ??5000
+happy new year to u too!
+
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+"hottest pics straight to your phone!! see me getting wet and wanting
+aiyar u so poor thing... i give u my support k... jia you! i'll think of u...
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+depends on individual lor e hair dresser say pretty but my parents say look gong. u kaypoh.. i also dunno wat she collecting.
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+free msg: single? find a partner in your area! 1000s of real people are waiting to chat now!send chat to 62220cncl send stopcs 08717890890??1.50 per msg
+
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+"no
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+"aight yo
+hi its in durban are you still on this number
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+no da:)he is stupid da..always sending like this:)don believe any of those message.pandy is a mental:)
+
+we tried to contact you re your reply to our offer of a video phone 750 anytime any network mins half price line rental camcorder reply or call 08000930705
+
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"geeeee ... your internet is really bad today
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+what you did in leave.
+
+"new mobiles from 2004
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+"see
+lmao. take a pic and send it to me.
+
+anyway i'm going shopping on my own now. cos my sis not done yet. dun disturb u liao.
+
+3. you have received your mobile content. enjoy
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+shall i come to get pickle
+
+"dear all
+ok then no need to tell me anything i am going to sleep good night
+
+what should i eat fo lunch senor
+
+i think just yourself ??_thanks and see you tomo
+
+freemsg: txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop
+
+"hey
+"sorry
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+u really pig leh sleep so much. my dad wake me up at 10 smth 2 eat lunch today.
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+"aight will do
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+"aight
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001295 from land line. claim a21. valid 12hrs only
+
+in the end she might still vomit but its okay. not everything will come out.
+
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+take care n get well soon
+
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+right it wasnt you who phoned it was someone with a number like yours!
+
+"hi this is amy
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+someone has contacted our dating service and entered your phone because they fancy you! to find out who it is call from a landline 09111032124 . pobox12n146tf150p
+
+holy living christ what is taking you so long
+
+"aight
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+u come n search tat vid..not finishd..
+
+we still on for tonight?
+
+so what about you. what do you remember
+
+and pls pls drink plenty plenty water
+
+love you aathi..love u lot..
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+"are you being good
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+no messages on her phone. i'm holding it now
+
+dude avatar 3d was imp. at one point i thought there were actually flies in the room and almost tried hittng one as a reflex
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+"my painful personal thought- \i always try to keep everybody happy all the time. but nobody recognises me when i am alone\"""""
+
+hiya comin 2 bristol 1 st week in april. les got off + rudi on new yrs eve but i was snoring.they were drunk! u bak at college yet? my work sends ink 2 bath.
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+when/where do i pick you up
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+hey loverboy! i love you !! i had to tell ... i look at your picture and ache to feel you between my legs ... fuck i want you ... i need you ... i crave you .
+
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+"hottest pics straight to your phone!! see me getting wet and wanting
+miles and smiles r made frm same letters but do u know d difference..? smile on ur face keeps me happy even though i am miles away from u.. :-)keep smiling.. good nyt
+
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+you have won! as a valued vodafone customer our computer has picked you to win a ??150 prize. to collect is easy. just call 09061743386
+
+that's my honeymoon outfit. :)
+
+or i go home first lar ?_ wait 4 me lor.. i put down my stuff first..
+
+babes i think i got ur brolly i left it in english wil bring it in 2mrw 4 u luv franxx
+
+ok then i come n pick u at engin?
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+"ur balance is now ??600. next question: complete the landmark
+"auction round 4. the highest bid is now ??54. next maximum bid is ??71. to bid
+not a drop in the tank
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+* will have two more cartons off u and is very pleased with shelves
+
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+"\i;m reaching in another 2 stops.\"""""
+
+k actually can you guys meet me at the sunoco on howard? it should be right on the way
+
+i am at the gas station. go there.
+
+yo chad which gymnastics class do you wanna take? the site says christians class is full..
+
+ma head dey swell oh. thanks for making my day
+
+married local women looking for discreet action now! 5 real matches instantly to your phone. text match to 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx
+
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+"(no promises on when though
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+?? say until like dat i dun buy ericsson oso cannot oredi lar...
+
+"44 7732584351
+dai i downloaded but there is only exe file which i can only run that exe after installing.
+
+"orange brings you ringtones from all time chart heroes
+yup ok...
+
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+if you aren't here in the next <#> hours imma flip my shit
+
+"pity
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+thanks for loving me so. you rock
+
+hey girl. how r u? hope u r well me an del r bak! again long time no c! give me a call sum time from lucyxx
+
+"the table's occupied
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+?? ready then call me...
+
+"i noe la... u wana pei bf oso rite... k lor
+kallis is ready for bat in 2nd innings
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+"xmas & new years eve tickets are now on sale from the club
+"congratulations! thanks to a good friend u have won the ??2
+"xmas offer! latest motorola
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+i wan but too early lei... me outside now wun b home so early... neva mind then...
+
+great! how is the office today?
+
+carlos is taking his sweet time as usual so let me know when you and patty are done/want to smoke and i'll tell him to haul ass
+
+don't make life too stressfull.. always find time to laugh.. it may not add years to your life! but surely adds more life to ur years!! gud ni8..swt dreams..
+
+someonone you know is trying to contact you via our dating service! to find out who it could be call from your mobile or landline 09064015307 box334sk38ch
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+ok lar i double check wif da hair dresser already he said wun cut v short. he said will cut until i look nice.
+
+dont know supports ass and srt i thnk. i think ps3 can play through usb too
+
+"ill call u 2mrw at ninish
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+nothing just getting msgs by dis name wit different no's..
+
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+"i'll see
+"reminder from o2: to get 2.50 pounds free call credit and details of great offers pls reply 2 this text with your valid name
+i'm okay. chasing the dream. what's good. what are you doing next.
+
+i'm always on yahoo messenger now. just send the message to me and i.ll get it you may have to send it in the mobile mode sha but i.ll get it. and will reply.
+
+oh...i asked for fun. haha...take care. ?_
+
+"well
+nt yet chikku..simple habba..hw abt u?
+
+wife.how she knew the time of murder exactly
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+yup ok...
+
+ok lor. i ned 2 go toa payoh 4 a while 2 return smth u wan 2 send me there or wat?
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+wish u many many returns of the day.. happy birthday vikky..
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203694 identifier code: 40533 expires 31/10/04
+
+have you got xmas radio times. if not i will get it now
+
+one day a crab was running on the sea shore..the waves came n cleared the footprints of the crab.. crab asked: being my frnd y r u clearing my beautiful footprints? waves replied: a fox was following ur footprints to catch you! thats y i cleared it off:) frndsship never lets u dwn :-) gud nyt..
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+i am on the way to ur home
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+gudnite....tc...practice going on
+
+"our mobile number has won ??5000
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705
+
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+i went to project centre
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+e admin building there? i might b slightly earlier... i'll call u when i'm reaching...
+
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+u still painting ur wall?
+
+i cant pick the phone right now. pls send a message
+
+"
+"as a valued customer
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+ambrith..madurai..met u in arun dha marrge..remembr?
+
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+yes baby! we can study all the positions of the kama sutra ;)
+
+thanks for the temales it was wonderful. thank. have a great week.
+
+"sorry da thangam
+"as a valued customer
+call him and say you not coming today ok and tell them not to fool me like this ok
+
+how much are we getting?
+
+filthy stories and girls waiting for your
+
+oh all have to come ah?
+
+"gal n boy walking in d park. gal-can i hold ur hand? boy-y? do u think i would run away? gal-no
+lol no. i just need to cash in my nitros. hurry come on before i crash out!
+
+but i have to. i like to have love and arrange.
+
+i just cooked a rather nice salmon a la you
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+do you think i can move <#> in a week
+
+its a valentine game. . . send dis msg to all ur friends. .. if 5 answers r d same then someone really loves u. ques- which colour suits me the best?rply me
+
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+u r too much close to my heart. if u go away i will be shattered. plz stay with me.
+
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+"get 3 lions england tone
+"pete
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+good evening! how are you?
+
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+ello babe u ok?
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+"bloody hell
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+that day you asked about anand number. why:-)
+
+actually i decided i was too hungry so i haven't left yet :v
+
+talk sexy!! make new friends or fall in love in the worlds most discreet text dating service. just text vip to 83110 and see who you could meet.
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+of cos can lar i'm not so ba dao ok... 1 pm lor... y u never ask where we go ah... i said u would ask on fri but he said u will ask today...
+
+i love ya too but try and budget your money better babe. gary would freak on me if he knew
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+dear voucher holder have your next meal on us. use the following link on your pc 2 enjoy a 2 4 1 dining experiencehttp://www.vouch4me.com/etlp/dining.asp
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+good morning my dear shijutta........... have a great & successful day.
+
+hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+also tell him i said happy birthday
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+u gd lor go shopping i got stuff to do. u wan 2 watch infernal affairs a not? come lar...
+
+not yet. just i'd like to keep in touch and it will be the easiest way to do that from barcelona. by the way how ru and how is the house?
+
+"themob> check out our newest selection of content
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+sorry for the delay. yes masters
+
+okie but i scared u say i fat... then u dun wan me already...
+
+i'm hungry buy smth home...
+
+still chance there. if you search hard you will get it..let have a try :)
+
+ok... thanx... gd nite 2 ?_ too...
+
+"forgot you were working today! wanna chat
+sweet heart how are you?
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+"as in missionary hook up
+"i got arrested for possession at
+i've been barred from all b and q stores for life!?this twat in orange dungerees came up to me and asked if i wanted decking? so i got the first punch in!!
+
+that was random saw my old roomate on campus. he graduated
+
+can i meet ?_ at 5.. as 4 where depends on where ?_ wan 2 in lor..
+
+"haha awesome
+"bears pic nick
+and several to you sir.
+
+sex up ur mobile with a free sexy pic of jordan! just text babe to 88600. then every wk get a sexy celeb! pocketbabe.co.uk 4 more pics. 16 ??3/wk 087016248
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+dear umma she called me now :-)
+
+re your call; you didn't see my facebook huh?
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+"party's at my place at usf
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+"thanks for your ringtone order
+so ?_ pay first lar... then when is da stock comin...
+
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+not yet chikku..wat abt u?
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"it's ok
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+congrats kano..whr s the treat maga?
+
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+i know a few people i can hit up and fuck to the yes
+
+"i am in tirupur da
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+"sir
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+i am in a marriage function
+
+can not use foreign stamps in this country.
+
+private! your 2003 account statement for 07808247860 shows 800 un-redeemed s. i. m. points. call 08719899229 identifier code: 40411 expires 06/11/04
+
+\hey hey werethe monkeespeople say we monkeyaround! howdy gorgeous
+
+please call 08712402779 immediately as there is an urgent message waiting for you
+
+"loan for any purpose ??500 - ??75
+how come it takes so little time for a child who is afraid of the dark to become a teenager who wants to stay out all night?
+
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+hanks lotsly!
+
+"fighting with the world is easy
+"get 3 lions england tone
+anytime...
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+"my friend just got here and says he's upping his order by a few grams (he's got $ <#> )
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+yunny i'm walking in citylink now ?_ faster come down... me very hungry...
+
+"rose for red
+true lov n care wil nevr go unrecognized. though somone often makes mistakes when valuing it. but they will definitly undrstnd once when they start missing it.
+
+just come home. i don't want u to be miserable
+
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+i am in tirupur. call you da.
+
+from 88066 lost ??12 help
+
+"get 3 lions england tone
+i have had two more letters from . i will copy them for you cos one has a message for you. speak soon
+
+yup he msg me: is tat yijue? then i tot it's my group mate cos we meeting today mah... i'm askin if ?_ leaving earlier or wat mah cos mayb ?_ haf to walk v far...
+
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+"no
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+it shall be fine. i have avalarr now. will hollalater
+
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+the bus leaves at <#>
+
+oic... then better quickly go bathe n settle down...
+
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
+"science tells that chocolate will melt under the sunlight. please don't walk under the sunlight. bcoz
+still work going on:)it is very small house.
+
+yes. please leave at <#> . so that at <#> we can leave
+
+happy birthday... may all ur dreams come true...
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+all e best 4 ur exam later.
+
+"i've got <#>
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+and is there a way you can send shade's stuff to her. and she has been wonderful too.
+
+cbe is really good nowadays:)lot of shop and showrooms:)city is shaping good.
+
+going thru a very different feeling.wavering decisions and coping up with the same is the same individual.time will heal everything i believe.
+
+i am seeking a lady in the street and a freak in the sheets. is that you?
+
+then wat r u doing now? busy wif work?
+
+as in i want custom officer discount oh.
+
+how have your little darlings been so far this week? need a coffee run tomo?can't believe it's that time of week already ??_
+
+i cant pick the phone right now. pls send a message
+
+"had your contract mobile 11 mnths? latest motorola
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+"do you ever notice that when you're driving
+"complimentary 4 star ibiza holiday or ??10
+beauty sleep can help ur pimples too.
+
+"some friends want me to drive em someplace
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+i am in escape theatre now. . going to watch kavalan in a few minutes
+
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+oh great. i.ll disturb him more so that we can talk.
+
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"my parents
+"chinatown got porridge
+do you want bold 2 or bb torch
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+thank u. it better work out cause i will feel used otherwise
+
+i'll text you when i drop x off
+
+minimum walk is 3miles a day.
+
+88800 and 89034 are premium phone services call 08718711108
+
+just do what ever is easier for you
+
+"
+heart is empty without love.. mind is empty without wisdom.. eyes r empty without dreams & life is empty without frnds.. so alwys be in touch. good night & sweet dreams
+
+its hard to believe things like this. all can say lie but think twice before saying anything to me.
+
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+"hello
+i'll meet you in the lobby
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+"pls send me a comprehensive mail about who i'm paying
+"as a valued customer
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+i take it the post has come then! you must have 1000s of texts now! happy reading. my one from wiv hello caroline at the end is my favourite. bless him
+
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"romantic paris. 2 nights
+lyricalladie(21/f) is inviting you to be her friend. reply yes-910 or no-910. see her: www.sms.ac/u/hmmross stop? send stop frnd to 62468
+
+"(i should add that i don't really care and if you can't i can at least get this dude to fuck off but hey
+i dont thnk its a wrong calling between us
+
+"anyway i don't think i can secure anything up here
+"themob> check out our newest selection of content
+we took hooch for a walk toaday and i fell over! splat! grazed my knees and everything! should have stayed at home! see you tomorrow!
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+"hi babe its chloe
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+oh yeah clearly it's my fault
+
+hows the pain dear?y r u smiling?
+
+i'm done oredi...
+
+"we know taj mahal as symbol of love. but the other lesser known facts 1. mumtaz was shahjahan's 4th wife
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+no i'm not gonna be able to. || too late notice. || i'll be home in a few weeks anyway. || what are the plans
+
+convey my regards to him
+
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+"urgent! your mobile no was awarded a ??2
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+webpage s not available!
+
+i finished my lunch already. u wake up already?
+
+just got to <#>
+
+the whole car appreciated the last two! dad and are having a map reading semi argument but apart from that things are going ok. p.
+
+"lookatme!: thanks for your purchase of a video clip from lookatme!
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+"i keep seeing weird shit and bein all \woah\"" then realising it's actually reasonable and i'm all \""oh\"""""
+
+i know complain num only..bettr directly go to bsnl offc nd apply for it..
+
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+"and that is the problem. you walk around in \julianaland\"" oblivious to what is going on around you. i say the same things constantly and they go in one ear and out the other while you go off doing whatever you want to do. it's not that you don't know why i'm upset--it's that you don't listen when i tell you what is going to upset me. then you want to be surprised when i'm mad."""
+
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+that one week leave i put know that time. why.
+
+ew are you one of them?
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+i think steyn surely get one wicket:)
+
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+babe ? i lost you ... will you try rebooting ?
+
+"hi shanil
+2mro i am not coming to gym machan. goodnight.
+
+"honeybee said: *i'm d sweetest in d world* god laughed & said: *wait
+eat jap done oso aft ur lect wat... ?? got lect at 12 rite...
+
+i am in bus on the way to calicut
+
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+where are you call me.
+
+warner village 83118 c colin farrell in swat this wkend village & get 1 free med. popcorn!just show msg+ticket.valid 4-7/12. c t&c . reply sony 4 mre film offers
+
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+"\gran onlyfound out afew days ago.cusoon honi\"""""
+
+"mila
+"urgent!: your mobile no. was awarded a ??2
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+k..k:)how much does it cost?
+
+says the <#> year old with a man and money. i'm down to my last <#> . still waiting for that check.
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+ard 515 like dat. y?
+
+"bored of speed dating? try speedchat
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+"urgent! your mobile no *********** won a ??2
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+blank is blank. but wat is blank? lol
+
+"call me
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"sure
+\keep ur problems in ur heart
+
+yes.mum lookin strong:)
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+nope i'm not drivin... i neva develop da photos lei...
+
+"i can make it up there
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+was the actual exam harder than nbme
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+last chance 2 claim ur ??150 worth of discount vouchers-text yes to 85023 now!savamob-member offers mobile t cs 08717898035. ??3.00 sub. 16 . remove txt x or stop
+
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+probably money worries. things are coming due and i have several outstanding invoices for work i did two and three months ago.
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+"have a lovely night and when you wake up to see this message
+ok lor ?_ reaching then message me.
+
+"hi babe its chloe
+ur tonexs subscription has been renewed and you have been charged ??4.50. you can choose 10 more polys this month. www.clubzed.co.uk *billing msg*
+
+hi..i got the money da:)
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+he says he'll give me a call when his friend's got the money but that he's definitely buying before the end of the week
+
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
+hey you still want to go for yogasana? coz if we end at cine then can go bathe and hav the steam bath
+
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+send me the new number
+
+huh so early.. then ?_ having dinner outside izzit?
+
+tell them no need to investigate about me anywhere.
+
+sorry da. i gone mad so many pending works what to do.
+
+thank you meet you monday
+
+man this bus is so so so slow. i think you're gonna get there before me
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+how long does applebees fucking take
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+what happened to our yo date?
+
+for many things its an antibiotic and it can be used for chest abdomen and gynae infections even bone infections.
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+k..k:)where are you?how did you performed?
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+in which place i can get rooms cheap:-)
+
+"haha awesome
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+mm so you asked me not to call radio
+
+hey you around? i've got enough for a half + the ten i owe you
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+"hi there
+"good friends care for each other.. close friends understand each other... and true friends stay forever beyond words
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+how are you doing? hope you've settled in for the new school year. just wishin you a gr8 day
+
+mode men or have you left.
+
+"did i forget to tell you ? i want you
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+we are supposed to meet to discuss abt our trip... thought xuhui told you? in the afternoon. thought we can go for lesson after that
+
+yeah sure i'll leave in a min
+
+she just broke down a list of reasons why nobody's in town and i can't tell if she's being sarcastic or just faggy
+
+"hi
+i'm going 4 lunch now wif my family then aft dat i go str 2 orchard lor.
+
+you give us back my id proof and <#> rs. we wont allow you to work. we will come to your home within days
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+still in the area of the restaurant. ill try to come back soon
+
+"accordingly. i repeat
+then why you not responding
+
+yup but not studying surfing lor. i'm in e lazy mode today.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
+"wen ur lovable bcums angry wid u
+i'm going 2 orchard now laready me reaching soon. u reaching?
+
+"get the door
+"themob>hit the link to get a premium pink panther game
+yes ammae....life takes lot of turns you can only sit and try to hold the steering...
+
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+"dizzamn
+"that's very rude
+our records indicate u maybe entitled to 5000 pounds in compensation for the accident you had. to claim 4 free reply with claim to this msg. 2 stop txt stop
+
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+happy new years melody!
+
+r u sure they'll understand that! wine * good idea just had a slurp!
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+"hi
+"you are being contacted by our dating service by someone you know! to find out who it is
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+oi when you gonna ring
+
+"double mins & 1000 txts on orange tariffs. latest motorola
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+ok...
+
+just getting back home
+
+"urgent
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+double eviction this week - spiral and michael and good riddance to them!
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+make that 3! 4 fucks sake?! x
+
+no da. i am happy that we sit together na
+
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+aiyah sorry lor... i watch tv watch until i forgot 2 check my phone.
+
+yeah my usual guy's out of town but there're definitely people around i know
+
+"cmon babe
+"the last thing i ever wanted to do was hurt you. and i didn't think it would have. you'd laugh
+"2 celebrate my b??day
+where is it. is there any opening for mca.
+
+well. im computerless. time to make some oreo truffles
+
+nope watching tv at home... not going out. v bored...
+
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+"freemsg you have been awarded a free mini digital camera
+hello! how r u? im bored. inever thought id get bored with the tv but i am. tell me something exciting has happened there? anything! =/
+
+how are you. wish you a great semester
+
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+what r u cooking me for dinner?
+
+"orange customer
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"someone has contacted our dating service and entered your phone becausethey fancy you! to find out who it is call from a landline 09058098002. pobox1
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+"thanks for your ringtone order
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"hungry gay guys feeling hungry and up 4 it
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"congrats! 2 mobile 3g videophones r yours. call 09061744553 now! videochat wid ur mates
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+yay can't wait to party together!
+
+ok... i din get ur msg...
+
+when can ?_ come out?
+
+"get 3 lions england tone
+"you are being contacted by our dating service by someone you know! to find out who it is
+yes..he is really great..bhaji told kallis best cricketer after sachin in world:).very tough to get out.
+
+jason says it's cool if we pick some up from his place in like an hour
+
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+yo sorry was in the shower sup
+
+eh u send wrongly lar...
+
+"you are everywhere dirt
+happy new year. hope you are having a good semester
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+good night my dear.. sleepwell&take care
+
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
+"congratulations! thanks to a good friend u have won the ??2
+once free call me sir.
+
+"hey there! glad u r better now. i hear u treated urself to a digi cam
+remember to ask alex about his pizza
+
+s but not able to sleep.
+
+what type of stuff do you sing?
+
+"set a place for me in your heart and not in your mind
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+but your brother transfered only <#> + <#> . pa.
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+life spend with someone for a lifetime may be meaningless but a few moments spent with someone who really love you means more than life itself..
+
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+sms. ac sun0819 posts hello:\you seem cool
+
+"spjanuary male sale! hot gay chat now cheaper
+todays voda numbers ending 1225 are selected to receive a ??50award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+kothi print out marandratha.
+
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+88066 from 88066 lost 3pound help
+
+"urgent! your mobile no 07808726822 was awarded a ??2
+do you mind if i ask what happened? you dont have to say if it is uncomfortable.
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+beerage?
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+here got ur favorite oyster... n got my favorite sashimi... ok lar i dun say already... wait ur stomach start rumbling...
+
+no rushing. i'm not working. i'm in school so if we rush we go hungry.
+
+how many times i told in the stage all use to laugh. you not listen aha.
+
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+shb b ok lor... thanx...
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+dont worry. i guess he's busy.
+
+"i feel like a dick because i keep sleeping through your texts and facebook messages. sup
+3. you have received your mobile content. enjoy
+
+yar... i tot u knew dis would happen long ago already.
+
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+just glad to be talking to you.
+
+i agree. so i can stop thinkin about ipad. can you please ask macho the same question.
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+"yo
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+bought one ringtone and now getting texts costing 3 pound offering more tones etc
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+i had a good time too. its nice to do something a bit different with my weekends for a change. see ya soon
+
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+"xmas offer! latest motorola
+"ou are guaranteed the latest nokia phone
+"hurry up
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+jokin only lar... :-) depends on which phone my father can get lor...
+
+u in town alone?
+
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+oh you got many responsibilities.
+
+private! your 2003 account statement for 07973788240 shows 800 un-redeemed s. i. m. points. call 08715203649 identifier code: 40533 expires 31/10/04
+
+"sad story of a man - last week was my b'day. my wife did'nt wish me. my parents forgot n so did my kids . i went to work. even my colleagues did not wish. as i entered my cabin my pa said
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+would you like to see my xxx pics they are so hot they were nearly banned in the uk!
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+hi good mornin.. thanku wish u d same..
+
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+"january male sale! hot gay chat now cheaper
+so how's scotland. hope you are not over showing your jjc tendencies. take care. live the dream
+
+"nah
+"had your contract mobile 11 mnths? latest motorola
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+?? neva tell me how i noe... i'm not at home in da aft wat...
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 8000930705
+
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+"the sign of maturity is not when we start saying big things.. but actually it is
+thanks for looking out for me. i really appreciate.
+
+i dont know why she.s not getting your messages
+
+yes i started to send requests to make it but pain came back so i'm back in bed. double coins at the factory too. i gotta cash in all my nitros.
+
+this msg is for your mobile content order it has been resent as previous attempt failed due to network error queries to customersqueries.uk.com
+
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+call 09090900040 & listen to extreme dirty live chat going on in the office right now total privacy no one knows your [sic] listening 60p min 24/7mp 0870753331018+
+
+lol i have to take it. member how i said my aunt flow didn't visit for 6 months? it's cause i developed ovarian cysts. bc is the only way to shrink them.
+
+"mila
+<#> in mca. but not conform.
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+i walked an hour 2 c u! doesn??t that show i care y wont u believe im serious?
+
+?? give me some time to walk there.
+
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+i'm home.
+
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+"sorry
+purity of friendship between two is not about smiling after reading the forwarded message..its about smiling just by seeing the name. gud evng
+
+please dont say like that. hi hi hi
+
+"sorry
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+"hi babe its jordan
+"sorry chikku
+<#> mins but i had to stop somewhere first.
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"good afternoon loverboy ! how goes you day ? any luck come your way? i think of you
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+you bad girl. i can still remember them
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+as per your request 'melle melle (oru minnaminunginte nurungu vettam)' has been set as your callertune for all callers. press *9 to copy your friends callertune
+
+"free entry to the gr8prizes wkly comp 4 a chance to win the latest nokia 8800
+"haha
+okay lor... wah... like that def they wont let us go... haha... what did they say in the terms and conditions?
+
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+"erm... woodland avenue somewhere. do you get the parish magazine
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+yeah he got in at 2 and was v apologetic. n had fallen out and she was actin like spoilt child and he got caught up in that. till 2! but we won't go there! not doing too badly cheers. you?
+
+k k pa had your lunch aha.
+
+xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc www.ldew.com1win150ppmx3age16subscription
+
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+great. so should i send you my account number.
+
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+"that's what i love to hear :v see you sundayish
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+"the guy at the car shop who was flirting with me got my phone number from the paperwork and called and texted me. i'm nervous because of course now he may have my address. should i call his boss and tell him
+ok i vl..do u know i got adsense approved..
+
+dude ive been seeing a lotta corvettes lately
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+"its ok chikku
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+can you plz tell me the ans. bslvyl sent via fullonsms.com
+
+have * good weekend.
+
+"yeah go on then
+your opinion about me? 1. over 2. jada 3. kusruthi 4. lovable 5. silent 6. spl character 7. not matured 8. stylish 9. simple pls reply..
+
+"i'm in a meeting
+"thanks for your ringtone order
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+"hottest pics straight to your phone!! see me getting wet and wanting
+fine am simply sitting.
+
+well done england! get the official poly ringtone or colour flag on yer mobile! text tone or flag to 84199 now! opt-out txt eng stop. box39822 w111wx ??1.50
+
+oh oh... wasted... den muz chiong on sat n sun liao...
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+big brother alert! the computer has selected u for 10k cash or #150 voucher. call 09064018838. ntt po box cro1327 18+ bt landline cost 150ppm mobiles vary
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+"now
+"nothing really
+this message is brought to you by gmw ltd. and is not connected to the
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+hello boytoy ! geeee ... i'm missing you today. i like to send you a tm and remind you i'm thinking of you ... and you are loved ... *loving kiss*
+
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+"eerie nokia tones 4u
+we'll you pay over like <#> yrs so its not too difficult
+
+"uh
+k:)k..its good:)when are you going?
+
+the search 4 happiness is 1 of d main sources of unhappiness! accept life the way it comes! u will find happiness in every moment u live.
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text + free camcorder reply of call 08000930705 now
+
+i wil be there with in <#> minutes. got any space
+
+"cool
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+"arms fine
+"received
+are u awake? is there snow there?
+
+somewhere out there beneath the pale moon light someone think in of u some where out there where dreams come true... goodnite & sweet dreams
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+"urgent! your mobile no. was awarded ??2000 bonus caller prize on 5/9/03 this is our final try to contact u! call from landline 09064019788 box42wr29c
+i really need 2 kiss u i miss u my baby from ur baby 4eva
+
+in xam hall boy asked girl tell me the starting term for dis answer i can den manage on my own after lot of hesitation n lookin around silently she said the! intha ponnungale ipaditan;)
+
+am okay. will soon be over. all the best
+
+call me when you get the chance plz <3
+
+i am going to sleep. i am tired of travel.
+
+how much i gave to you. morning.
+
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+wen did you get so spiritual and deep. that's great
+
+"hi babe its jordan
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+as per your request 'melle melle (oru minnaminunginte nurungu vettam)' has been set as your callertune for all callers. press *9 to copy your friends callertune
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"i'm in a meeting
+surly ill give it to you:-) while coming to review.
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+you call times job today ok umma and ask them to speed up
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+indeed and by the way it was either or - not both !
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+just seeing your missed call my dear brother. do have a gr8 day.
+
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+can you plz tell me the ans. bslvyl sent via fullonsms.com
+
+free entry into our ??250 weekly comp just send the word enter to 84128 now. 18 t&c www.textcomp.com cust care 08712405020.
+
+today am going to college so am not able to atten the class.
+
+okie...
+
+remind me how to get there and i shall do so
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+"yeah i should be able to
+"eerie nokia tones 4u
+"yes
+gibbs unsold.mike hussey
+
+"thank you
+ahhh. work. i vaguely remember that! what does it feel like? lol
+
+i am in escape theatre now. . going to watch kavalan in a few minutes
+
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+howz that persons story
+
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+"gr8 poly tones 4 all mobs direct 2u rply with poly title to 8007 eg poly breathe1 titles: crazyin
+buzzzz! *grins* did i buzz your ass? buzz your chest ? buzz your cock ? where do you keep your phone ? is the vibrator on ? did you feel it shake ?
+
+"lemme know when i can swing by and pick up
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+"you have won ?1
+:-( that's not v romantic!
+
+"how is my boy? no sweet words left for me this morning ... *sighs* ... how goes you day
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+dear u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18 yrs
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050001808 from land line. claim m95. valid12hrs only
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+nope wif my sis lor... aft bathing my dog then i can bathe... looks like it's going 2 rain soon.
+
+well obviously not because all the people in my cool college life went home ;_;
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+in that case i guess i'll see you at campus lodge
+
+nah dub but je still buff
+
+don know:)this week i'm going to tirunelvai da.
+
+rct' thnq adrian for u text. rgds vatian
+
+i dont have i shall buy one dear
+
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+i always chat with you. in fact i need money can you raise me?
+
+* will be september by then!
+
+its ok my arm is feeling weak cuz i got a shot so we can go another time
+
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+east coast
+
+marvel mobile play the official ultimate spider-man game (??4.50) on ur mobile right now. text spider to 83338 for the game & we ll send u a free 8ball wallpaper
+
+his frens go then he in lor. not alone wif my mum n sis lor.
+
+thanks a lot for your wishes on my birthday. thanks you for making my birthday truly memorable.
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09058094454 from land line. claim 3030. valid 12hrs only
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+hey... what time is your driving on fri? we go for evaluation on fri?
+
+my uncles in atlanta. wish you guys a great semester.
+
+ok thanx... take care then...
+
+"fuuuuck i need to stop sleepin
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+pls speak with me. i wont ask anything other then you friendship.
+
+"coffee cake
+jay says that you're a double-faggot
+
+hi my darlin im on my way to london and we have just been smashed into by another driver! and have a big dent! im really missing u what have u been up to? xxx
+
+tell them the drug dealer's getting impatient
+
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+win a ??1000 cash prize or a prize worth ??5000
+
+horrible gal. me in sch doing some stuff. how come u got mc?
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+"sorry
+how much would it cost to hire a hitman
+
+"single line with a big meaning::::: \miss anything 4 ur \""best life\"" but"
+
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"free nokia or motorola with upto 12mths 1/2price linerental
+"\thinking of u ;) x\"""""
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+the xmas story is peace.. the xmas msg is love.. the xmas miracle is jesus.. hav a blessed month ahead & wish u merry xmas...
+
+dear i have reache room
+
+"urgent!: your mobile no. was awarded a ??2
+well i'm going to be an aunty!
+
+"motivate behind every darkness
+"er
+i'm in class. will holla later
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+hi darlin i hope you had a nice night i wish i had come cant wait to see you love fran ps i want dirty anal sex and i want a 10 man gang bang
+
+"congratulations - thanks to a good friend u have won the ??2
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+"thanks for your ringtone order
+its a site to simulate the test. it just gives you very tough questions to test your readiness.
+
+"can you tell shola to please go to college of medicine and visit the academic department
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+"wen ur lovable bcums angry wid u
+erm. i thought the contract ran out the4th of october.
+
+"urgent urgent! we have 800 free flights to europe to give away
+i have no idea where you are
+
+"sorry
+it has issues right now. ill fix for her by tomorrow.
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+"themob> check out our newest selection of content
+every monday..nxt week vl be completing..
+
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+hey i booked the kb on sat already... what other lessons are we going for ah? keep your sat night free we need to meet and confirm our lodging
+
+"piggy
+the current leading bid is 151. to pause this auction send out. customer care: 08718726270
+
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+sac will score big hundred.he is set batsman:-)
+
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+these won't do. have to move on to morphine
+
+hey r ?_ still online? i've finished the formatting...
+
+is toshiba portege m100 gd?
+
+then ur sis how?
+
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+burger king - wanna play footy at a top stadium? get 2 burger king before 1st sept and go large or super with coca-cola and walk out a winner
+
+"upgrdcentre orange customer
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+"as a sim subscriber
+"this is the 2nd attempt to contract u
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+still i have not checked it da. . .
+
+ok. i.ll do you right later.
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+should i tell my friend not to come round til like <#> ish?
+
+"bangbabes ur order is on the way. u should receive a service msg 2 download ur content. if u do not
+are you still playing with gautham?
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+"yep
+it to 80488. your 500 free text messages are valid until 31 december 2005.
+
+"rose for red
+height of confidence: all the aeronautics professors wer calld & they wer askd 2 sit in an aeroplane. aftr they sat they wer told dat the plane ws made by their students. dey all hurried out of d plane.. bt only 1 didnt move... he said:\if it is made by my students
+
+havent mus ask if u can 1st wat. of meet 4 lunch den u n him meet can already lor. or u wan 2 go ask da ge 1st then confirm w me asap?
+
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+hai dear friends... this is my new & present number..:) by rajitha raj (ranju)
+
+oh shut it. omg yesterday i had a dream that i had 2 kids both boys. i was so pissed. not only about the kids but them being boys. i even told mark in my dream that he was changing diapers cause i'm not getting owed in the face.
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+for my family happiness..
+
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+at what time are you coming.
+
+"loan for any purpose ??500 - ??75
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+dunno leh cant remember mayb lor. so wat time r we meeting tmr?
+
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+"1) go to write msg 2) put on dictionary mode 3)cover the screen with hand
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+dude im no longer a pisces. im an aquarius now.
+
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+me fine..absolutly fine
+
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+guessin you ain't gonna be here before 9?
+
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+"sms. ac blind date 4u!: rodds1 is 21/m from aberdeen
+"yes
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+its <#> k here oh. should i send home for sale.
+
+the hair cream has not been shipped.
+
+how dare you stupid. i wont tell anything to you. hear after i wont talk to you:-.
+
+"\shit babe.. thasa bit messed up.yeh illspeak 2 u2moro wen im not asleep...\"""" illspeak 2 u2moro wen im not asleep...\"""""
+
+havent still waitin as usual... ?? come back sch oredi?
+
+get ready to put on your excellent sub face :)
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+just got outta class gonna go gym.
+
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+haha... yup hopefully we will lose a few kg by mon. after hip hop can go orchard and weigh again
+
+"sorry
+"eerie nokia tones 4u
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+"yalru lyfu astne chikku.. bt innu mundhe lyf ali halla ke bilo (marriage)program edhae
+mm i had my food da from out
+
+"hi
+private! your 2003 account statement for 078
+
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+wife.how she knew the time of murder exactly
+
+"its ok
+freemsg today's the day if you are ready! i'm horny & live in your town. i love sex fun & games! netcollex ltd 08700621170150p per msg reply stop to end
+
+enjoy urself tmr...
+
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+congratulations ore mo owo re wa. enjoy it and i wish you many happy moments to and fro wherever you go
+
+2 and half years i missed your friendship:-)
+
+urgent! please call 09061743811 from landline. your abta complimentary 4* tenerife holiday or ??5000 cash await collection sae t&cs box 326 cw25wx 150ppm
+
+from 88066 lost ??12 help
+
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+yes just finished watching days of our lives. i love it.
+
+hi chachi tried calling u now unable to reach u .. pl give me a missed cal once u c tiz msg kanagu
+
+good evening! this is roger. how are you?
+
+but really quite funny lor wat... then u shd haf run shorter distance wat...
+
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+haha i think i did too
+
+"sorry
+2/2 146tf150p
+
+so ?_'ll be submitting da project tmr rite?
+
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+"sorry
+we have to pick rayan macleran there.
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+yup n her fren lor. i'm meeting my fren at 730.
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+purity of friendship between two is not about smiling after reading the forwarded message..its about smiling just by seeing the name. gud evng
+
+congratulations ur awarded 500 of cd vouchers or 125gift guaranteed & free entry 2 100 wkly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+horrible u eat macs eat until u forgot abt me already rite... u take so long 2 reply. i thk it's more toot than b4 so b prepared. now wat shall i eat?
+
+good luck! draw takes place 28th feb 06. good luck! for removal send stop to 87239 customer services 08708034412
+
+you have 1 new message. please call 08712400200.
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+you made my day. do have a great day too.
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+neft transaction with reference number <#> for rs. <decimal> has been credited to the beneficiary account on <#> at <time> : <#>
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+"i'm back & we're packing the car now
+"sorry
+captain is in our room:)
+
+"you can stop further club tones by replying \stop mix\"" see my-tone.com/enjoy. html for terms. club tones cost gbp4.50/week. mfl"
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08718727870150ppm
+
+"urgent!: your mobile no. was awarded a ??2
+customer place i will call you
+
+its posible dnt live in <#> century cm frwd n thnk different
+
+i'm putting it on now. it should be ready for <time>
+
+"i know where the <#> is
+ok thanx...
+
+am new 2 club & dont fink we met yet will b gr8 2 c u please leave msg 2day wiv ur area 09099726553 reply promised carlie x calls??1/minmobsmore lkpobox177hp51fl
+
+i will come to ur home now
+
+no but the bluray player can
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+k.:)do it at evening da:)urgent:)
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+at what time should i come tomorrow
+
+"velly good
+alright tyler's got a minor crisis and has to be home sooner than he thought so be here asap
+
+sorry. || mail? ||
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+just normal only here :)
+
+k..u also dont msg or reply to his msg..
+
+where r e meeting tmr?
+
+"the house is on the water with a dock
+as per your request 'maangalyam (alaipayuthe)' has been set as your callertune for all callers. press *9 to copy your friends callertune
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+splashmobile: choose from 1000s of gr8 tones each wk! this is a subscrition service with weekly tones costing 300p. u have one credit - kick back and enjoy
+
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+just send a text. we'll skype later.
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+missed call alert. these numbers called but left no message. 07008009200
+
+happy birthday... may u find ur prince charming soon n dun work too hard...
+
+wat ?_ doing now?
+
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+u should have made an appointment
+
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+if you are not coughing then its nothing
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+dear good morning how you feeling dear
+
+i am going to film 2day da. at 6pm. sorry da.
+
+ill be at yours in about 3 mins but look out for me
+
+your gonna be the death if me. i'm gonna leave a note that says its all robs fault. avenge me.
+
+purity of friendship between two is not about smiling after reading the forwarded message..its about smiling just by seeing the name. gud evng musthu
+
+thinkin about someone is all good. no drugs for that
+
+wait 2 min..stand at bus stop
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+yup
+
+"think ur smart ? win ??200 this week in our weekly quiz
+we walked from my moms. right on stagwood pass right on winterstone left on victors hill. address is <#>
+
+that's good. lets thank god. please complete the drug. have lots of water. and have a beautiful day.
+
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+thk some of em find wtc too far... weiyi not goin... e rest i dunno yet... r ur goin 4 dinner den i might b able to join...
+
+"great. i'm in church now
+can you do a mag meeting this avo at some point?
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+haha... really oh no... how? then will they deduct your lesson tmr?
+
+"sorry man my account's dry or i would
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+your credits have been topped up for http://www.bubbletext.com your renewal pin is tgxxrz
+
+"sms services. for your inclusive text credits
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+adult 18 content your video will be with you shortly
+
+yup i'm still having coffee wif my frens... my fren drove she'll give me a lift...
+
+"as i entered my cabin my pa said
+should i buy him a blackberry bold 2 or torch. should i buy him new or used. let me know. plus are you saying i should buy the <#> g wifi ipad. and what are you saying about the about the <#> g?
+
+he also knows about lunch menu only da. . i know
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+"eerie nokia tones 4u
+<decimal> m but its not a common car here so its better to buy from china or asia. or if i find it less expensive. i.ll holla
+
+usually the person is unconscious that's in children but in adults they may just behave abnormally. i.ll call you now
+
+lol alright i was thinkin that too haha
+
+howz pain.it will come down today.do as i said ystrday.ice and medicine.
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+er mw im filled tuth is aight
+
+"i get out of class in bsn in like <#> minutes
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+"dear voucher holder
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+"orange customer
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+you have 1 new voicemail. please call 08719181513.
+
+"oh
+ur balance is now ??500. ur next question is: who sang 'uptown girl' in the 80's ? 2 answer txt ur answer to 83600. good luck!
+
+black shirt n blue jeans... i thk i c ?_...
+
+"a bit of ur smile is my hppnss
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+"smsservices. for yourinclusive text credits
+"aight we can pick some up
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp arrow
+
+lmao!nice 1
+
+"sorry im getting up now
+haven't left yet so probably gonna be here til dinner
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+yeah whatever lol
+
+you have an important customer service announcement from premier.
+
+ok lor thanx... ?? in school?
+
+and whenever you and i see we can still hook up too.
+
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+"okey doke. i'm at home
+"sms. ac jsco: energy is high
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+kent vale lor... ?? wait 4 me there ar?
+
+they released vday shirts and when u put it on it makes your bottom half naked instead of those white underwear.
+
+"free-message: jamster!get the crazy frog sound now! for poly text mad1
+you are right. meanwhile how's project twins comin up
+
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+"a few people are at the game
+whens your radio show?
+
+"see you then
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+"dear voucher holder
+8007 25p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys :zed 08701417012 profit 2 charity
+
+r ?_ going 4 today's meeting?
+
+no no:)this is kallis home ground.amla home town is durban:)
+
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+he's in lag. that's just the sad part but we keep in touch thanks to skype
+
+have a great trip to india. and bring the light to everyone not just with the project but with everyone that is lucky to see you smile. bye. abiola
+
+i not free today i haf 2 pick my parents up tonite...
+
+"come round
+?? go home liao? ask dad to pick me up at 6...
+
+do ?_ noe if ben is going?
+
+"get 3 lions england tone
+carry on not disturbing both of you
+
+26th of july
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+xclusive 2morow 28/5 soiree speciale zouk with nichols from paris.free roses 2 all ladies !!! info: 07946746291/07880867867
+
+"so you think i should actually talk to him? not call his boss in the morning? i went to this place last year and he told me where i could go and get my car fixed cheaper. he kept telling me today how much he hoped i would come back in
+goodmorning today i am late for <decimal> min.
+
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+hey. for me there is no leave on friday. wait i will ask my superior and tell you..
+
+please call our customer service representative on freephone 0808 145 4742 between 9am-11pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+1. tension face 2. smiling face 3. waste face 4. innocent face 5.terror face 6.cruel face 7.romantic face 8.lovable face 9.decent face <#> .joker face.
+
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+i lost 4 pounds since my doc visit last week woot woot! now i'm gonna celebrate by stuffing my face!
+
+"january male sale! hot gay chat now cheaper
+why you dint come with us.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+100 dating service cal;l 09064012103 box334sk38ch
+
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+was gr8 to see that message. so when r u leaving? congrats dear. what school and wat r ur plans.
+
+o turns out i had stereo love on mi phone under the unknown album.
+
+"yep
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+how much she payed. suganya.
+
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+yes i thought so. thanks.
+
+u repeat e instructions again. wat's e road name of ur house?
+
+ok i'm gonna head up to usf in like fifteen minutes
+
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+"free msg. sorry
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+its good to hear from you
+
+i not busy juz dun wan 2 go so early.. hee..
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+then u go back urself lor...
+
+well there's not a lot of things happening in lindsay on new years *sighs* some bars in ptbo and the blue heron has something going
+
+hi. i'm sorry i missed your call. can you pls call back.
+
+that's a shame! maybe cld meet for few hrs tomo?
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+you always make things bigger than they are
+
+08714712388 between 10am-7pm cost 10p
+
+u definitely need a module from e humanities dis sem izzit? u wan 2 take other modules 1st?
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+hi its lucy hubby at meetins all day fri & i will b alone at hotel u fancy cumin over? pls leave msg 2day 09099726395 lucy x calls??1/minmobsmorelkpobox177hp51fl
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"good afternoon sexy buns! how goes the job search ? i wake and you are my first thought as always
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712394 between 10am-7pm
+
+if you r @ home then come down within 5 min
+
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+when you and derek done with class?
+
+free entry in 2 a wkly comp to win fa cup final tkts 21st may 2005. text fa to 87121 to receive entry question(std txt rate)t&c's apply 08452810075over18's
+
+same as u... dun wan... y u dun like me already ah... wat u doing now? still eating?
+
+"claim a 200 shopping spree
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+who were those people ? were you in a tour ? i thought you were doing that sofa thing you sent me ? your curious sugar
+
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+as a registered subscriber yr draw 4 a ??100 gift voucher will b entered on receipt of a correct ans. when are the next olympics. txt ans to 80062
+
+"dear matthew please call 09063440451 from a landline
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+"update_now - xmas offer! latest motorola
+"urgent! you have won a 1 week free membership in our ??100
+free tones hope you enjoyed your new content. text stop to 61610 to unsubscribe. help:08712400602450p provided by tones2you.co.uk
+
+there is os called ubandu which will run without installing in hard disk...you can use that os to copy the important files in system and give it to repair shop..
+
+"\response\"" is one of d powerful weapon 2 occupy a place in others 'heart'... so"
+
+summers finally here! fancy a chat or flirt with sexy singles in yr area? to get matched up just reply summer now. free 2 join. optout txt stop help08714742804
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+"u were outbid by simonwatson5120 on the shinco dvd plyr. 2 bid again
+want 2 get laid tonight? want real dogging locations sent direct 2 ur mob? join the uk's largest dogging network bt txting gravel to 69888! nt. ec2a. 31p.msg
+
+k tell me anything about you.
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+dear got bus directly to calicut
+
+"cmon babe
+no sir. that's why i had an 8-hr trip on the bus last week. have another audition next wednesday but i think i might drive this time.
+
+"your account has been credited with 500 free text messages. to activate
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+no dear i was sleeping :-p
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+are you free now?can i call now?
+
+i'll be in sch fr 4-6... i dun haf da book in sch... it's at home...
+
+u don't know how stubborn i am. i didn't even want to go to the hospital. i kept telling mark i'm not a weak sucker. hospitals are for weak suckers.
+
+"cool
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+"dear voucher holder
+"thanks for your ringtone order
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+santa calling! would your little ones like a call from santa xmas eve? call 09058094583 to book your time.
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+"nah can't help you there
+sunshine quiz! win a super sony dvd recorder if you canname the capital of australia? text mquiz to 82277. b
+
+din i tell u jus now 420
+
+"thanks for your ringtone order
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+sorry da..today i wont come to play..i have driving clas..
+
+today is accept day..u accept me as? brother sister lover dear1 best1 clos1 lvblefrnd jstfrnd cutefrnd lifpartnr belovd swtheart bstfrnd no rply means enemy
+
+do u knw dis no. <#> ?
+
+hey darlin.. i can pick u up at college if u tell me wen & where 2 mt.. love pete xx
+
+"claim a 200 shopping spree
+"k
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+yes :)it completely in out of form:)clark also utter waste.
+
+i jus reached home. i go bathe first. but my sis using net tell u when she finishes k...
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+lol u still feeling sick?
+
+god's love has no limit. god's grace has no measure. god's power has no boundaries. may u have god's endless blessings always in ur life...!! gud ni8
+
+"my fri ah... okie lor
+i thought slide is enough.
+
+yes! the only place in town to meet exciting adult singles is now in the uk. txt chat to 86688 now! 150p/msg.
+
+tap & spile at seven. * is that pub on gas st off broad st by canal. ok?
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+thanks 4 your continued support your question this week will enter u in2 our draw 4 ??100 cash. name the new us president? txt ans to 80082
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+"hi babe its chloe
+"bored of speed dating? try speedchat
+except theres a chick with huge boobs.
+
+is she replying. has boye changed his phone number
+
+wat time ?_ finish?
+
+\hey j! r u feeling any better
+
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+my trip was ok but quite tiring lor. uni starts today but it's ok 4 me cos i'm not taking any modules but jus concentrating on my final yr project.
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+have you heard about that job? i'm going to that wildlife talk again tonight if u want2come. its that2worzels and a wizzle or whatever it is?!
+
+hey what how about your project. started aha da.
+
+i've been trying to reach him without success
+
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693. 08715500022 rpl stop 2 cnl
+
+hi my email address has changed now it is
+
+money!!! you r a lucky winner ! 2 claim your prize text money 2 88600 over ??1million to give away ! ppt150x3+normal text rate box403 w1t1jy
+
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08708800282 hg/suite342/2lands row/w1j6hl
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+win urgent! your mobile number has been awarded with a ??2000 prize guaranteed call 09061790121 from land line. claim 3030 valid 12hrs only 150ppm
+
+tell your friends what you plan to do on valentines day @ <url>
+
+"urgent ur awarded a complimentary trip to eurodisinc trav
+"hmmm.... mayb can try e shoppin area one
+he's really into skateboarding now despite the fact that he gets thrown off of it and winds up with bandages and shit all over his arms every five minutes
+
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+"ur balance is now ??600. next question: complete the landmark
+ummmmmaah many many happy returns of d day my dear sweet heart.. happy birthday dear
+
+discussed with your mother ah?
+
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"urgent! your mobile number *************** won a ??2000 bonus caller prize on 10/06/03! this is the 2nd attempt to reach you! call 09066368753 asap! box 97n7qp
+"sir
+howz that persons story
+
+"xmas & new years eve tickets are now on sale from the club
+just forced myself to eat a slice. i'm really not hungry tho. this sucks. mark is getting worried. he knows i'm sick when i turn down pizza. lol
+
+?? thk of wat to eat tonight.
+
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+"hiya
+for taking part in our mobile survey yesterday! you can now have 500 texts 2 use however you wish. 2 get txts just send txt to 80160 t&c www.txt43.com 1.50p
+
+love you aathi..love u lot..
+
+u are subscribed to the best mobile content service in the uk for ??3 per 10 days until you send stop to 82324. helpline 08706091795
+
+"whenevr ur sad
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+i borrow ur bag ok.
+
+oh k...i'm watching here:)
+
+say thanks2.
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+"she said
+wish i were with you now!
+
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+i actually did for the first time in a while. i went to bed not too long after i spoke with you. woke up at 7. how was your night?
+
+s but mostly not like that.
+
+k..k.:)congratulation ..
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"urgent! you have won a 1 week free membership in our ??100
+"yeah i think my usual guy's still passed out from last night
+what is your record for one night? :)
+
+"freemsg hey u
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+"pdate_now - double mins and 1000 txts on orange tariffs. latest motorola
+pick ur fone up now u dumb?
+
+"loan for any purpose ??500 - ??75
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+"tee hee. off to lecture
+"ya
+leave it wif me lar... ?? wan to carry meh so heavy... is da num 98321561 familiar to ?_?
+
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"(and my man carlos is definitely coming by mu tonight
+aiyar hard 2 type. u later free then tell me then i call n scold n tell u.
+
+yeah i can still give you a ride
+
+rt-king pro video club>> need help? info.co.uk or call 08701237397 you must be 16+ club credits redeemable at www.ringtoneking.co.uk! enjoy!
+
+do you want a new nokia 3510i colour phone delivered tomorrow? with 200 free minutes to any mobile + 100 free text + free camcorder reply or call 08000930705
+
+yup. thk of u oso boring wat.
+
+what is important is that you prevent dehydration by giving her enough fluids
+
+same as kallis dismissial in 2nd test:-).
+
+"ur balance is now ??600. next question: complete the landmark
+"this is the 2nd time we have tried 2 contact u. u have won the ??750 pound prize. 2 claim is easy
+yes i posted a couple of pics on fb. there's still snow outside too. i'm just waking up :)
+
+"in the simpsons movie released in july 2007 name the band that died at the start of the film? a-green day
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+"u've been selected to stay in 1 of 250 top british hotels - for nothing! holiday valued at ??350! dial 08712300220 to claim - national rate call. bx526
+"hey... thk we juz go accordin to wat we discussed yest lor
+"well done
+k k :-):-) then watch some films.
+
+tell dear what happen to you. why you talking to me like an alian
+
+hi! you just spoke to maneesha v. we'd like to know if you were satisfied with the experience. reply toll free with yes or no.
+
+you have an important customer service announcement from premier.
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+that's the way you should stay oh.
+
+sorry me going home first... daddy come fetch ?_ later...
+
+"sms services. for your inclusive text credits
+"looks like you found something to do other than smoke
+"eerie nokia tones 4u
+"good afternoon on this glorious anniversary day
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update vco free on 08002986906
+
+hi babe u r most likely to be in bed but im so sorry about tonight! i really wanna see u tomorrow so call me at 9. love me xxx
+
+not much no fights. it was a good nite!!
+
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+those ducking chinchillas
+
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+"we're all getting worried over here
+esplanade lor. where else...
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+they will pick up and drop in car.so no problem..
+
+i dont thnk its a wrong calling between us
+
+did u got that persons story
+
+yes we are chatting too.
+
+your daily text from me ??? a favour this time
+
+no need to say anything to me. i know i am an outsider
+
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+free 1st week entry 2 textpod 4 a chance 2 win 40gb ipod or ??250 cash every wk. txt pod to 84128 ts&cs www.textpod.net custcare 08712405020.
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+jus ans me lar. u'll noe later.
+
+u???ve bin awarded ??50 to play 4 instant cash. call 08715203028 to claim. every 9th player wins min ??50-??500. optout 08718727870
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+ok i'm coming home now.
+
+so i'm doing a list of buyers.
+
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+unlimited texts. limited minutes.
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+i'm glad. you are following your dreams.
+
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+no go. no openings for that room 'til after thanksgiving without an upcharge.
+
+congrats ! treat pending.i am not on mail for 2 days.will mail once thru.respect mother at home.check mails.
+
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+3 pa but not selected.
+
+that's one of the issues but california is okay. no snow so its manageable
+
+now only i reached home. . . i am very tired now. . i will come tomorro
+
+yar lor... keep raining non stop... or u wan 2 go elsewhere?
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+we got a divorce. lol. she.s here
+
+"hi
+free unlimited hardcore porn direct 2 your mobile txt porn to 69200 & get free access for 24 hrs then chrgd per day txt stop 2exit. this msg is free
+
+what time do u get out?
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+"until 545 lor... ya
+does daddy have a bb now.
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+"well
+will purchase d stuff today and mail to you. do you have a po box number?
+
+you have 1 new voicemail. please call 08719181503
+
+"thanks for your ringtone order
+i want <#> rs da:)do you have it?
+
+you have won a guaranteed 32000 award or maybe even ??1000 cash to claim ur award call free on 0800 ..... (18+). its a legitimat efreefone number wat do u think???
+
+i liked the new mobile
+
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+convey my regards to him
+
+you have 1 new voicemail. please call 08719181513.
+
+he says hi and to get your ass back to south tampa (preferably at a kegger)
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+hey i am really horny want to chat or see me naked text hot to 69698 text charged at 150pm to unsubscribe text stop 69698
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+nice.nice.how is it working?
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+just chill for another 6hrs. if you could sleep the pain is not a surgical emergency so see how it unfolds. okay
+
+ok cool. see ya then.
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+free>ringtone! reply real or poly eg real1 1. pushbutton 2. dontcha 3. babygoodbye 4. golddigger 5. webeburnin 1st tone free and 6 more when u join for ??3/wk
+
+life has never been this much fun and great until you came in. you made it truly special for me. i won't forget you! enjoy @ one gbp/sms
+
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+r u over scratching it?
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+87077: kick off a new season with 2wks free goals & news to ur mobile! txt ur club name to 87077 eg villa to 87077
+
+lol ... i knew that .... i saw him in the dollar store
+
+sian... aft meeting supervisor got work 2 do liao... u working now?
+
+sorry sent blank msg again. yup but trying 2 do some serious studying now.
+
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+stupid.its not possible
+
+please call amanda with regard to renewing or upgrading your current t-mobile handset free of charge. offer ends today. tel 0845 021 3680 subject to t's and c's
+
+tomorrow i am not going to theatre. . . so i can come wherever u call me. . . tell me where and when to come tomorrow
+
+"dear matthew please call 09063440451 from a landline
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+what happen dear. why you silent. i am tensed
+
+did you stitch his trouser
+
+"urgent! please call 09066612661 from your landline
+you will be in the place of that man
+
+he's just gonna worry for nothing. and he won't give you money its no use.
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+waiting for your call.
+
+great comedy..cant stop laughing da:)
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+ok . . now i am in bus. . if i come soon i will come otherwise tomorrow
+
+you have 1 new message. call 0207-083-6089
+
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+08714712388 between 10am-7pm cost 10p
+
+"please protect yourself from e-threats. sib never asks for sensitive information like passwords
+got c... i lazy to type... i forgot ?_ in lect... i saw a pouch but like not v nice...
+
+"5 free top polyphonic tones call 087018728737
+nationwide auto centre (or something like that) on newport road. i liked them there
+
+"dear
+i am not having her number sir
+
+s.this will increase the chance of winning.
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+no you'll just get a headache trying to figure it out. u can trust me to do the math. i promise. o:-)
+
+"if you don't
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+you are gorgeous! keep those pix cumming :) thank you!
+
+nvm it's ok...
+
+check mail.i have mailed varma and kept copy to you regarding membership.take care.insha allah.
+
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+\alright babe
+
+k sure am in my relatives home. sms me de. pls:-)
+
+yeah i imagine he would be really gentle. unlike the other docs who treat their patients like turkeys.
+
+free camera phones with linerental from 4.49/month with 750 cross ntwk mins. 1/2 price txt bundle deals also avble. call 08001950382 or call2optout/j mf
+
+mm that time you dont like fun
+
+also remember to get dobby's bowl from your car
+
+your opinion about me? 1. over 2. jada 3. kusruthi 4. lovable 5. silent 6. spl character 7. not matured 8. stylish 9. simple pls reply..
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+i think u have the wrong number.
+
+?? come lt 25 n pass to me lar
+
+hahaha..use your brain dear
+
+what not under standing.
+
+hai priya are you right. what doctor said pa. where are you.
+
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+"did you hear about the new \divorce barbie\""? it comes with all of ken's stuff!"""
+
+no objection. my bf not coming.
+
+did u fix the teeth?if not do it asap.ok take care.
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+hey mr whats the name of that bill brison book the one about language and words
+
+can u get pic msgs to your phone?
+
+"happy new year to u and ur family...may this new year bring happiness
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+lol enjoy role playing much?
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+ok... but they said i've got wisdom teeth hidden inside n mayb need 2 remove.
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+glad it went well :) come over at 11 then we'll have plenty of time before claire goes to work.
+
+"i???ve got some salt
+"sorry pa
+"a swt thought: \nver get tired of doing little things 4 lovable persons..\"" coz..somtimes those little things occupy d biggest part in their hearts.. gud ni8"""
+
+so i asked how's anthony. dad. and your bf
+
+"\petey boy whereare you me and all your friendsare in thekingshead come down if you canlove nic\"""""
+
+hello which the site to download songs its urgent pls
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+"sorry
+"jane babes not goin 2 wrk
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+"six chances to win cash! from 100 to 20
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+"if you don't
+i did. one slice and one breadstick. lol
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+sun ah... thk mayb can if dun have anythin on... thk have to book e lesson... e pilates is at orchard mrt u noe hor...
+
+tell me they're female :v how're you throwing in? we're deciding what all to get now
+
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+ok lor... but buy wat?
+
+k.k:)i'm going to tirunelvali this week to see my uncle ..i already spend the amount by taking dress .so only i want money.i will give it on feb 1
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+"congratulations! thanks to a good friend u have won the ??2
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+"ur balance is now ??600. next question: complete the landmark
+"thanks for your ringtone order
+dont talk to him ever ok its my word.
+
+"upgrdcentre orange customer
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+ron say fri leh. n he said ding tai feng cant make reservations. but he said wait lor.
+
+"in case you wake up wondering where i am
+"complimentary 4 star ibiza holiday or ??10
+i got to video tape pple type in message lor. u so free wan 2 help me? hee... cos i noe u wan 2 watch infernal affairs so ask u along. asking shuhui oso.
+
+"shop till u drop
+too late. i said i have the website. i didn't i have or dont have the slippers
+
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+well good morning mr . hows london treatin' ya treacle?
+
+then ?_ wait 4 me at bus stop aft ur lect lar. if i dun c ?_ then i go get my car then come back n pick ?_.
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+get ready for <#> inches of pleasure...
+
+"it's cool
+no management puzzeles.
+
+"yeah
+me hungry buy some food good lei... but mum n yun dun wan juz buy a little bit...
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+"nothing
+"sorry
+phony ??350 award - todays voda numbers ending xxxx are selected to receive a ??350 award. if you have a match please call 08712300220 quoting claim code 3100 standard rates app
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+"hi
+bored housewives! chat n date now! 0871750.77.11! bt-national rate 10p/min only from landlines!
+
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+as a registered optin subscriber ur draw 4 ??100 gift voucher will be entered on receipt of a correct ans to 80062 whats no1 in the bbc charts
+
+"our mobile number has won ??5000
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+"all done
+"poyyarikatur
+how will i creep on you now? ;_;
+
+"that's good
+i cant pick the phone right now. pls send a message
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+did either of you have any idea's? do you know of anyplaces doing something?
+
+sexy sexy cum and text me im wet and warm and ready for some porn! u up for some fun? this msg is free recd msgs 150p inc vat 2 cancel text stop
+
+"free msg. sorry
+"you are a ??1000 winner or guaranteed caller prize
+yes.i'm in office da:)
+
+ard 530 like dat lor. we juz meet in mrt station then ?_ dun haf to come out.
+
+"nah i don't think he goes to usf
+tone club: your subs has now expired 2 re-sub reply monoc 4 monos or polyc 4 polys 1 weekly @ 150p per week txt stop 2 stop this msg free stream 0871212025016
+
+"don't worry though
+"by the way
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/d.txt b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/d.txt
new file mode 100644
index 0000000..6000590
--- /dev/null
+++ b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/d.txt
@@ -0,0 +1,801 @@
+"i can't keep going through this. it was never my intention to run you out
+compliments to you. was away from the system. how your side.
+
+i love to cuddle! i want to hold you in my strong arms right now...
+
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+why didn't u call on your lunch?
+
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+great to hear you are settling well. so what's happenin wit ola?
+
+you have an important customer service announcement from premier.
+
+you're gonna have to be way more specific than that
+
+that sucks. i'll go over so u can do my hair. you'll do it free right?
+
+"thank you
+don know..he is watching film in computer..
+
+"tyler (getting an 8th) has to leave not long after 9
+what time u wrkin?
+
+"freemsg hey there darling it's been 3 week's now and no word back! i'd like some fun you up for it still? tb ok! xxx std chgs to send
+what was she looking for?
+
+sorry i missed your call let's talk when you have the time. i'm on 07090201529
+
+x2 <#> . are you going to get that
+
+yo theres no class tmrw right?
+
+booked ticket for pongal?
+
+congratulations ur awarded either ??500 of cd gift vouchers & free entry 2 our ??100 weekly draw txt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+rofl. its true to its name
+
+kaiez... enjoy ur tuition... gee... thk e second option sounds beta... i'll go yan jiu den msg u...
+
+have you heard from this week?
+
+"sorry
+"\hey das cool... iknow all 2 wellda peril of studentfinancial crisis!spk 2 u l8r.\"""""
+
+i meant middle left or right?
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+take something for pain. if it moves however to any side in the next 6hrs see a doctor.
+
+:-) yeah! lol. luckily i didn't have a starring role like you!
+
+yar lor wait 4 my mum 2 finish sch then have lunch lor... i whole morning stay at home clean my room now my room quite clean... hee...
+
+apps class varaya elaya.
+
+?? dun wan to watch infernal affair?
+
+"turns out my friends are staying for the whole show and won't be back til ~ <#>
+"forgot it takes me 3 years to shower
+i.ll give her once i have it. plus she said grinule greet you whenever we speak
+
+he said i look pretty wif long hair wat. but i thk he's cutting quite short 4 me leh.
+
+u r the most beautiful girl ive ever seen. u r my baby come and c me in the common room
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+okay... we wait ah
+
+then get some cash together and i'll text jason
+
+hi babe im at home now wanna do something? xx
+
+in sch but neva mind u eat 1st lor..
+
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+my exam is for february 4. wish you a great day.
+
+what is this 'hex' place you talk of? explain!
+
+do you want a new video phone750 anytime any network mins 150 text for only five pounds per week call 08000776320 now or reply for delivery tomorrow
+
+no no. i will check all rooms befor activities
+
+"that would be good ??_ i'll phone you tomo lunchtime
+"total disappointment
+guess who am i?this is the first time i created a web page www.asjesus.com read all i wrote. i'm waiting for your opinions. i want to be your friend 1/1
+
+"storming msg: wen u lift d phne
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+bbq this sat at mine from 6ish. ur welcome 2 come
+
+we are pleased to inform that your application for airtel broadband is processed successfully. your installation will happen within 3 days.
+
+i am back. good journey! let me know if you need any of the receipts. shall i tell you like the pendent?
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+"update_now - xmas offer! latest motorola
+"ou are guaranteed the latest nokia phone
+"congratulations! thanks to a good friend u have won the ??2
+full heat pa:-) i have applyed oil pa.
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"orange brings you ringtones from all time chart heroes
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+"no i'm good for the movie
+yeah you should. i think you can use your gt atm now to register. not sure but if there's anyway i can help let me know. but when you do be sure you are ready.
+
+are you in town? this is v. important
+
+wow! the boys r back. take that 2007 uk tour. win vip tickets & pre-book with vip club. txt club to 81303. trackmarque ltd info.
+
+super da:)good replacement for murali
+
+"all the lastest from stereophonics
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p.
+
+piss is talking is someone that realise u that point this at is it.(now read it backwards)
+
+you have 1 new message. please call 08712400200.
+
+"free ringtone text first to 87131 for a poly or text get to 87131 for a true tone! help? 0845 2814032 16 after 1st free
+you will be receiving this week's triple echo ringtone shortly. enjoy it!
+
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+must come later.. i normally bathe him in da afternoon mah..
+
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"loan for any purpose ??500 - ??75
+"mila
+i pocked you up there before
+
+"naughty little thought: 'its better to flirt
+reverse is cheating. that is not mathematics.
+
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+watching telugu movie..wat abt u?
+
+i'm very happy for you babe ! woo hoo party on dude!
+
+call freephone 0800 542 0578 now!
+
+yep get with the program. you're slacking.
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+zoe it just hit me 2 im fucking shitin myself il defo try my hardest 2 cum 2morow luv u millions lekdog
+
+"plz note: if anyone calling from a mobile co. & asks u to type # <#> or # <#> . do not do so. disconnect the call
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+have a good trip. watch out for . remember when you get back we must decide about easter.
+
+"urgent urgent! we have 800 free flights to europe to give away
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+"sorry
+fancy a shag? i do.interested? sextextuk.com txt xxuk suzy to 69876. txts cost 1.50 per msg. tncs on website. x
+
+"sorry
+hi where you. you in home or calicut?
+
+yes but i don't care cause i know its there!
+
+tell them u have a headache and just want to use 1 hour of sick time.
+
+r u still working now?
+
+call germany for only 1 pence per minute! call from a fixed line via access number 0844 861 85 85. no prepayment. direct access! www.telediscount.co.uk
+
+"double mins & 1000 txts on orange tariffs. latest motorola
+"freemsg: claim ur 250 sms messages-text ok to 84025 now!use web2mobile 2 ur mates etc. join txt250.com for 1.50p/wk. t&c box139
+k da:)how many page you want?
+
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+can not use foreign stamps in this country. good lecture .
+
+"each moment in a day
+ok lor. anyway i thk we cant get tickets now cos like quite late already. u wan 2 go look 4 ur frens a not? darren is wif them now...
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+your bill at 3 is ??33.65 so thats not bad!
+
+do you want a new nokia 3510i colour phone deliveredtomorrow? with 300 free minutes to any mobile + 100 free texts + free camcorder reply or call 08000930705.
+
+"1000's flirting now! txt girl or bloke & ur name & age
+ur ringtone service has changed! 25 free credits! go to club4mobiles.com to choose content now! stop? txt club stop to 87070. 150p/wk club4 po box1146 mk45 2wt
+
+whom you waited for yesterday
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+i am on the way to ur home
+
+"\the world suffers a lot... not because of the violence of bad people. but because of the silence of good people!\"""
+
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+"500 new mobiles from 2004
+"as a valued customer
+thanks honey. have a great day.
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+why don't you wait 'til at least wednesday to see if you get your .
+
+we regret to inform u that the nhs has made a mistake.u were never actually born.please report 2 yor local hospital 2b terminated.we r sorry 4 the inconvenience
+
+they said ?_ dun haf passport or smth like dat.. or ?_ juz send to my email account..
+
+what i told before i tell. stupid hear after i wont tell anything to you. you dad called to my brother and spoken. not with me.
+
+you'll not rcv any more msgs from the chat svc. for free hardcore services text go to: 69988 if u get nothing u must age verify with yr network & try again
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+ard 530 lor. i ok then message ?_ lor.
+
+yesterday its with me only . now am going home.
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"you at mu? you should try to figure out how much money everyone has for gas and alcohol
+well at this right i'm gonna have to get up and check today's steam sales/pee so text me when you want me to come get you
+
+"you are guaranteed the latest nokia phone
+yo yo yo byatch whassup?
+
+hello. they are going to the village pub at 8 so either come here or there accordingly. ok?
+
+dont forget you can place as many free requests with 1stchoice.co.uk as you wish. for more information call 08707808226.
+
+"smsservices. for yourinclusive text credits
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+height of confidence: all the aeronautics professors wer calld & they wer askd 2 sit in an aeroplane. aftr they sat they wer told dat the plane ws made by their students. dey all hurried out of d plane.. bt only 1 didnt move... he said:\if it is made by my students
+
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+"free msg. sorry
+sac needs to carry on:)
+
+"orange brings you ringtones from all time chart heroes
+"probably gonna be here for a while
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+"aight fuck it
+you have an important customer service announcement from premier.
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203656 identifier code: 42049 expires 26/10/04
+
+"twinks
+we can make a baby in yo tho
+
+hey i've booked the pilates and yoga lesson already... haha
+
+your b4u voucher w/c 27/03 is marsms. log onto www.b4utele.com for discount credit. to opt out reply stop. customer care call 08717168528
+
+"cmon babe
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094507 from land line. claim 3030. valid 12hrs only
+
+no calls..messages..missed calls
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+enjoy the jamster videosound gold club with your credits for 2 new videosounds+2 logos+musicnews! get more fun from jamster.co.uk! 16+only help? call: 09701213186
+
+yup i shd haf ard 10 pages if i add figures... ?? all got how many pages?
+
+xmas prize draws! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09058094565 from land line. valid 12hrs only
+
+u can call now...
+
+yes i know the cheesy songs from frosty the snowman :)
+
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+i take it we didn't have the phone callon friday. can we assume we won't have it this year now?
+
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+my darling sister. how are you doing. when's school resuming. is there a minimum wait period before you reapply? do take care
+
+"ur balance is now ??600. next question: complete the landmark
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+i didn't get the second half of that message
+
+oh and by the way you do have more food in your fridge! want to go out for a meal tonight?
+
+ooooooh i forgot to tell u i can get on yoville on my phone
+
+dear we are going to our rubber place
+
+then u ask darren go n pick u lor... but i oso sian tmr haf 2 meet lect...
+
+i just saw ron burgundy captaining a party boat so yeah
+
+friendship poem: dear o dear u r not near but i can hear dont get fear live with cheer no more tear u r always my dear. gud ni8
+
+hi juan. im coming home on fri hey. of course i expect a welcome party and lots of presents. ill phone u when i get back. loads of love nicky x x x x x x x x x
+
+if india win or level series means this is record:)
+
+both :) i shoot big loads so get ready!
+
+"urgent! please call 09066612661 from your landline
+kallis wont bat in 2nd innings.
+
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+at 4. let's go to bill millers
+
+i've reached home finally...
+
+when ?_ login dat time... dad fetching ?_ home now?
+
+r u here yet? i'm wearing blue shirt n black pants.
+
+"goodmorning
+eh sorry leh... i din c ur msg. not sad already lar. me watching tv now. u still in office?
+
+lol where do u come up with these ideas?
+
+"k
+i'm reading the text i just sent you. its meant to be a joke. so read it in that light
+
+well there's a pattern emerging of my friends telling me to drive up and come smoke with them and then telling me that i'm a weed fiend/make them smoke too much/impede their doing other things so you see how i'm hesitant
+
+that means get the door
+
+on a tuesday night r u 4 real
+
+"double mins and txts 4 6months free bluetooth on orange. available on sony
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+babe: u want me dont u baby! im nasty and have a thing 4 filthyguys. fancy a rude time with a sexy bitch. how about we go slo n hard! txt xxx slo(4msgs)
+
+"think ur smart ? win ??200 this week in our weekly quiz
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+i'll probably be around mu a lot
+
+you know what hook up means right?
+
+"k give me a sec
+it's ok lar. u sleep early too... nite...
+
+did you see that film:)
+
+eek that's a lot of time especially since american pie is like 8 minutes long. i can't stop singing it.
+
+"found it
+will do. have a good day
+
+also maaaan are you missing out
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+i am 6 ft. we will be a good combination!
+
+"got fujitsu
+**free message**thanks for using the auction subscription service. 18 . 150p/msgrcvd 2 skip an auction txt out. 2 unsubscribe txt stop customercare 08718726270
+
+fuck babe ... what happened to you ? how come you never came back?
+
+boy; i love u grl: hogolo boy: gold chain kodstini grl: agalla boy: necklace madstini grl: agalla boy: hogli 1 mutai eerulli kodthini! grl: i love u kano;-)
+
+boltblue tones for 150p reply poly# or mono# eg poly3 1. cha cha slide 2. yeah 3. slow jamz 6. toxic 8. come with me or stop 4 more tones txt more
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"yeah there's barely enough room for the two of us
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send collect to 83600 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+thanks for yesterday sir. you have been wonderful. hope you enjoyed the burial. mojibiola
+
+i wnt to buy a bmw car urgently..its vry urgent.but hv a shortage of <#> lacs.there is no source to arng dis amt. <#> lacs..thats my prob
+
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+"if you want to mapquest it or something look up \usf dogwood drive\"""
+
+we currently have a message awaiting your collection. to collect your message just call 08718723815.
+
+"my parents
+"new tones this week include: 1)mcfly-all ab..
+well. you know what i mean. texting
+
+sindu got job in birla soft ..
+
+"you 07801543489 are guaranteed the latests nokia phone
+kit strip - you have been billed 150p. netcollex ltd. po box 1013 ig11 oja
+
+ever thought about living a good life with a perfect partner? just txt back name and age to join the mobile community. (100p/sms)
+
+"0a$networks allow companies to bill for sms
+urgent this is our 2nd attempt to contact u. your ??900 prize from yesterday is still awaiting collection. to claim call now 09061702893
+
+i'm done. c ?_ there.
+
+may i call you later pls
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+wait . i will msg after <#> min.
+
+"freemsg why haven't you replied to my text? i'm randy
+today is accept day..u accept me as? brother sister lover dear1 best1 clos1 lvblefrnd jstfrnd cutefrnd lifpartnr belovd swtheart bstfrnd no rply means enemy
+
+"i shall book chez jules for half eight
+"i just got home babe
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+then mum's repent how?
+
+bishan lar nearer... no need buy so early cos if buy now i gotta park my car...
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+hello my little party animal! i just thought i'd buzz you as you were with your friends ...*grins*... reminding you were loved and send a naughty adoring kiss
+
+"text82228>> get more ringtones
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+later i guess. i needa do mcat study too.
+
+depends on where u going lor.
+
+now got tv 2 watch meh? u no work today?
+
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+how are you. just checking up on you
+
+block breaker now comes in deluxe format with new features and great graphics from t-mobile. buy for just ??5 by replying get bbdeluxe and take the challenge
+
+"yeah sure
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+"you've won tkts to the euro2004 cup final or ??800 cash
+"say this slowly.? god
+how are you? i miss you!
+
+"as usual..iam fine
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/meg. cc: 08718720201 hg/suite342/2lands row/w1j6hl
+
+ffffffffff. alright no way i can meet up with you sooner?
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+"why is that
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+"y cant u try new invention to fly..i'm not joking.
+why must we sit around and wait for summer days to celebrate. such a magical sight when the worlds dressed in white. oooooh let there be snow.
+
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+urgent we are trying to contact you last weekends draw shows u have won a ??1000 prize guaranteed call 09064017295 claim code k52 valid 12hrs 150p pm
+
+"oh fine
+"thanks for your ringtone order
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+you know there is. i shall speak to you in <#> minutes then
+
+"i am late
+you will recieve your tone within the next 24hrs. for terms and conditions please see channel u teletext pg 750
+
+very hurting n meaningful lines ever: \i compromised everything for my love
+
+free entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+do you want a new video handset? 750 anytime any network mins? half price line rental? camcorder? reply or call 08000930705 for delivery tomorrow
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+"mila
+"dont search love
+anyway holla at me whenever you're around because i need an excuse to go creep on people in sarasota
+
+there's no point hangin on to mr not right if he's not makin u happy
+
+xy trying smth now. u eat already? we havent...
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+she went to attend another two rounds today..but still did't reach home..
+
+thanks chikku..:-) gud nyt:-*
+
+"how's my loverboy doing ? what does he do that keeps him from coming to his queen
+here is my new address -apples&pairs&all that malarky
+
+ok. there may be a free gym about.
+
+yep then is fine 7.30 or 8.30 for ice age.
+
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+save money on wedding lingerie at www.bridal.petticoatdreams.co.uk choose from a superb selection with national delivery. brought to you by weddingfriend
+
+i am getting threats from your sales executive shifad as i raised complaint against him. its an official message.
+
+"well
+are you this much buzy
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+you're right i have now that i think about it
+
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+ok but tell me half an hr b4 u come i need 2 prepare.
+
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+ok
+
+i called but no one pick up e phone. i ask both of them already they said ok.
+
+private! your 2003 account statement for 078
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w45wq norm150p/tone 16+
+
+how is your schedule next week? i am out of town this weekend.
+
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+congratulations you've won. you're a winner in our august ??1000 prize draw. call 09066660100 now. prize code 2309.
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+"hmmm... guess we can go 4 kb n power yoga... haha
+got it. seventeen pounds for seven hundred ml ??? hope ok.
+
+i will be gentle baby! soon you will be taking all <#> inches deep inside your tight pussy...
+
+"wen ur lovable bcums angry wid u
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+"thanks for your ringtone order
+i forgot 2 ask ?_ all smth.. there's a card on da present lei... how? ?? all want 2 write smth or sign on it?
+
+hi babe its me thanks for coming even though it didnt go that well!i just wanted my bed! hope to see you soon love and kisses xxx
+
+misplaced your number and was sending texts to your old number. wondering why i've not heard from you this year. all the best in your mcat. got this number from my atlanta friends
+
+hi. customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+after the drug she will be able to eat.
+
+oh yah... we never cancel leh... haha
+
+you do got a shitload of diamonds though
+
+08714712388 between 10am-7pm cost 10p
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??2000 prize guaranteed. call 09066358361 from land line. claim y87. valid 12hrs only
+
+todays vodafone numbers ending with 0089(my last four digits) are selected to received a ??350 award. if your number matches please call 09063442151 to claim your ??350 award
+
+"\cheers u tex mecause u werebored! yeah okden hunny r uin wk sat?sound??s likeyour havin gr8fun j! keep updat countinlots of loveme xxxxx.\"""""
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790126 from land line. claim 3030. valid 12hrs only 150ppm
+
+from www.applausestore.com monthlysubscription/msg max6/month t&csc web age16 2stop txt stop
+
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"well done! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+what are your new years plans?
+
+urgent! please call 09061213237 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae po box 177. m227xy. 150ppm. 16+
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+lol i was gonna last month. i cashed some in but i left <#> just in case. i was collecting more during the week cause they announced it on the blog.
+
+"nah man
+gud mrng dear hav a nice day
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+i only work from mon to thurs but sat i cant leh... booked liao... which other day u free?
+
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+"night has ended for another day
+do you want 750 anytime any network mins 150 text and a new video phone for only five pounds per week call 08002888812 or reply for delivery tomorrow
+
+yo guess what i just dropped
+
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+now? i'm going out 4 dinner soon..
+
+"what do u reckon as need 2 arrange transport if u can't do it
+"im in inperialmusic listening2the weirdest track ever by??leafcutter john??-sounds like insects being molested&someone plumbing
+id have to check but there's only like 1 bowls worth left
+
+you tell what happen dont behave like this to me. ok no need to say
+
+finish liao... u?
+
+dear we got <#> dollars hi hi
+
+well its not like you actually called someone a punto. that woulda been worse.
+
+"win the newest ???harry potter and the order of the phoenix (book 5) reply harry
+i like dis sweater fr mango but no more my size already so irritating.
+
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+ok... then r we meeting later?
+
+congratulations ur awarded either a yrs supply of cds from virgin records or a mystery gift guaranteed call 09061104283 ts&cs www.smsco.net ??1.50pm approx 3mins
+
+ringtoneking 84484
+
+da my birthdate in certificate is in april but real date is today. but dont publish it. i shall give you a special treat if you keep the secret. any way thanks for the wishes
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094594
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094565
+
+i asked you to call him now ok
+
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+lol grr my mom is taking forever with my prescription. pharmacy is like 2 minutes away. ugh.
+
+check out choose your babe videos @ sms.shsex.netun fgkslpopw fgkslpo
+
+shall i send that exe to your mail id.
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+oh yeah! and my diet just flew out the window
+
+yup
+
+yes. nigh you cant aha.
+
+it only does simple arithmetic not percentages.
+
+"i had been hoping i would not have to send you this message. my rent is due and i dont have enough for it. my reserves are completely gone. its a loan i need and was hoping you could her. the balance is <#> . is there a way i could get that from you
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+"will u meet ur dream partner soon? is ur career off 2 a flyng start? 2 find out free
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+lol wtf random. btw is that your lunch break
+
+get a free mobile video player free movie. to collect text go to 89105. its free! extra films can be ordered t's and c's apply. 18 yrs only
+
+"for your chance to win a free bluetooth headset then simply reply back with \adp\"""""
+
+"urgent. important information for 02 user. today is your lucky day! 2 find out why
+"themob> check out our newest selection of content
+k ill drink.pa then what doing. i need srs model pls send it to my mail id pa.
+
+aaooooright are you at work?
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send cash to 86688 only 150p/msg. cc: 08718720201 po box 114/14 tcr/w1
+
+how are you holding up?
+
+are you at work right now ?
+
+"mila
+i enjoy watching and playing football and basketball. anything outdoors. and you?
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+thought praps you meant another one. goodo! i'll look tomorrow
+
+slaaaaave ! where are you ? must i summon you to me all the time now ? don't you wish to come to me on your own anymore?
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+you got called a tool?
+
+"hungry gay guys feeling hungry and up 4 it
+i wonder if you'll get this text?
+
+i've told him that i've returned it. that should i re order it.
+
+i've reached sch already...
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+i know you are serving. i mean what are you doing now.
+
+is xy in ur car when u picking me up?
+
+thats cool! sometimes slow and gentle. sonetimes rough and hard :)
+
+sorry i've not gone to that place. i.ll do so tomorrow. really sorry.
+
+"erm ??_ ill pick you up at about 6.45pm. that'll give enough time to get there
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+....photoshop makes my computer shut down.
+
+haha but no money leh... later got to go for tuition... haha and looking for empty slots for driving lessons
+
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+nobody can decide where to eat and dad wants chinese
+
+"new mobiles from 2004
+"babe
+probably gonna swing by in a wee bit
+
+"dear sir
+wat so late still early mah. or we juz go 4 dinner lor. aiya i dunno...
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+will be office around 4 pm. now i am going hospital.
+
+"dear
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+"i hope your alright babe? i worry that you might have felt a bit desparate when you learned the job was a fake ? i am here waiting when you come back
+"spoke with uncle john today. he strongly feels that you need to sacrifice to keep me here. he's going to call you. when he does
+free entry into our ??250 weekly competition just text the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"as a valued customer
+"alright
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+even if he my friend he is a priest call him now
+
+s:-)kallis wont play in first two odi:-)
+
+taka lor. wat time u wan 2 come n look 4 us?
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country liverpool played in mid week? txt ansr to 82277. ??1.50 sp:tyrone
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+he neva grumble but i sad lor... hee... buy tmr lor aft lunch. but we still meetin 4 lunch tmr a not. neva hear fr them lei. ?? got a lot of work ar?
+
+"camera quite good
+do you want a new video phone? 600 anytime any network mins 400 inclusive video calls and downloads 5 per week free deltomorrow call 08002888812 or reply now
+
+send this to ur friends and receive something about ur voice..... how is my speaking expression? 1.childish 2.naughty 3.sentiment 4.rowdy 5.ful of attitude 6.romantic 7.shy 8.attractive 9.funny <#> .irritating <#> .lovable. reply me..
+
+"sms. ac jsco: energy is high
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394973 from landline datebox1282essexcm61xn 150p/min 18
+
+hmv bonus special 500 pounds of genuine hmv vouchers to be won. just answer 4 easy questions. play now! send hmv to 86688 more info:www.100percent-real.com
+
+huh so late... fr dinner?
+
+either way works for me. i am <#> years old. hope that doesnt bother you.
+
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/generatedLFs.txt b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/generatedLFs.txt
new file mode 100644
index 0000000..c2abcaa
--- /dev/null
+++ b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/generatedLFs.txt
@@ -0,0 +1,25 @@
+0,free
+0,ur
+0,claim
+1,come
+1,ok
+0,holiday
+1,gt
+0,stop
+0,won
+1,got
+1,like
+0,video
+0,win
+1,sorry
+0,uk
+0,holiday
+0,holiday
+0,text
+0,urgent
+0,holiday
+0,holiday
+0,contact
+0,com
+0,text
+0,text
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_U_processed.p b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_U_processed.p
new file mode 100644
index 0000000..37c89ef
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_U_processed.p differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_d_processed.p b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_d_processed.p
new file mode 100644
index 0000000..e71334c
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_d_processed.p differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_k.npy b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_k.npy
new file mode 100644
index 0000000..4409a86
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_k.npy differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_reef.npy b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_reef.npy
new file mode 100644
index 0000000..f6bf212
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_reef.npy differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_test_LFs.npy b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_test_LFs.npy
new file mode 100644
index 0000000..8f1c7de
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_test_LFs.npy differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_test_processed.p b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_test_processed.p
new file mode 100644
index 0000000..6b1914f
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_test_processed.p differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_train_LFs.npy b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_train_LFs.npy
new file mode 100644
index 0000000..9c8c528
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_train_LFs.npy differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_val_LFs.npy b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_val_LFs.npy
new file mode 100644
index 0000000..3223bd1
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_val_LFs.npy differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_validation_processed.p b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_validation_processed.p
new file mode 100644
index 0000000..2805e00
Binary files /dev/null and b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/normal_validation_processed.p differ
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/test.txt b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/test.txt
new file mode 100644
index 0000000..4ded582
--- /dev/null
+++ b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/test.txt
@@ -0,0 +1,852 @@
+should i be stalking u?
+
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+"had your contract mobile 11 mnths? latest motorola
+"ok. not much to do here though. h&m friday
+"u wake up already? wat u doing? u picking us up later rite? i'm taking sq825
+and of course you should make a stink!
+
+dunno cos i was v late n when i reach they inside already... but we ate spageddies lor... it's e gals who r laughing at me lor...
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+have you had a good day? mine was really busy are you up to much tomorrow night?
+
+"urgent! your mobile no *********** won a ??2
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+yes..he is really great..bhaji told kallis best cricketer after sachin in world:).very tough to get out.
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+excellent! wish we were together right now!
+
+a guy who gets used but is too dumb to realize it.
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08715203652 identifier code: 42810 expires 29/10/0
+
+i would but i'm still cozy. and exhausted from last night.nobody went to school or work. everything is closed.
+
+todays voda numbers ending 5226 are selected to receive a ?350 award. if you hava a match please call 08712300220 quoting claim code 1131 standard rates app
+
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+"do 1 thing! change that sentence into: \because i want 2 concentrate in my educational career im leaving here..\"""""
+
+cab is available.they pick up and drop at door steps.
+
+sms. ac sun0819 posts hello:\you seem cool
+
+"i need an 8th but i'm off campus atm
+no calls..messages..missed calls
+
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+do you want a new video handset? 750 any time any network mins? unlimited text? camcorder? reply or call now 08000930705 for del sat am
+
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+lol! oops sorry! have fun.
+
+"fantasy football is back on your tv. go to sky gamestar on sky active and play ??250k dream team. scoring starts on saturday
+"ditto. and you won't have to worry about me saying anything to you anymore. like i said last night
+"update_now - xmas offer! latest motorola
+good morning plz call me sir
+
+thanx 4 2day! u r a goodmate i think ur rite sary! asusual!1 u cheered me up! love u franyxxxxx
+
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+"got what it takes 2 take part in the wrc rally in oz? u can with lucozade energy! text rally le to 61200 (25p)
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+dear 0776xxxxxxx u've been invited to xchat. this is our final attempt to contact u! txt chat to 86688 150p/msgrcvdhg/suite342/2lands/row/w1j6hl ldn 18yrs
+
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+or just do that 6times
+
+* thought i didn't see you.
+
+hey u still at the gym?
+
+"the sign of maturity is not when we start saying big things.. but actually it is
+are you unique enough? find out from 30th august. www.areyouunique.co.uk
+
+boo. how's things? i'm back at home and a little bored already :-(
+
+i cant pick the phone right now. pls send a message
+
+"freemsg why haven't you replied to my text? i'm randy
+please call 08712402578 immediately as there is an urgent message waiting for you
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+"rock yr chik. get 100's of filthy films &xxx pics on yr phone now. rply filth to 69669. saristar ltd
+"babe! how goes that day ? what are you up to ? i miss you already
+this girl does not stay in bed. this girl doesn't need recovery time. id rather pass out while having fun then be cooped up in bed
+
+yes. it's all innocent fun. o:-)
+
+"okey dokey
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"eerie nokia tones 4u
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+juz go google n search 4 qet...
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+1apple/day=no doctor. 1tulsi leaf/day=no cancer. 1lemon/day=no fat. 1cup milk/day=no bone problms 3 litres watr/day=no diseases snd ths 2 whom u care..:-)
+
+"freemsg you have been awarded a free mini digital camera
+"can meh? thgt some will clash... really ah
+-pls stop bootydelious (32/f) is inviting you to be her friend. reply yes-434 or no-434 see her: www.sms.ac/u/bootydelious stop? send stop frnd to 62468
+
+tired. i haven't slept well the past few nights.
+
+"sorry
+"for ur chance to win ??250 cash every wk txt: play to 83370. t's&c's www.music-trivia.net custcare 08715705022
+you'll never believe this but i have actually got off at taunton. wow
+
+"lol you forgot it eh ? yes
+idea will soon get converted to live:)
+
+<#> am i think? should say on syllabus
+
+then ur physics get a-?
+
+after completed degree. there is no use in joining finance.
+
+yup... from what i remb... i think should be can book...
+
+okie ?_ wan meet at bishan? cos me at bishan now. i'm not driving today.
+
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+oh yeah i forgot. u can only take 2 out shopping at once.
+
+"awesome
+ard 4 lor...
+
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 87077 get txting and tell ur mates. zed pobox 36504 w45wq norm150p/tone 16+
+
+please call our customer service representative on 0800 169 6031 between 10am-9pm as you have won a guaranteed ??1000 cash or ??5000 prize!
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+"do you know why god created gap between your fingers..? so that
+"free2day sexy st george's day pic of jordan!txt pic to 89080 dont miss out
+babe !!!! i love you !!!! *covers your face in kisses*
+
+"yo carlos
+"as a sim subscriber
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+k:)eng rocking in ashes:)
+
+(you didn't hear it from me)
+
+hey come online! use msn... we are all there
+
+hey are you angry with me. reply me dr.
+
+"england v macedonia - dont miss the goals/team news. txt ur national team to 87077 eg england to 87077 try:wales
+"six chances to win cash! from 100 to 20
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+just got up. have to be out of the room very soon. ??_. i hadn't put the clocks back til at 8 i shouted at everyone to get up and then realised it was 7. wahay. another hour in bed.
+
+i'm still pretty weak today .. bad day ?
+
+"ha. you don???t know either. i did a a clever but simple thing with pears the other day
+yup but it's not giving me problems now so mayb i'll jus leave it...
+
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+the new deus ex game comin early next yr
+
+call freephone 0800 542 0578 now!
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+tmr timin still da same wat cos i got lesson until 6...
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+"dear voucher holder
+thanks for the vote. now sing along with the stars with karaoke on your mobile. for a free link just reply with sing now.
+
+no it will reach by 9 only. she telling she will be there. i dont know
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+aiyar dun disturb u liao... thk u have lots 2 do aft ur cupboard come...
+
+are you still getting the goods.
+
+mobile club: choose any of the top quality items for your mobile. 7cfca1a
+
+"shop till u drop
+"to review and keep the fantastic nokia n-gage game deck with club nokia
+lol what happens in vegas stays in vegas
+
+hey hun-onbus goin 2 meet him. he wants 2go out 4a meal but i donyt feel like it cuz have 2 get last bus home!but hes sweet latelyxxx
+
+if you mean the website. yes.
+
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+yeah. i got a list with only u and joanna if i'm feeling really anti social
+
+this message is free. welcome to the new & improved sex & dogging club! to unsubscribe from this service reply stop. msgs 18+only
+
+(bank of granite issues strong-buy) explosive pick for our members *****up over 300% *********** nasdaq symbol cdgt that is a $5.00 per..
+
+she.s find. i sent you an offline message to know how anjola's now.
+
+k go and sleep well. take rest:-).
+
+07732584351 - rodger burns - msg = we tried to call you re your reply to our sms for a free nokia mobile + free camcorder. please call now 08000930705 for delivery tomorrow
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+if you hear a loud scream in about <#> minutes its cause my gyno will be shoving things up me that don't belong :/
+
+at the funeral home with audrey and dad
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptx
+
+speaking of does he have any cash yet?
+
+hi ....my engagement has been fixd on <#> th of next month. i know its really shocking bt....hmm njan vilikkam....t ws al of a sudn;-(.
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+me too! have a lovely night xxx
+
+we can go 4 e normal pilates after our intro...
+
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+"hot live fantasies call now 08707509020 just 20p per min ntt ltd
+network operator. the service is free. for t & c's visit 80488.biz
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+;-) ok. i feel like john lennon.
+
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+what time you thinkin of goin?
+
+"hungry gay guys feeling hungry and up 4 it
+is there a reason we've not spoken this year? anyways have a great week and all the best in your exam
+
+valentines day special! win over ??1000 in our quiz and take your partner on the trip of a lifetime! send go to 83600 now. 150p/msg rcvd. custcare:08718720201.
+
+?? dun need to pick ur gf?
+
+you have 1 new voicemail. please call 08719181513.
+
+what happen dear tell me
+
+convey my regards to him
+
+"sorry i flaked last night
+i like to talk pa but am not able to. i dont know y.
+
+"well the general price is <#> /oz
+"urgent!! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+"beautiful tomorrow never comes.. when it comes
+"500 new mobiles from 2004
+hi darlin ive just got back and i had a really nice night and thanks so much for the lift see u tomorrow xxx
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+freemsg: fancy a flirt? reply date now & join the uks fastest growing mobile dating service. msgs rcvd just 25p to optout txt stop to 83021. reply date now!
+
+do u still have plumbers tape and a wrench we could borrow?
+
+"do you ever notice that when you're driving
+get ur 1st ringtone free now! reply to this msg with tone. gr8 top 20 tones to your phone every week just ??1.50 per wk 2 opt out send stop 08452810071 16
+
+"remember all those whom i hurt during days of satanic imposter in me.need to pay a price
+?? collecting ur laptop then going to configure da settings izzit?
+
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+hey leave it. not a big deal:-) take care.
+
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+8007 free for 1st week! no1 nokia tone 4 ur mob every week just txt nokia to 8007 get txting and tell ur mates www.getzed.co.uk pobox 36504 w4 5wq norm 150p/tone 16+
+
+"freemsg you have been awarded a free mini digital camera
+serious? what like proper tongued her
+
+"i can. but it will tell quite long
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+aiyah e rain like quite big leh. if drizzling i can at least run home.
+
+also are you bringing galileo or dobby
+
+que pases un buen tiempo or something like that
+
+no..few hours before.went to hair cut .
+
+really? i crashed out cuddled on my sofa.
+
+wherre's my boytoy ? :-(
+
+"urgent! your mobile no 07xxxxxxxxx won a ??2
+i want snow. it's just freezing and windy.
+
+promotion number: 8714714 - ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+i like to think there's always the possibility of being in a pub later.
+
+"awesome
+freemsg hi baby wow just got a new cam moby. wanna c a hot pic? or fancy a chat?im w8in 4utxt / rply chat to 82242 hlp 08712317606 msg150p 2rcv
+
+sos! any amount i can get pls.
+
+"i sent you the prices and do you mean the <#> g
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths+? call mobilesdirect free on 08000938767 to update now! or2stoptxt t&cs
+
+"to the wonderful okors
+"do whatever you want. you know what the rules are. we had a talk earlier this week about what had to start happening
+"the <#> g that i saw a few days ago
+smith waste da.i wanna gayle.
+
+"yup
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+i just made some payments so dont have that much. sorry. would you want it fedex or the other way.
+
+missing you too.pray inshah allah
+
+08714712388 between 10am-7pm cost 10p
+
+as usual u can call me ard 10 smth.
+
+"this is the 2nd time we have tried to contact u. u have won the ??400 prize. 2 claim is easy
+"urgent -call 09066649731from landline. your complimentary 4* ibiza holiday or ??10
+about <#> bucks. the banks fees are fixed. better to call the bank and find out.
+
+do u want 2 meet up 2morro
+
+tells u 2 call 09066358152 to claim ??5000 prize. u have 2 enter all ur mobile & personal details @ the prompts. careful!
+
+"dont give a monkeys wot they think and i certainly don't mind. any friend of mine&all that! just don't sleep wiv
+"come to mu
+rct' thnq adrian for u text. rgds vatian
+
+please attend the phone:)
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+hmm thinking lor...
+
+"and very importantly
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+"hottest pics straight to your phone!! see me getting wet and wanting
+"by the way
+his bday real is in april .
+
+do you know when the result.
+
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"hello my boytoy ... geeee i miss you already and i just woke up. i wish you were here in bed with me
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"do you realize that in about 40 years
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+my uncles in atlanta. wish you guys a great semester.
+
+missed call alert. these numbers called but left no message. 07008009200
+
+hahaha..use your brain dear
+
+pleassssssseeeeee tel me v avent done sportsx
+
+"sure thing big man. i have hockey elections at 6
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+"had your mobile 10 mths? update to the latest camera/video phones for free. keep ur same number
+want a new video phone? 750 anytime any network mins? half price line rental free text for 3 months? reply or call 08000930705 for free delivery
+
+you should change your fb to jaykwon thuglyfe falconerf
+
+"true. it is passable. and if you get a high score and apply for phd
+up to ?_... ?? wan come then come lor... but i din c any stripes skirt...
+
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+i don't know u and u don't know me. send chat to 86688 now and let's find each other! only 150p/msg rcvd. hg/suite342/2lands/row/w1j6hl ldn. 18 years or over.
+
+"\urgent! this is the 2nd attempt to contact u!u have won ??1000call 09071512432 b4 300603t&csbcm4235wc1n3xx.callcost150ppmmobilesvary. max??7. 50\"""""
+
+it's ?? only $140 ard...?? rest all ard $180 at least...which is ?? price 4 ?? 2 bedrm ($900)
+
+we confirm eating at esplanade?
+
+i think i've fixed it can you send a test message?
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+good morning my dear........... have a great & successful day.
+
+"hello baby
+if u sending her home first it's ok lor. i'm not ready yet.
+
+santa calling! would your little ones like a call from santa xmas eve? call 09077818151 to book you time. calls1.50ppm last 3mins 30s t&c www.santacalling.com
+
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+"that day ?_ say ?_ cut ur hair at paragon
+your next amazing xxx picsfree1 video will be sent to you enjoy! if one vid is not enough for 2day text back the keyword picsfree1 to get the next video.
+
+"someone u know has asked our dating service 2 contact you! cant guess who? call 09058097189 now all will be revealed. pobox 6
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+"sorry i missed you babe. i was up late and slept in. i hope you enjoy your driving lesson
+book which lesson? then you msg me... i will call up after work or sth... i'm going to get specs. my membership is px3748
+
+your weekly cool-mob tones are ready to download !this weeks new tones include: 1) crazy frog-axel f>>> 2) akon-lonely>>> 3) black eyed-dont p >>>more info in n
+
+"garbage bags
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+you are awarded a sipix digital camera! call 09061221061 from landline. delivery within 28days. t cs box177. m221bp. 2yr warranty. 150ppm. 16 . p p??3.99
+
+i'm at work. please call
+
+"awesome
+yup... i havent been there before... you want to go for the yoga? i can call up to book
+
+just now saw your message.it k da:)
+
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+ringtoneking 84484
+
+txt: call to no: 86888 & claim your reward of 3 hours talk time to use from your phone now! subscribe6gbp/mnth inc 3hrs 16 stop?txtstop www.gamb.tv
+
+you got job in wipro:)you will get every thing in life in 2 or 3 years.
+
+i had it already..sabarish asked me to go..
+
+todays voda numbers ending 7548 are selected to receive a $350 award. if you have a match please call 08712300220 quoting claim code 4041 standard rates app
+
+"free nokia or motorola with upto 12mths 1/2price linerental
+reply to win ??100 weekly! what professional sport does tiger woods play? send stop to 87239 to end service
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min gsex pobox 2667 wc1n 3xx
+
+"well imma definitely need to restock before thanksgiving
+omg how did u know what i ate?
+
+where wuld i be without my baby? the thought alone mite break me and i don??t wanna go crazy but everyboy needs his lady xxxxxxxx
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+"awesome
+you have won a guaranteed ??1000 cash or a ??2000 prize. to claim yr prize call our customer service representative on 08714712412 between 10am-7pm cost 10p
+
+"my sister in law
+thanks honey but still haven't heard anything i will leave it a bit longer so not 2 crowd him and will try later - great advice thanks hope cardiff is still there!
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
+lord of the rings:return of the king in store now!reply lotr by 2 june 4 chance 2 win lotr soundtrack cds stdtxtrate. reply stop to end txts
+
+"as a valued customer
+"urgent! your mobile no 077xxx won a ??2
+"spook up your mob with a halloween collection of a logo & pic message plus a free eerie tone
+message important information for o2 user. today is your lucky day! 2 find out why log onto http://www.urawinner.com there is a fantastic surprise awaiting you
+
+"mila
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08715203685 identifier code:4xx26 expires 13/10/04
+
+am also doing in cbe only. but have to pay.
+
+from next month get upto 50% more calls 4 ur standard network charge 2 activate call 9061100010 c wire3.net 1st4terms pobox84 m26 3uz cost ??1.50 min mobcudb more
+
+1 in cbe. 2 in chennai.
+
+carlos'll be here in a minute if you still need to buy
+
+"ur balance is now ??600. next question: complete the landmark
+"welcome to select
+"its ok.
+wah lucky man... then can save money... hee...
+
+i have to take exam with in march 3
+
+"u so lousy
+lol or i could just starve and lose a pound by the end of the day.
+
+someone u know has asked our dating service 2 contact you! cant guess who? call 09058091854 now all will be revealed. po box385 m6 6wu
+
+"wan2 win a meet+greet with westlife 4 u or a m8? they are currently on what tour? 1)unbreakable
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"as usual..iam fine
+sms auction you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+you are a winner u have been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810810
+
+claire here am havin borin time & am now alone u wanna cum over 2nite? chat now 09099725823 hope 2 c u luv claire xx calls??1/minmoremobsemspobox45po139wa
+
+tbs/persolvo. been chasing us since sept for??38 definitely not paying now thanks to your information. we will ignore them. kath. manchester.
+
+"final chance! claim ur ??150 worth of discount vouchers today! text yes to 85023 now! savamob
+tmrw. im finishing 9 doors
+
+moby pub quiz.win a ??100 high street prize if u know who the new duchess of cornwall will be? txt her first name to 82277.unsub stop ??1.50 008704050406 sp
+
+shall i bring us a bottle of wine to keep us amused? only joking! i???ll bring one anyway
+
+"its ok
+"aight text me when you're back at mu and i'll swing by
+congratulations u can claim 2 vip row a tickets 2 c blu in concert in november or blu gift guaranteed call 09061104276 to claim ts&cs www.smsco.net cost??3.75max
+
+it means u could not keep ur words.
+
+k do i need a login or anything
+
+come aftr <decimal> ..now i m cleaning the house
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+this message is brought to you by gmw ltd. and is not connected to the
+
+gsoh? good with spam the ladies?u could b a male gigolo? 2 join the uk's fastest growing mens club reply oncall. mjzgroup. 08714342399.2stop reply stop. msg@??1.50rcvd
+
+"\happy valentines day\"" i know its early but i have hundreds of handsomes and beauties to wish. so i thought to finish off aunties and uncles 1st..."""
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+you are now unsubscribed all services. get tons of sexy babes or hunks straight to your phone! go to http://gotbabes.co.uk. no subscriptions.
+
+not heard from u4 a while. call 4 rude chat private line 01223585334 to cum. wan 2c pics of me gettin shagged then text pix to 8552. 2end send stop 8552 sam xxx
+
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+"call 09094100151 to use ur mins! calls cast 10p/min (mob vary). service provided by aom
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+"hiya
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+"hmm
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+"gosh that
+i am going to sao mu today. will be done only at 12
+
+i uploaded mine to facebook
+
+double mins & double txt & 1/2 price linerental on latest orange bluetooth mobiles. call mobileupd8 for the very latest offers. 08000839402 or call2optout/lf56
+
+"hi the way i was with u 2day
+excellent! are you ready to moan and scream in ecstasy?
+
+urgent! your mobile number has been awarded with a ??2000 prize guaranteed. call 09061790121 from land line. claim 3030. valid 12hrs only 150ppm
+
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+no plans yet. what are you doing ?
+
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+"sms services. for your inclusive text credits
+"as i entered my cabin my pa said
+i place all ur points on e cultures module already.
+
+cds 4u: congratulations ur awarded ??500 of cd gift vouchers or ??125 gift guaranteed & freeentry 2 ??100 wkly draw xt music to 87066 tncs www.ldew.com1win150ppmx3age16
+
+"watching cartoon
+morning only i can ok.
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+i dont want to hear anything
+
+would u fuckin believe it they didnt know i had thurs pre booked off so they re cancelled me again! that needs to b sacked
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+"freemsg why haven't you replied to my text? i'm randy
+i fetch yun or u fetch?
+
+u have a secret admirer. reveal who thinks u r so special. call 09065174042. to opt out reply reveal stop. 1.50 per msg recd. cust care 07821230901
+
+my stomach has been thru so much trauma i swear i just can't eat. i better lose weight.
+
+"sppok up ur mob with a halloween collection of nokia logo&pic message plus a free eerie tone
+i will come tomorrow di
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+another month. i need chocolate weed and alcohol.
+
+no he didn't. spring is coming early yay!
+
+i anything lor.
+
+great news! call freefone 08006344447 to claim your guaranteed ??1000 cash or ??2000 gift. speak to a live operator now!
+
+i'm freezing and craving ice. fml
+
+i calls you later. afternoon onwords mtnl service get problem in south mumbai. i can hear you but you cann't listen me.
+
+"imagine you finally get to sink into that bath after i have put you through your paces
+it just seems like weird timing that the night that all you and g want is for me to come smoke is the same day as when a shitstorm is attributed to me always coming over and making everyone smoke
+
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+got but got 2 colours lor. one colour is quite light n e other is darker lor. actually i'm done she's styling my hair now.
+
+pathaya enketa maraikara pa'
+
+"this weeks savamob member offers are now accessible. just call 08709501522 for details! savamob
+i don wake since. i checked that stuff and saw that its true no available spaces. pls call the embassy or send a mail to them.
+
+alright took the morphine. back in yo.
+
+no drama pls.i have had enough from you and family while i am struggling in the hot sun in a strange place.no reason why there should be an ego of not going 'if not invited' when actually its necessity to go.wait for very serious reppurcussions.
+
+"can you please ask macho what his price range is
+where is that one day training:-)
+
+"aight
+urgent! your mobile number has been awarded a 2000 prize guaranteed. call 09061790125 from landline. claim 3030. valid 12hrs only 150ppm
+
+u ned to convince him tht its not possible witot hurting his feeling its the main
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+recpt 1/3. you have ordered a ringtone. your order is being processed...
+
+that's y u haf 2 keep me busy...
+
+had your mobile 11mths ? update for free to oranges latest colour camera mobiles & unlimited weekend calls. call mobile upd8 on freefone 08000839402 or 2stoptxt
+
+armand says get your ass over to epsilon
+
+ok...
+
+please call 08712402972 immediately as there is an urgent message waiting for you
+
+i will reach ur home in <#> minutes
+
+am going to take bath ill place the key in window:-)
+
+"upgrdcentre orange customer
+we tried to contact you re your response to our offer of a new nokia fone and camcorder hit reply or call 08000930705 for delivery
+
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+"that's cool
+thanks for ve lovely wisheds. you rock
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+u meet other fren dun wan meet me ah... muz b a guy rite...
+
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php. rg21 4jx
+
+"tddnewsletter.co.uk (more games from thedailydraw) dear helen
+that's cause your old. i live to be high.
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+we'll join the <#> bus
+
+"call me. i m unable to cal. lets meet bhaskar
+"hiya
+private! your 2003 account statement for 07808 xxxxxx shows 800 un-redeemed s. i. m. points. call 08719899217 identifier code: 41685 expires 07/11/04
+
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+"customer service announcement. we recently tried to make a delivery to you but were unable to do so
+cheers for the card ... is it that time of year already?
+
+i know but you need to get hotel now. i just got my invitation but i had to apologise. cali is to sweet for me to come to some english bloke's weddin
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+interflora - ??it's not too late to order interflora flowers for christmas call 0800 505060 to place your order before midnight tomorrow.
+
+i will vote for wherever my heart guides me
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+"gumby's has a special where a <#> \ cheese pizza is $2 so i know what we're doin tonight"""
+
+i hope your pee burns tonite.
+
+i didnt get anything da
+
+want explicit sex in 30 secs? ring 02073162414 now! costs 20p/min
+
+hey i will be late ah... meet you at 945+
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+"welcome to uk-mobile-date this msg is free giving you free calling to 08719839835. future mgs billed at 150p daily. to cancel send \go stop\"" to 89123"""
+
+"hi ya babe x u 4goten bout me?' scammers getting smart..though this is a regular vodafone no
+"complimentary 4 star ibiza holiday or ??10
+we tried to contact you re your reply to our offer of a video handset? 750 anytime any networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+ree entry in 2 a weekly comp for a chance to win an ipod. txt pod to 80182 to get entry (std txt rate) t&c's apply 08452810073 for details 18+
+
+lol yeah at this point i guess not
+
+yes. i come to nyc for audiitions and am trying to relocate.
+
+mmm ... fuck .... merry christmas to me
+
+"dear voucher holder
+i might come to kerala for 2 days.so you can be prepared to take a leave once i finalise .dont plan any travel during my visit.need to finish urgent works.
+
+heart is empty without love.. mind is empty without wisdom.. eyes r empty without dreams & life is empty without frnds.. so alwys be in touch. good night & sweet dreams
+
+t-mobile customer you may now claim your free camera phone upgrade & a pay & go sim card for your loyalty. call on 0845 021 3680.offer ends 28thfeb.t&c's apply
+
+18 days to euro2004 kickoff! u will be kept informed of all the latest news and results daily. unsubscribe send get euro stop to 83222.
+
+themob>yo yo yo-here comes a new selection of hot downloads for our members to get for free! just click & open the next link sent to ur fone...
+
+honestly i've just made a lovely cup of tea and promptly dropped my keys in it and then burnt my fingers getting them out!
+
+"hey boys. want hot xxx pics sent direct 2 ur phone? txt porn to 69855
+text & meet someone sexy today. u can find a date or even flirt its up to u. join 4 just 10p. reply with name & age eg sam 25. 18 -msg recd pence
+
+join the uk's horniest dogging service and u can have sex 2nite!. just sign up and follow the instructions. txt entry to 69888 now! nyt.ec2a.3lp.msg
+
+"welcome to select
+"night has ended for another day
+dip's cell dead. so i m coming with him. u better respond else we shall come back.
+
+"hot live fantasies call now 08707500020 just 20p per min ntt ltd
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+"urgent urgent! we have 800 free flights to europe to give away
+k. i will sent it again
+
+customer loyalty offer:the new nokia6650 mobile from only ??10 at txtauction! txt word: start to no: 81151 & get yours now! 4t&ctxt tc 150p/mtmsg
+
+no probably <#> %.
+
+fine. do you remember me.
+
+sunshine quiz wkly q! win a top sony dvd player if u know which country the algarve is in? txt ansr to 82277. ??1.50 sp:tyrone
+
+you still around? looking to pick up later
+
+"had your contract mobile 11 mnths? latest motorola
+free top ringtone -sub to weekly ringtone-get 1st week free-send subpoly to 81618-?3 per week-stop sms-08718727870
+
+"she is our sister.. she belongs 2 our family.. she is d hope of tomorrow.. pray 4 her
+hope you are feeling great. pls fill me in. abiola
+
+freemsg:feelin kinda lnly hope u like 2 keep me company! jst got a cam moby wanna c my pic?txt or reply date to 82242 msg150p 2rcv hlp 08712317606 stop to 82242
+
+"ya they are well and fine.
+aiyo please ?_ got time meh.
+
+"congrats! 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid your mates
+1st wk free! gr8 tones str8 2 u each wk. txt nokia on to 8007 for classic nokia tones or hit on to 8007 for polys. nokia/150p poly/200p 16+
+
+show ur colours! euro 2004 2-4-1 offer! get an england flag & 3lions tone on ur phone! click on the following service message for info!
+
+sent me ur email id soon
+
+"actually fuck that
+freemsg: our records indicate you may be entitled to 3750 pounds for the accident you had. to claim for free reply with yes to this msg. to opt out text stop
+
+yay! you better not have told that to 5 other girls either.
+
+important information 4 orange user 0789xxxxxxx. today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+hi i'm sue. i am 20 years old and work as a lapdancer. i love sex. text me live - i'm i my bedroom now. text sue to 89555. by textoperator g2 1da 150ppmsg 18+
+
+wa... u so efficient... gee... thanx...
+
+oi. ami parchi na re. kicchu kaaj korte iccha korche na. phone ta tul na. plz. plz.
+
+"japanese proverb: if one can do it
+?? takin linear algebra today?
+
+adult 18 content your video will be with you shortly
+
+ok then u tell me wat time u coming later lor.
+
+then u going ikea str aft dat?
+
+s...i will take mokka players only:)
+
+"i don't have anybody's number
+dear voucher holder 2 claim your 1st class airport lounge passes when using your holiday voucher call 08704439680. when booking quote 1st class x 2
+
+todays voda numbers ending with 7634 are selected to receive a ??350 reward. if you have a match please call 08712300220 quoting claim code 7684 standard rates apply.
+
+ok i've sent u da latest version of da project.
+
+"once a fishrman woke early in d mrng. it was very dark. he waited a while & found a sack ful of stones. he strtd throwin thm in2 d sea 2 pass time. atlast he had jus 1stone
+hey no i ad a crap nite was borin without ya 2 boggy with me u boring biatch! thanx but u wait til nxt time il ave ya
+
+"mila
+i want to tell you how bad i feel that basically the only times i text you lately are when i need drugs
+
+"you are being contacted by our dating service by someone you know! to find out who it is
+"sorry
+guess what! somebody you know secretly fancies you! wanna find out who it is? give us a call on 09065394514 from landline datebox1282essexcm61xn 150p/min 18
+
+i dont know oh. hopefully this month.
+
+"me also da
+does cinema plus drink appeal tomo? * is a fr thriller by director i like on at mac at 8.30.
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+"ta-daaaaa! i am home babe
+"free message activate your 500 free text messages by replying to this message with the word free for terms & conditions
+"your free ringtone is waiting to be collected. simply text the password \mix\"" to 85069 to verify. get usher and britney. fml mk17 92h. 450ppw 16"""
+
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+83039 62735=??450 uk break accommodationvouchers terms & conditions apply. 2 claim you mustprovide your claim number which is 15541
+
+"i???ll leave around four
+"oh ! a half hour is much longer in syria than canada
+ok lor...
+
+"shop till u drop
diff --git a/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/val.txt b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/val.txt
new file mode 100644
index 0000000..c0532e7
--- /dev/null
+++ b/notebooks/SMS_SPAM/LFs/sms/home/aziz/Documents/CS769/Example_runs/val.txt
@@ -0,0 +1,807 @@
+reminder: you have not downloaded the content you have already paid for. goto http://doit. mymoby. tv/ to collect your content.
+
+dont put your phone on silent mode ok
+
+go where n buy? juz buy when we get there lar.
+
+free for 1st week! no1 nokia tone 4 ur mobile every week just txt nokia to 8077 get txting and tell ur mates. www.getzed.co.uk pobox 36504 w45wq 16+ norm150p/tone
+
+:-) :-)
+
+"i jus hope its true that missin me cos i'm really missin him! you haven't done anything to feel guilty about
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+74355 xmas iscoming & ur awarded either ??500 cd gift vouchers & free entry 2 r ??100 weekly draw txt music to 87066 tnc
+
+he is a womdarfull actor
+
+send me yetty's number pls.
+
+"oh... haha... den we shld had went today too... gee
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08718738002 identifier code: 48922 expires 21/11/04
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+"1000's flirting now! txt girl or bloke & ur name & age
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+collect your valentine's weekend to paris inc flight & hotel + ??200 prize guaranteed! text: paris to no: 69101. www.rtf.sphosting.com
+
+i'm on the bus. love you
+
+yes its possible but dint try. pls dont tell to any one k
+
+"you ve won! your 4* costa del sol holiday or ??5000 await collection. call 09050090044 now toclaim. sae
+wanna have a laugh? try chit-chat on your mobile now! logon by txting the word: chat and send it to no: 8883 cm po box 4217 london w1a 6zf 16+ 118p/msg rcvd
+
+"win: we have a winner! mr. t. foley won an ipod! more exciting prizes soon
+ok... ur typical reply...
+
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+you are a winner u have been specially selected 2 receive ??1000 or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810910p/min (18+)
+
+please call 08712402902 immediately as there is an urgent message waiting for you.
+
+huh i cant thk of more oredi how many pages do we have?
+
+"nope
+"congrats 2 mobile 3g videophones r yours. call 09063458130 now! videochat wid ur mates
+gr8 new service - live sex video chat on your mob - see the sexiest dirtiest girls live on ur phone - 4 details text horny to 89070 to cancel send stop to 89070
+
+500 free text msgs. just text ok to 80488 and we'll credit your account
+
+you should get more chicken broth if you want ramen unless there's some i don't know about
+
+natalja (25/f) is inviting you to be her friend. reply yes-440 or no-440 see her: www.sms.ac/u/nat27081980 stop? send stop frnd to 62468
+
+romcapspam everyone around should be responding well to your presence since you are so warm and outgoing. you are bringing in a real breath of sunshine.
+
+my planning usually stops at \find hella weed
+
+baaaaabe! i misss youuuuu ! where are you ? i have to go and teach my class at 5 ...
+
+i dont have that much image in class.
+
+o i played smash bros <#> religiously.
+
+"want to funk up ur fone with a weekly new tone reply tones2u 2 this text. www.ringtones.co.uk
+private! your 2004 account statement for 078498****7 shows 786 unredeemed bonus points. to claim call 08719180219 identifier code: 45239 expires 06.05.05
+
+y lei?
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+"k i'll head out in a few mins
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+your unique user id is 1172. for removal send stop to 87239 customer services 08708034412
+
+then any special there?
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+yunny... i'm goin to be late
+
+ok...
+
+congrats! nokia 3650 video camera phone is your call 09066382422 calls cost 150ppm ave call 3mins vary from mobiles 16+ close 300603 post bcm4284 ldn wc1n3xx
+
+hows the street where the end of library walk is?
+
+if we win its really no 1 side for long time.
+
+lol now i'm after that hot air balloon!
+
+"for ur chance to win a ??250 wkly shopping spree txt: shop to 80878. t's&c's www.txt-2-shop.com custcare 08715705022
+are you coming to day for class.
+
+i know that my friend already told that.
+
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+send a logo 2 ur lover - 2 names joined by a heart. txt love name1 name2 mobno eg love adam eve 07123456789 to 87077 yahoo! pobox36504w45wq txtno 4 no ads 150p
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"you've won tkts to the euro2004 cup final or ??800 cash
+wat time do u wan 2 meet me later?
+
+"storming msg: wen u lift d phne
+money i have won wining number 946 wot do i do next
+
+"awesome
+hey now am free you can call me.
+
+i am great! how are you?
+
+pls speak to that customer machan.
+
+"twinks
+you have won a guaranteed ??200 award or even ??1000 cashto claim ur award call free on 08000407165 (18+) 2 stop getstop on 88222 php
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+if i die i want u to have all my stuffs.
+
+double your mins & txts on orange or 1/2 price linerental - motorola and sonyericsson with b/tooth free-nokia free call mobileupd8 on 08000839402 or2optout/hv9d
+
+thanks for your subscription to ringtone uk your mobile will be charged ??5/month please confirm by replying yes or no. if you reply no you will not be charged
+
+"i got like $ <#>
+"under the sea
+great new offer - double mins & double txt on best orange tariffs and get latest camera phones 4 free! call mobileupd8 free on 08000839402 now! or 2stoptxt t&cs
+
+ok i msg u b4 i leave my house.
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+"come to me
++123 congratulations - in this week's competition draw u have won the ??1450 prize to claim just call 09050002311 b4280703. t&cs/stop sms 08718727868. over 18 only 150ppm
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"our dating service has been asked 2 contact u by someone shy! call 09058091870 now all will be revealed. pobox84
+macha dont feel upset.i can assume your mindset.believe me one evening with me and i have some wonderful plans for both of us.let life begin again.call me anytime
+
+"sorry battery died
+if you were/are free i can give. otherwise nalla adi entey nattil kittum
+
+we don call like <#> times oh. no give us hypertension oh.
+
+"hello from orange. for 1 month's free access to games
+sorry im stil fucked after last nite went tobed at 430 got up 4 work at 630
+
+prakesh is there know.
+
+am i the only one who doesn't stalk profiles?
+
+oh for fuck's sake she's in like tallahassee
+
+email alertfrom: jeri stewartsize: 2kbsubject: low-cost prescripiton drvgsto listen to email call 123
+
+aathi..where are you dear..
+
+freemsg: hey - i'm buffy. 25 and love to satisfy men. home alone feeling randy. reply 2 c my pix! qlynnbv help08700621170150p a msg send stop to stop txts
+
+lemme know when you're here
+
+"hack chat. get backdoor entry into 121 chat rooms at a fraction of the cost. reply neo69 or call 09050280520
+there's someone here that has a year <#> toyota camry like mr olayiwola's own. mileage is <#> k.its clean but i need to know how much will it sell for. if i can raise the dough for it how soon after landing will it sell. holla back.
+
+"this is the 2nd time we have tried 2 contact u. u have won the 750 pound prize. 2 claim is easy
+you won't believe it but it's true. it's incredible txts! reply g now to learn truly amazing things that will blow your mind. from o2fwd only 18p/txt
+
+3. you have received your mobile content. enjoy
+
+oh baby of the house. how come you dont have any new pictures on facebook
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+where's mummy's boy ? is he being good or bad ? is he being positive or negative ? why is mummy being made to wait? hmmmm?
+
+text pass to 69669 to collect your polyphonic ringtones. normal gprs charges apply only. enjoy your tones
+
+"sorry
+"you are guaranteed the latest nokia phone
+alrite sam its nic just checkin that this is ur number-so is it?t.b*
+
+were gonna go get some tacos
+
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+"okay
+i love working from home :)
+
+"urgent! your mobile no was awarded a ??2
+sexy singles are waiting for you! text your age followed by your gender as wither m or f e.g.23f. for gay men text your age followed by a g. e.g.23g.
+
+"hi
+u have won a nokia 6230 plus a free digital camera. this is what u get when u win our free auction. to take part send nokia to 83383 now. pobox114/14tcr/w1 16
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+"wn u r hurt by d prsn who s close 2 u
+"we know someone who you know that fancies you. call 09058097218 to find out who. pobox 6
+"7 wonders in my world 7th you 6th ur style 5th ur smile 4th ur personality 3rd ur nature 2nd ur sms and 1st \ur lovely friendship\""... good morning dear"""
+
+"goal! arsenal 4 (henry
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+how r ?_ going to send it to me?
+
+hey are we going for the lo lesson or gym?
+
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+eastenders tv quiz. what flower does dot compare herself to? d= violet e= tulip f= lily txt d e or f to 84025 now 4 chance 2 win ??100 cash wkent/150p16+
+
+"shop till u drop
+"a boy was late 2 home. his father: \power of frndship\"""""
+
+you are being ripped off! get your mobile content from www.clubmoby.com call 08717509990 poly/true/pix/ringtones/games six downloads for only 3
+
+"urgent urgent! we have 800 free flights to europe to give away
+i am late. i will be there at
+
+s:)but he had some luck.2 catches put down:)
+
+"she said
+hi 07734396839 ibh customer loyalty offer: the new nokia6600 mobile from only ??10 at txtauction!txt word:start to no:81151 & get yours now!4t&
+
+i want to be inside you every night...
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701851. claim code k61. valid 12hours only
+
+"not sure yet
+come by our room at some point so we can iron out the plan for this weekend
+
+"your chance to be on a reality fantasy show call now = 08707509020 just 20p per min ntt ltd
+"plz note: if anyone calling from a mobile co. & asks u to type # <#> or # <#> . do not do so. disconnect the call
+call 09095350301 and send our girls into erotic ecstacy. just 60p/min. to stop texts call 08712460324 (nat rate)
+
+i can't make it tonight
+
+haf u eaten? wat time u wan me 2 come?
+
+are you staying in town ?
+
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09065171142-stopsms-08
+
+"urgent! your mobile no *********** won a ??2
+gud mrng dear hav a nice day
+
+no..he joined today itself.
+
+glad to see your reply.
+
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+a ??400 xmas reward is waiting for you! our computer has randomly picked you from our loyal mobile customers to receive a ??400 reward. just call 09066380611
+
+i'm fine. hope you are good. do take care.
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+"said kiss
+"urgent! please call 0906346330. your abta complimentary 4* spanish holiday or ??10
+"sir goodmorning
+asked 3mobile if 0870 chatlines inclu in free mins. india cust servs sed yes. l8er got mega bill. 3 dont giv a shit. bailiff due in days. i o ??250 3 want ??800
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039 . skilgme. tscs087147403231winawk!age16 ??1.50perwksub
+
+hello darlin ive finished college now so txt me when u finish if u can love kate xxx
+
+http//tms. widelive.com/index. wml?id=820554ad0a1705572711&first=true??c c ringtone??
+
+well boy am i glad g wasted all night at applebees for nothing
+
+ok.ok ok..then..whats ur todays plan
+
+no 1 polyphonic tone 4 ur mob every week! just txt pt2 to 87575. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+loans for any purpose even if you have bad credit! tenants welcome. call noworriesloans.com on 08717111821
+
+hcl chennai requires freshers for voice process.excellent english needed.salary upto <#> .call ms.suman <#> for telephonic interview -via indyarocks.com
+
+private! your 2003 account statement for shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code: 49557 expires 26/11/04
+
+u sleeping now.. or you going to take? haha.. i got spys wat.. me online checking n replying mails lor..
+
+bloomberg -message center +447797706009 why wait? apply for your future http://careers. bloomberg.com
+
+win a year supply of cds 4 a store of ur choice worth ??500 & enter our ??100 weekly draw txt music to 87066 ts&cs www.ldew.com.subs16+1win150ppmx3
+
+let me know how to contact you. i've you settled in a room. lets know you are ok.
+
+"aldrine
+so why didnt you holla?
+
+ringtoneking 84484
+
+and i don't plan on staying the night but i prolly won't be back til late
+
+crazy ar he's married. ?? like gd looking guys not me. my frens like say he's korean leona's fave but i dun thk he is. aft some thinking mayb most prob i'll go.
+
+urgent! we are trying to contact u. todays draw shows that you have won a ??800 prize guaranteed. call 09050003091 from land line. claim c52. valid12hrs only
+
+no. 1 nokia tone 4 ur mob every week! just txt nok to 87021. 1st tone free ! so get txtin now and tell ur friends. 150p/tone. 16 reply hl 4info
+
+good morning princess! how are you?
+
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+urgent! please call 09061213237 from a landline. ??5000 cash or a 4* holiday await collection. t &cs sae po box 177 m227xy. 16+
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+get the official england poly ringtone or colour flag on yer mobile for tonights game! text tone or flag to 84199. optout txt eng stop box39822 w111wx ??1.50
+
+can u get 2 phone now? i wanna chat 2 set up meet call me now on 09096102316 u can cum here 2moro luv jane xx calls??1/minmoremobsemspobox45po139wa
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+its sarcasm.. .nt scarcasim
+
+can... i'm free...
+
+"today's offer! claim ur ??150 worth of discount vouchers! text yes to 85023 now! savamob
+dear i am not denying your words please
+
+"orange customer
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.idew.com skillgame
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days
+
+ok i thk i got it. then u wan me 2 come now or wat?
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+hi if ur lookin 4 saucy daytime fun wiv busty married woman am free all next week chat now 2 sort time 09099726429 janinexx calls??1/minmobsmorelkpobox177hp51fl
+
+nvm... i'm going to wear my sport shoes anyway... i'm going to be late leh.
+
+"1000's flirting now! txt girl or bloke & ur name & age
+private! your 2003 account statement for 07753741225 shows 800 un-redeemed s. i. m. points. call 08715203677 identifier code: 42478 expires 24/10/04
+
+pls send me your address sir.
+
+"not really dude
+"text me when you get off
+cashbin.co.uk (get lots of cash this weekend!) www.cashbin.co.uk dear welcome to the weekend we have got our biggest and best ever cash give away!! these..
+
+yup it's at paragon... i havent decided whether 2 cut yet... hee...
+
+"urgent! call 09066350750 from your landline. your complimentary 4* ibiza holiday or 10
+you have been specially selected to receive a 2000 pound award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo
+
+"customer place
+"all the lastest from stereophonics
+you have won a guaranteed ??1000 cash or a ??2000 prize.to claim yr prize call our customer service representative on
+
+urgent! we are trying to contact you. last weekends draw shows that you have won a ??900 prize guaranteed. call 09061701939. claim code s89. valid 12hrs only
+
+u r a winner u ave been specially selected 2 receive ??1000 cash or a 4* holiday (flights inc) speak to a live operator 2 claim 0871277810710p/min (18 )
+
+k.k:)when are you going?
+
+"yeah probably
+"tunji
+i love to give massages. i use lots of baby oil... what is your fave position?
+
+"k will do
+new textbuddy chat 2 horny guys in ur area 4 just 25p free 2 receive search postcode or at gaytextbuddy.com. txt one name to 89693
+
+"you have been selected to stay in 1 of 250 top british hotels - for nothing! holiday worth ??350! to claim
+s...from the training manual it show there is no tech process:)its all about password reset and troubleshooting:)
+
+"free msg: get gnarls barkleys \crazy\"" ringtone totally free just reply go to this message right now!"""
+
+thats cool princess! i will cover your face in hot sticky cum :)
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+omg i want to scream. i weighed myself and i lost more weight! woohoo!
+
+so when do you wanna gym harri
+
+"urgent! last weekend's draw shows that you have won ??1000 cash or a spanish holiday! call now 09050000332 to claim. t&c: rstm
+"i promise to take good care of you
+yes:)here tv is always available in work place..
+
+"yar lor he wan 2 go c horse racing today mah
+knock knock txt whose there to 80082 to enter r weekly draw 4 a ??250 gift voucher 4 a store of yr choice. t&cs www.tkls.com age16 to stoptxtstop??1.50/week
+
+no. i.ll meet you in the library
+
+going to join tomorrow.
+
+ok ok take care. i can understand.
+
+do you still have the grinder?
+
+i can send you a pic if you like :)
+
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+text banneduk to 89555 to see! cost 150p textoperator g696ga 18+ xxx
+
+no break time one... how... i come out n get my stuff fr ?_?
+
+free entry into our ??250 weekly comp just send the word win to 80086 now. 18 t&c www.txttowin.co.uk
+
+"smsservices. for yourinclusive text credits
+it will stop on itself. i however suggest she stays with someone that will be able to give ors for every stool.
+
+gent! we are trying to contact you. last weekends draw shows that you won a ??1000 prize guaranteed. call 09064012160. claim code k52. valid 12hrs only. 150ppm
+
+you still around? i could use a half-8th
+
+wat's my dear doing? sleeping ah?
+
+i've not sent it. he can send me.
+
+busy here. trying to finish for new year. i am looking forward to finally meeting you...
+
+have a nice day my dear.
+
+okmail: dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+3. you have received your mobile content. enjoy
+
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+lol its ok i didn't remember til last nite
+
+"smsservices. for yourinclusive text credits
+dear where you. call me
+
+r we going with the <#> bus?
+
+"for ur chance to win a ??250 cash every wk txt: action to 80608. t's&c's www.movietrivia.tv custcare 08712405022
+k...k:)why cant you come here and search job:)
+
+buy space invaders 4 a chance 2 win orig arcade game console. press 0 for games arcade (std wap charge) see o2.co.uk/games 4 terms + settings. no purchase
+
+"congratulations! thanks to a good friend u have won the ??2
+am watching house ??? very entertaining ??? am getting the whole hugh laurie thing ??? even with the stick ??? indeed especially with the stick.
+
+ok i will tell her to stay out. yeah its been tough but we are optimistic things will improve this month.
+
+this is a long fuckin showr
+
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+"good morning
+"you have been specially selected to receive a \3000 award! call 08712402050 before the lines close. cost 10ppm. 16+. t&cs apply. ag promo"""
+
+important information 4 orange user . today is your lucky day!2find out why log onto http://www.urawinner.com there's a fantastic surprise awaiting you!
+
+"u r subscribed 2 textcomp 250 wkly comp. 1st wk?s free question follows
+jus came back fr lunch wif my sis only. u leh?
+
+you have an important customer service announcement. call freephone 0800 542 0825 now!
+
+"you are a ??1000 winner or guaranteed caller prize
+"okies... i'll go yan jiu too... we can skip ard oso
+we are both fine. thanks
+
+still chance there. if you search hard you will get it..let have a try :)
+
+there is no sense in my foot and penis.
+
+"yep
+"when people see my msgs
+for sale - arsenal dartboard. good condition but no doubles or trebles!
+
+you are chosen to receive a ??350 award! pls call claim number 09066364311 to collect your award which you are selected to receive as a valued mobile customer.
+
+ur cash-balance is currently 500 pounds - to maximize ur cash-in now send go to 86688 only 150p/msg. cc 08718720201 hg/suite342/2lands row/w1j6hl
+
+there generally isn't one. it's an uncountable noun - u in the dictionary. pieces of research?
+
+guess which pub im in? im as happy as a pig in clover or whatever the saying is!
+
+"night has ended for another day
+sports fans - get the latest sports news str* 2 ur mobile 1 wk free plus a free tone txt sport on to 8007 www.getzed.co.uk 0870141701216+ norm 4txt/120p
+
+"09066362231 urgent! your mobile no 07xxxxxxxxx won a ??2
+"hi there
+"haha just kidding
+jamster! to get your free wallpaper text heart to 88888 now! t&c apply. 16 only. need help? call 08701213186.
+
+"u need my presnts always bcz u cant mis love. \jeevithathile irulinae neekunna prakasamanu sneham\"" prakasam ennal prabha 'that mns prabha is'love' got it. dont mis me...."""
+
+urgent ur ??500 guaranteed award is still unclaimed! call 09066368327 now closingdate04/09/02 claimcode m39m51 ??1.50pmmorefrommobile2bremoved-mobypobox734ls27yf
+
+"sunshine hols. to claim ur med holiday send a stamped self address envelope to drinks on us uk
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+this is all just creepy and crazy to me.
+
+ur awarded a city break and could win a ??200 summer shopping spree every wk. txt store to 88039.skilgme.tscs087147403231winawk!age16+??1.50perwksub
+
+"men always needs a beautiful
+cuz ibored. and don wanna study
+
+"aight
+todays vodafone numbers ending with 4882 are selected to a receive a ??350 award. if your number matches call 09064019014 to receive your ??350 award.
+
+wanna get laid 2nite? want real dogging locations sent direct to ur mobile? join the uk's largest dogging network. txt park to 69696 now! nyt. ec2a. 3lp ??1.50/msg
+
+rct' thnq adrian for u text. rgds vatian
+
+you can donate ??2.50 to unicef's asian tsunami disaster support fund by texting donate to 864233. ??2.50 will be added to your next bill
+
+88800 and 89034 are premium phone services call 08718711108
+
+i'm fine. hope you are also
+
+thesmszone.com lets you send free anonymous and masked messages..im sending this message from there..do you see the potential for abuse???
+
+"claim a 200 shopping spree
+yup i'm free...
+
+i knew it... u slept v late yest? wake up so late...
+
+"sun cant come to earth but send luv as rays. cloud cant come to river but send luv as rain. i cant come to meet u
+"last chance! claim ur ??150 worth of discount vouchers today! text shop to 85023 now! savamob
+"i.ll always be there
+we tried to call you re your reply to our sms for a video mobile 750 mins unlimited text free camcorder reply or call now 08000930705 del thurs
+
+not heard from u4 a while. call me now am here all night with just my knickers on. make me beg for it like u did last time 01223585236 xx luv nikiyu4.net
+
+"i hav almost reached. call
+aiya we discuss later lar... pick ?_ up at 4 is it?
+
+you have an important customer service announcement from premier. call freephone 0800 542 0578 now!
+
+and how's your husband.
+
+watching tv lor. nice one then i like lor.
+
+"urgent! your mobile no 07808726822 was awarded a ??2
+?? all write or wat..
+
+u 447801259231 have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094597
+
+22 days to kick off! for euro2004 u will be kept up to date with the latest news and results daily. to be removed send get txt stop to 83222
+
+he fucking chickened out. he messaged me he would be late and woould buzz me and then i didn't hear a word from him
+
+just curious because my cuz asked what i was up to
+
+u still havent got urself a jacket ah?
+
+dear subscriber ur draw 4 ??100 gift voucher will b entered on receipt of a correct ans. when was elvis presleys birthday? txt answer to 80062
+
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+"congrats! 1 year special cinema pass for 2 is yours. call 09061209465 now! c suprman v
+"ok thats cool. its
+reply with your name and address and you will receive by post a weeks completely free accommodation at various global locations www.phb1.com ph:08700435505150p
+
+how are you. its been ages. how's abj
+
+"just dropped em off
+more people are dogging in your area now. call 09090204448 and join like minded guys. why not arrange 1 yourself. there's 1 this evening. a??1.50 minapn ls278bb
+
+"awesome
+"bill
+"time n smile r the two crucial things in our life. sometimes time makes us to forget smile
+i want to go to perumbavoor
+
+free msg:we billed your mobile number by mistake from shortcode 83332.please call 08081263000 to have charges refunded.this call will be free from a bt landline
+
+don't b floppy... b snappy & happy! only gay chat service with photo upload call 08718730666 (10p/min). 2 stop our texts call 08712460324
+
+takin a shower now but yeah i'll leave when i'm done
+
+"we made it! eta at taunton is 12:30 as planned
+"oh yeah
+now press conference da:)
+
+"congratulations - thanks to a good friend u have won the ??2
+"1) go to write msg 2) put on dictionary mode 3)cover the screen with hand
+thanks for being there for me just to talk to on saturday. you are very dear to me. i cherish having you as a brother and role model.
+
+hope ur head doesn't hurt 2 much ! am ploughing my way through a pile of ironing ! staying in with a chinky tonight come round if you like.
+
+annoying isn't it.
+
+wamma get laid?want real doggin locations sent direct to your mobile? join the uks largest dogging network. txt dogs to 69696 now!nyt. ec2a. 3lp ??1.50/msg.
+
+goldviking (29/m) is inviting you to be his friend. reply yes-762 or no-762 see him: www.sms.ac/u/goldviking stop? send stop frnd to 62468
+
+"goodmorning
+dunno lei... i thk mum lazy to go out... i neva ask her yet...
+
+private! your 2003 account statement for 07815296484 shows 800 un-redeemed s.i.m. points. call 08718738001 identifier code 41782 expires 18/11/04
+
+"u can win ??100 of music gift vouchers every week starting now txt the word draw to 87066 tscs www.ldew.com skillgame
+jay says he'll put in <#>
+
+can ?_ call me at 10:10 to make sure dat i've woken up...
+
+we tried to contact you re your reply to our offer of 750 mins 150 textand a new video phone call 08002988890 now or reply for free delivery tomorrow
+
+urgent! we are trying to contact u todays draw shows that you have won a ??800 prize guaranteed. call 09050000460 from land line. claim j89. po box245c2150pm
+
+oh ya... got hip hop open. haha i was thinking can go for jazz then zoom to cine... actually tonight i'm free leh... and there's a kb lesson tonight
+
+"nice. wait...should you be texting right now? i'm not gonna pay your ticket
+can't. i feel nauseous. i'm so pissed. i didn't eat any sweets all week cause today i was planning to pig out. i was dieting all week. and now i'm not hungry :/
+
+my uncles in atlanta. wish you guys a great semester.
+
+u are subscribed to the best mobile content service in the uk for ??3 per ten days until you send stop to 83435. helpline 08706091795.
+
+had your mobile 11 months or more? u r entitled to update to the latest colour mobiles with camera for free! call the mobile update co free on 08002986030
+
+"i call you later
+u have a secret admirer who is looking 2 make contact with u-find out who they r*reveal who thinks ur so special-call on 09058094599
+
+5p 4 alfie moon's children in need song on ur mob. tell ur m8s. txt tone charity to 8007 for nokias or poly charity for polys: zed 08701417012 profit 2 charity.
+
+"that means you got an a in epi
+nope... think i will go for it on monday... sorry i replied so late
+
+how did you find out in a way that didn't include all of these details
+
+already one guy loving you:-.
+
+"sorry
+want the latest video handset? 750 anytime any network mins? half price line rental? reply or call 08000930705 for delivery tomorrow
+
+my new years eve was ok. i went to a party with my boyfriend. who is this si then hey
+
+free entry into our ??250 weekly comp just send the word enter to 88877 now. 18 t&c www.textcomp.com
+
+"sorry
+this message is brought to you by gmw ltd. and is not connected to the
+
+you need to get up. now.
+
+"good afternoon sunshine! how dawns that day ? are we refreshed and happy to be alive? do we breathe in the air and smile ? i think of you
+hmmm:)how many players selected?
+
+hmm ill have to think about it... ok you're forgiven! =d
+
+crucify is c not s. you should have told me earlier.
+
+get your garden ready for summer with a free selection of summer bulbs and seeds worth ??33:50 only with the scotsman this saturday. to stop go2 notxt.co.uk
+
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+be happy there. i will come after noon
+
+free msg: ringtone!from: http://tms. widelive.com/index. wml?id=1b6a5ecef91ff9*37819&first=true18:0430-jul-05
+
+refused a loan? secured or unsecured? can't get credit? call free now 0800 195 6669 or text back 'help' & we will!
+
+i'm in chennai velachery:)
+
+"\none!nowhere ikno doesdiscount!shitinnit\"""""
+
+?? got wat to buy tell us then ?_ no need to come in again.
+
+how about getting in touch with folks waiting for company? just txt back your name and age to opt in! enjoy the community (150p/sms)
+
+"urgent!: your mobile no. was awarded a ??2
+had your mobile 10 mths? update to latest orange camera/video phones for free. save ??s with free texts/weekend calls. text yes for a callback orno to opt out
+
+private! your 2003 account statement for 078
+
+i wont. so wat's wit the guys
+
+aathi..where are you dear..
+
+lol that's different. i don't go trying to find every real life photo you ever took.
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087123002209am-7pm. cost 10p
+
+yeah we do totes. when u wanna?
+
+update_now - 12mths half price orange line rental: 400mins...call mobileupd8 on 08000839402 or call2optout=j5q
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+all was well until slightly disastrous class this pm with my fav darlings! hope day off ok. coffee wld be good as can't stay late tomorrow. same time + place as always?
+
+we tried to contact you re your reply to our offer of a video handset? 750 anytime networks mins? unlimited text? camcorder? reply or call 08000930705 now
+
+"freemsg why haven't you replied to my text? i'm randy
+"urgent! call 09061749602 from landline. your complimentary 4* tenerife holiday or ??10
+here is your discount code rp176781. to stop further messages reply stop. www.regalportfolio.co.uk. customer services 08717205546
+
+private! your 2003 account statement for shows 800 un-redeemed s. i. m. points. call 08719899230 identifier code: 41685 expires 07/11/04
+
+idk. i'm sitting here in a stop and shop parking lot right now bawling my eyes out because i feel like i'm a failure in everything. nobody wants me and now i feel like i'm failing you.
+
+my sister going to earn more than me da.
+
+hi - this is your mailbox messaging sms alert. you have 4 messages. you have 21 matches. please call back on 09056242159 to retrieve your messages and matches
+
+"god picked up a flower and dippeditinadew
+i am back. bit long cos of accident on a30. had to divert via wadebridge.i had a brilliant weekend thanks. speak soon. lots of love
+
+as one of our registered subscribers u can enter the draw 4 a 100 g.b. gift voucher by replying with enter. to unsubscribe text stop
+
+teach me apps da. when you come to college.
+
+ok...
+
+1000's of girls many local 2 u who r virgins 2 this & r ready 2 4fil ur every sexual need. can u 4fil theirs? text cute to 69911(??1.50p. m)
+
+"sorry
+still at west coast... haiz... ??'ll take forever to come back...
+
+"hey. what happened? u switch off ur cell d whole day. this isnt good. now if u do care
+"i want some cock! my hubby's away
+urgent please call 09066612661 from landline. ??5000 cash or a luxury 4* canary islands holiday await collection. t&cs sae award. 20m12aq. 150ppm. 16+ ???
+
+"win the newest ??harry potter and the order of the phoenix (book 5) reply harry
+4mths half price orange line rental & latest camera phones 4 free. had your phone 11mths ? call mobilesdirect free on 08000938767 to update now! or2stoptxt
+
+den wat will e schedule b lk on sun?
+
+are you there in room.
+
+yup next stop.
+
+i am in your office na.
+
+sorry dude. dont know how i forgot. even after dan reminded me. sorry. hope you guys had fun.
+
+ur going 2 bahamas! callfreefone 08081560665 and speak to a live operator to claim either bahamas cruise of??2000 cash 18+only. to opt out txt x to 07786200117
+
+"helloooo... wake up..! \sweet\"" \""morning\"" \""welcomes\"" \""you\"" \""enjoy\"" \""this day\"" \""with full of joy\"".. \""gud mrng\""."""
+
+this is the 2nd time we have tried to contact u. u have won the ??1450 prize to claim just call 09053750005 b4 310303. t&cs/stop sms 08718725756. 140ppm
+
+get a brand new mobile phone by being an agent of the mob! plus loads more goodies! for more info just text mat to 87021.
+
+shopping? eh ger i toking abt syd leh...haha
+
+"yup
+"urgent! call 09066612661 from landline. your complementary 4* tenerife holiday or ??10
+you have won a nokia 7250i. this is what you get when you win our free auction. to take part send nokia to 86021 now. hg/suite342/2lands row/w1jhl 16+
+
+"dear voucher holder
+dear dave this is your final notice to collect your 4* tenerife holiday or #5000 cash award! call 09061743806 from landline. tcs sae box326 cw25wx 150ppm
+
+am not working but am up to eyes in philosophy so will text u later when a bit more free for chat...
+
+i cant keep talking to people if am not sure i can pay them if they agree to price. so pls tell me what you want to really buy and how much you are willing to pay
+
+private! your 2004 account statement for 07742676969 shows 786 unredeemed bonus points. to claim call 08719180248 identifier code: 45239 expires
+
+100 dating service cal;l 09064012103 box334sk38ch
+
+we have new local dates in your area - lots of new people registered in your area. reply date to start now! 18 only www.flirtparty.us replys150
+
+"it's not that you make me cry. it's just that when all our stuff happens on top of everything else
+december only! had your mobile 11mths+? you are entitled to update to the latest colour camera mobile for free! call the mobile update co free on 08002986906
+
+tomarrow final hearing on my laptop case so i cant.
+
+"aight
+sitting ard nothing to do lor. u leh busy w work?
+
+camera - you are awarded a sipix digital camera! call 09061221066 fromm landline. delivery within 28 days.
+
+how u doin baby girl ?? hope u are okay every time i call ure phone is off! i miss u get in touch
+
+hi - this is your mailbox messaging sms alert. you have 40 matches. please call back on 09056242159 to retrieve your messages and matches cc100p/min
+
+sorry de i went to shop.
+
+ok... u enjoy ur shows...
+
+reading gud habit.. nan bari hudgi yorge pataistha ertini kano:-)
+
+"he has lots of used ones babe
+meet after lunch la...
+
+sorry! u can not unsubscribe yet. the mob offer package has a min term of 54 weeks> pls resubmit request after expiry. reply themob help 4 more info
+
+just trying to figure out when i'm suppose to see a couple different people this week. we said we'd get together but i didn't set dates
+
+you are a winner you have been specially selected to receive ??1000 cash or a ??2000 award. speak to a live operator to claim call 087147123779am-7pm. cost 10p
+
+"500 new mobiles from 2004
+urgent! please call 09061743810 from landline. your abta complimentary 4* tenerife holiday or #5000 cash await collection sae t&cs box 326 cw25wx 150 ppm
+
+was gr8 to see that message. so when r u leaving? congrats dear. what school and wat r ur plans.
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+network operator. the service is free. for t & c's visit 80488.biz
+
+winner!! as a valued network customer you have been selected to receivea ??900 prize reward! to claim call 09061701461. claim code kl341. valid 12 hours only.
+
+our brand new mobile music service is now live. the free music player will arrive shortly. just install on your phone to browse content from the top artists.
+
+si si. i think ill go make those oreo truffles.
+
+en chikku nange bakra msg kalstiya..then had tea/coffee?
+
diff --git a/notebooks/SMS_SPAM/data_pipeline/Cage/sms_json.json b/notebooks/SMS_SPAM/data_pipeline/Cage/sms_json.json
new file mode 100644
index 0000000..5db4ee6
--- /dev/null
+++ b/notebooks/SMS_SPAM/data_pipeline/Cage/sms_json.json
@@ -0,0 +1 @@
+{"1": "SPAM", "0": "HAM"}
\ No newline at end of file
diff --git a/notebooks/SMS_SPAM/data_pipeline/Cage/sms_pickle_T.pkl b/notebooks/SMS_SPAM/data_pipeline/Cage/sms_pickle_T.pkl
new file mode 100644
index 0000000..0b2e51d
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/Cage/sms_pickle_T.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/Cage/sms_pickle_U.pkl b/notebooks/SMS_SPAM/data_pipeline/Cage/sms_pickle_U.pkl
new file mode 100644
index 0000000..2bc933d
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/Cage/sms_pickle_U.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sms_json.json b/notebooks/SMS_SPAM/data_pipeline/JL/sms_json.json
new file mode 100644
index 0000000..5db4ee6
--- /dev/null
+++ b/notebooks/SMS_SPAM/data_pipeline/JL/sms_json.json
@@ -0,0 +1 @@
+{"1": "SPAM", "0": "HAM"}
\ No newline at end of file
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_L.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_L.pkl
new file mode 100644
index 0000000..7f18889
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_L.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_T.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_T.pkl
new file mode 100644
index 0000000..2cae724
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_T.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_U.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_U.pkl
new file mode 100644
index 0000000..4393afa
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_U.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_V.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_V.pkl
new file mode 100644
index 0000000..c6dffb1
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sms_pickle_V.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_L.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_L.pkl
new file mode 100644
index 0000000..4f8f3e4
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_L.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_U.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_U.pkl
new file mode 100644
index 0000000..9749251
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_U.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_altered_L.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_altered_L.pkl
new file mode 100644
index 0000000..181667d
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_altered_L.pkl differ
diff --git a/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_labeled_L.pkl b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_labeled_L.pkl
new file mode 100644
index 0000000..591d8eb
Binary files /dev/null and b/notebooks/SMS_SPAM/data_pipeline/JL/sup_subset_labeled_L.pkl differ
diff --git a/notebooks/SMS_SPAM/con_scorer.py b/notebooks/SMS_SPAM/helper/con_scorer.py
similarity index 87%
rename from notebooks/SMS_SPAM/con_scorer.py
rename to notebooks/SMS_SPAM/helper/con_scorer.py
index e0798c9..21110e0 100644
--- a/notebooks/SMS_SPAM/con_scorer.py
+++ b/notebooks/SMS_SPAM/helper/con_scorer.py
@@ -8,7 +8,11 @@
import gensim.matutils as gm
print("model loading")
-model = KeyedVectors.load_word2vec_format('../../data/SMS_SPAM/glove_w2v.txt', binary=False)
+model = None
+try:
+ model = KeyedVectors.load_word2vec_format('data/SMS_SPAM/glove_w2v.txt', binary=False)
+except:
+ model = KeyedVectors.load_word2vec_format('../../data/SMS_SPAM/glove_w2v.txt', binary=False)
print("model loaded")
def get_word_vectors(btw_words):
diff --git a/notebooks/SMS_SPAM/helper/utils.py b/notebooks/SMS_SPAM/helper/utils.py
new file mode 100644
index 0000000..6b8e34a
--- /dev/null
+++ b/notebooks/SMS_SPAM/helper/utils.py
@@ -0,0 +1,108 @@
+import numpy as np
+import tensorflow as tf
+import tensorflow_hub as hub
+import os,sys
+import pickle
+from tqdm import tqdm
+
+def sentences_to_elmo_sentence_embs(messages,batch_size=64):
+ sess_config = tf.compat.v1.ConfigProto()
+ sess_config.gpu_options.allow_growth = True
+ #message_lengths = [len(m.split()) for m in messages]
+ module_url = "https://tfhub.dev/google/elmo/2"
+ elmo = hub.Module(module_url,trainable=True)
+ print("module loaded")
+ tf.logging.set_verbosity(tf.logging.ERROR)
+ with tf.Session(config=sess_config) as session:
+ session.run([tf.global_variables_initializer(), tf.tables_initializer()])
+ message_embeddings = []
+ for i in tqdm(range(0,len(messages),batch_size)):
+ #print("Embedding sentences from {} to {}".format(i,min(i+batch_size,len(messages))-1))
+ message_batch = messages[i:i+batch_size]
+ #length_batch = message_lengths[i:i+batch_size]
+ embeddings_batch = session.run(elmo(message_batch,signature="default",as_dict=True))["default"]
+ #embeddings_batch = get_embeddings_list(embeddings_batch, length_batch, ELMO_EMBED_SIZE)
+ message_embeddings.extend(embeddings_batch)
+ return np.array(message_embeddings)
+
+
+def load_data_to_numpy(folder="../../data_/SMS_SPAM/"):
+ #SPAM = 1
+ #HAM = 0
+ #ABSTAIN = -1
+ X = []
+ Y = []
+ raw = "SMSSpamCollection"
+ feat = "sms_embeddings.npy"
+ with open(folder+raw, 'r', encoding='latin1') as f:
+ for line in f:
+ yx = line.split("\t",1)
+ if yx[0]=="spam":
+ y=1
+ else:
+ y=0
+ x = yx[1]
+ X.append(x)
+ Y.append(y)
+ try:
+ X_feats = np.load(folder+feat)
+ except:
+ print("embeddings are absent in the input folder")
+ X_feats=sentences_to_elmo_sentence_embs(X)
+ X = np.array(X)
+ Y = np.array(Y)
+ return X, X_feats, Y
+
+def get_various_data(X, Y, X_feats, temp_len, validation_size = 100, test_size = 200, L_size = 100, U_size = None):
+ if U_size == None:
+ U_size = X.size - L_size - validation_size - test_size
+ index = np.arange(X.size)
+ index = np.random.permutation(index)
+ X = X[index]
+ Y = Y[index]
+ X_feats = X_feats[index]
+
+ X_V = X[-validation_size:]
+ Y_V = Y[-validation_size:]
+ X_feats_V = X_feats[-validation_size:]
+ R_V = np.zeros((validation_size, temp_len))
+
+ X_T = X[-(validation_size+test_size):-validation_size]
+ Y_T = Y[-(validation_size+test_size):-validation_size]
+ X_feats_T = X_feats[-(validation_size+test_size):-validation_size]
+ R_T = np.zeros((test_size,temp_len))
+
+ X_L = X[-(validation_size+test_size+L_size):-(validation_size+test_size)]
+ Y_L = Y[-(validation_size+test_size+L_size):-(validation_size+test_size)]
+ X_feats_L = X_feats[-(validation_size+test_size+L_size):-(validation_size+test_size)]
+ R_L = np.zeros((L_size,temp_len))
+
+ # X_U = X[:-(validation_size+test_size+L_size)]
+ X_U = X[:U_size]
+ X_feats_U = X_feats[:U_size]
+ # Y_U = Y[:-(validation_size+test_size+L_size)]
+ R_U = np.zeros((U_size,temp_len))
+
+ return X_V,Y_V,X_feats_V,R_V, X_T,Y_T,X_feats_T,R_T, X_L,Y_L,X_feats_L,R_L, X_U,X_feats_U,R_U
+
+def get_test_U_data(X, Y, temp_len, test_size = 200, U_size = None):
+ if U_size == None:
+ U_size = X.size - test_size
+ index = np.arange(X.size)
+ index = np.random.permutation(index)
+ X = X[index]
+ Y = Y[index]
+
+ X_T = X[-(test_size):]
+ Y_T = Y[-(test_size):]
+ R_T = np.zeros((test_size,temp_len))
+
+ # X_U = X[:-(validation_size+test_size+L_size)]
+ X_U = X[:U_size]
+ # Y_U = Y[:-(validation_size+test_size+L_size)]
+ R_U = np.zeros((U_size,temp_len))
+
+ return X_T,Y_T,R_T, X_U,R_U
+
+
+
diff --git a/notebooks/SMS_SPAM/inference_output/infer_f.p b/notebooks/SMS_SPAM/inference_output/infer_f.p
new file mode 100644
index 0000000..2fc7b42
Binary files /dev/null and b/notebooks/SMS_SPAM/inference_output/infer_f.p differ
diff --git a/notebooks/SMS_SPAM/inference_output/infer_w.p_test b/notebooks/SMS_SPAM/inference_output/infer_w.p_test
new file mode 100644
index 0000000..f2058e2
Binary files /dev/null and b/notebooks/SMS_SPAM/inference_output/infer_w.p_test differ
diff --git a/notebooks/SMS_SPAM/log/Cage/sms_log_1.txt b/notebooks/SMS_SPAM/log/Cage/sms_log_1.txt
new file mode 100644
index 0000000..1b845fa
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/Cage/sms_log_1.txt
@@ -0,0 +1,1203 @@
+CAGE log: n_classes: 2 n_LFs: 16 n_epochs: 200 lr: 0.01
+Epoch: 0 test_accuracy_score: 0.795
+Epoch: 0 test_average_metric: binary test_f1_score: 0.4533333333333333
+Epoch: 1 test_accuracy_score: 0.7825
+Epoch: 1 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 2 test_accuracy_score: 0.7825
+Epoch: 2 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 3 test_accuracy_score: 0.7825
+Epoch: 3 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 4 test_accuracy_score: 0.7825
+Epoch: 4 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 5 test_accuracy_score: 0.7825
+Epoch: 5 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 6 test_accuracy_score: 0.7825
+Epoch: 6 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 7 test_accuracy_score: 0.7825
+Epoch: 7 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 8 test_accuracy_score: 0.785
+Epoch: 8 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 9 test_accuracy_score: 0.785
+Epoch: 9 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 10 test_accuracy_score: 0.785
+Epoch: 10 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 11 test_accuracy_score: 0.785
+Epoch: 11 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 12 test_accuracy_score: 0.785
+Epoch: 12 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 13 test_accuracy_score: 0.785
+Epoch: 13 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 14 test_accuracy_score: 0.785
+Epoch: 14 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 15 test_accuracy_score: 0.785
+Epoch: 15 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 16 test_accuracy_score: 0.785
+Epoch: 16 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 17 test_accuracy_score: 0.785
+Epoch: 17 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 18 test_accuracy_score: 0.785
+Epoch: 18 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 19 test_accuracy_score: 0.785
+Epoch: 19 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 20 test_accuracy_score: 0.785
+Epoch: 20 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 21 test_accuracy_score: 0.785
+Epoch: 21 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 22 test_accuracy_score: 0.785
+Epoch: 22 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 23 test_accuracy_score: 0.785
+Epoch: 23 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 24 test_accuracy_score: 0.785
+Epoch: 24 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 25 test_accuracy_score: 0.785
+Epoch: 25 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 26 test_accuracy_score: 0.785
+Epoch: 26 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 27 test_accuracy_score: 0.785
+Epoch: 27 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 28 test_accuracy_score: 0.785
+Epoch: 28 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 29 test_accuracy_score: 0.785
+Epoch: 29 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 30 test_accuracy_score: 0.785
+Epoch: 30 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 31 test_accuracy_score: 0.785
+Epoch: 31 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 32 test_accuracy_score: 0.785
+Epoch: 32 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 33 test_accuracy_score: 0.785
+Epoch: 33 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 34 test_accuracy_score: 0.785
+Epoch: 34 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 35 test_accuracy_score: 0.785
+Epoch: 35 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 36 test_accuracy_score: 0.785
+Epoch: 36 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 37 test_accuracy_score: 0.785
+Epoch: 37 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 38 test_accuracy_score: 0.785
+Epoch: 38 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 39 test_accuracy_score: 0.785
+Epoch: 39 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 40 test_accuracy_score: 0.785
+Epoch: 40 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 41 test_accuracy_score: 0.785
+Epoch: 41 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 42 test_accuracy_score: 0.785
+Epoch: 42 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 43 test_accuracy_score: 0.785
+Epoch: 43 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 44 test_accuracy_score: 0.785
+Epoch: 44 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 45 test_accuracy_score: 0.785
+Epoch: 45 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 46 test_accuracy_score: 0.785
+Epoch: 46 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 47 test_accuracy_score: 0.785
+Epoch: 47 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 48 test_accuracy_score: 0.785
+Epoch: 48 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 49 test_accuracy_score: 0.785
+Epoch: 49 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 50 test_accuracy_score: 0.785
+Epoch: 50 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 51 test_accuracy_score: 0.785
+Epoch: 51 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 52 test_accuracy_score: 0.785
+Epoch: 52 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 53 test_accuracy_score: 0.785
+Epoch: 53 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 54 test_accuracy_score: 0.785
+Epoch: 54 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 55 test_accuracy_score: 0.785
+Epoch: 55 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 56 test_accuracy_score: 0.785
+Epoch: 56 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 57 test_accuracy_score: 0.7875
+Epoch: 57 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 58 test_accuracy_score: 0.7875
+Epoch: 58 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 59 test_accuracy_score: 0.7875
+Epoch: 59 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 60 test_accuracy_score: 0.7875
+Epoch: 60 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 61 test_accuracy_score: 0.7875
+Epoch: 61 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 62 test_accuracy_score: 0.7875
+Epoch: 62 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 63 test_accuracy_score: 0.7875
+Epoch: 63 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 64 test_accuracy_score: 0.79
+Epoch: 64 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 65 test_accuracy_score: 0.79
+Epoch: 65 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 66 test_accuracy_score: 0.79
+Epoch: 66 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 67 test_accuracy_score: 0.79
+Epoch: 67 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 68 test_accuracy_score: 0.79
+Epoch: 68 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 69 test_accuracy_score: 0.79
+Epoch: 69 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 70 test_accuracy_score: 0.79
+Epoch: 70 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 71 test_accuracy_score: 0.79
+Epoch: 71 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 72 test_accuracy_score: 0.79
+Epoch: 72 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 73 test_accuracy_score: 0.79
+Epoch: 73 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 74 test_accuracy_score: 0.78
+Epoch: 74 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 75 test_accuracy_score: 0.78
+Epoch: 75 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 76 test_accuracy_score: 0.78
+Epoch: 76 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 77 test_accuracy_score: 0.78
+Epoch: 77 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 78 test_accuracy_score: 0.78
+Epoch: 78 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 79 test_accuracy_score: 0.78
+Epoch: 79 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 80 test_accuracy_score: 0.78
+Epoch: 80 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 81 test_accuracy_score: 0.78
+Epoch: 81 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 82 test_accuracy_score: 0.78
+Epoch: 82 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 83 test_accuracy_score: 0.78
+Epoch: 83 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 84 test_accuracy_score: 0.78
+Epoch: 84 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 85 test_accuracy_score: 0.78
+Epoch: 85 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 86 test_accuracy_score: 0.78
+Epoch: 86 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 87 test_accuracy_score: 0.78
+Epoch: 87 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 88 test_accuracy_score: 0.78
+Epoch: 88 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 89 test_accuracy_score: 0.78
+Epoch: 89 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 90 test_accuracy_score: 0.78
+Epoch: 90 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 91 test_accuracy_score: 0.7825
+Epoch: 91 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 92 test_accuracy_score: 0.7825
+Epoch: 92 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 93 test_accuracy_score: 0.7825
+Epoch: 93 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 94 test_accuracy_score: 0.7825
+Epoch: 94 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 95 test_accuracy_score: 0.7825
+Epoch: 95 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 96 test_accuracy_score: 0.7825
+Epoch: 96 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 97 test_accuracy_score: 0.7825
+Epoch: 97 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 98 test_accuracy_score: 0.7825
+Epoch: 98 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 99 test_accuracy_score: 0.7825
+Epoch: 99 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 100 test_accuracy_score: 0.7825
+Epoch: 100 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 101 test_accuracy_score: 0.7825
+Epoch: 101 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 102 test_accuracy_score: 0.7825
+Epoch: 102 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 103 test_accuracy_score: 0.7825
+Epoch: 103 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 104 test_accuracy_score: 0.7825
+Epoch: 104 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 105 test_accuracy_score: 0.7825
+Epoch: 105 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 106 test_accuracy_score: 0.7825
+Epoch: 106 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 107 test_accuracy_score: 0.7825
+Epoch: 107 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 108 test_accuracy_score: 0.7825
+Epoch: 108 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 109 test_accuracy_score: 0.7825
+Epoch: 109 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 110 test_accuracy_score: 0.7825
+Epoch: 110 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 111 test_accuracy_score: 0.7825
+Epoch: 111 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 112 test_accuracy_score: 0.7825
+Epoch: 112 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 113 test_accuracy_score: 0.7825
+Epoch: 113 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 114 test_accuracy_score: 0.7825
+Epoch: 114 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 115 test_accuracy_score: 0.7825
+Epoch: 115 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 116 test_accuracy_score: 0.7825
+Epoch: 116 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 117 test_accuracy_score: 0.7825
+Epoch: 117 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 118 test_accuracy_score: 0.7875
+Epoch: 118 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 119 test_accuracy_score: 0.7875
+Epoch: 119 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 120 test_accuracy_score: 0.7875
+Epoch: 120 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 121 test_accuracy_score: 0.79
+Epoch: 121 test_average_metric: binary test_f1_score: 0.475
+Epoch: 122 test_accuracy_score: 0.79
+Epoch: 122 test_average_metric: binary test_f1_score: 0.475
+Epoch: 123 test_accuracy_score: 0.79
+Epoch: 123 test_average_metric: binary test_f1_score: 0.475
+Epoch: 124 test_accuracy_score: 0.79
+Epoch: 124 test_average_metric: binary test_f1_score: 0.475
+Epoch: 125 test_accuracy_score: 0.79
+Epoch: 125 test_average_metric: binary test_f1_score: 0.475
+Epoch: 126 test_accuracy_score: 0.79
+Epoch: 126 test_average_metric: binary test_f1_score: 0.475
+Epoch: 127 test_accuracy_score: 0.79
+Epoch: 127 test_average_metric: binary test_f1_score: 0.475
+Epoch: 128 test_accuracy_score: 0.79
+Epoch: 128 test_average_metric: binary test_f1_score: 0.475
+Epoch: 129 test_accuracy_score: 0.79
+Epoch: 129 test_average_metric: binary test_f1_score: 0.475
+Epoch: 130 test_accuracy_score: 0.79
+Epoch: 130 test_average_metric: binary test_f1_score: 0.475
+Epoch: 131 test_accuracy_score: 0.79
+Epoch: 131 test_average_metric: binary test_f1_score: 0.475
+Epoch: 132 test_accuracy_score: 0.79
+Epoch: 132 test_average_metric: binary test_f1_score: 0.475
+Epoch: 133 test_accuracy_score: 0.79
+Epoch: 133 test_average_metric: binary test_f1_score: 0.475
+Epoch: 134 test_accuracy_score: 0.7925
+Epoch: 134 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 135 test_accuracy_score: 0.7925
+Epoch: 135 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 136 test_accuracy_score: 0.7925
+Epoch: 136 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 137 test_accuracy_score: 0.7925
+Epoch: 137 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 138 test_accuracy_score: 0.7925
+Epoch: 138 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 139 test_accuracy_score: 0.7925
+Epoch: 139 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 140 test_accuracy_score: 0.7925
+Epoch: 140 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 141 test_accuracy_score: 0.7925
+Epoch: 141 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 142 test_accuracy_score: 0.7925
+Epoch: 142 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 143 test_accuracy_score: 0.7925
+Epoch: 143 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 144 test_accuracy_score: 0.7925
+Epoch: 144 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 145 test_accuracy_score: 0.7925
+Epoch: 145 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 146 test_accuracy_score: 0.7925
+Epoch: 146 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 147 test_accuracy_score: 0.7925
+Epoch: 147 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 148 test_accuracy_score: 0.7925
+Epoch: 148 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 149 test_accuracy_score: 0.795
+Epoch: 149 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 150 test_accuracy_score: 0.795
+Epoch: 150 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 151 test_accuracy_score: 0.795
+Epoch: 151 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 152 test_accuracy_score: 0.795
+Epoch: 152 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 153 test_accuracy_score: 0.795
+Epoch: 153 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 154 test_accuracy_score: 0.795
+Epoch: 154 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 155 test_accuracy_score: 0.795
+Epoch: 155 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 156 test_accuracy_score: 0.795
+Epoch: 156 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 157 test_accuracy_score: 0.795
+Epoch: 157 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 158 test_accuracy_score: 0.795
+Epoch: 158 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 159 test_accuracy_score: 0.795
+Epoch: 159 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 160 test_accuracy_score: 0.795
+Epoch: 160 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 161 test_accuracy_score: 0.795
+Epoch: 161 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 162 test_accuracy_score: 0.795
+Epoch: 162 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 163 test_accuracy_score: 0.7925
+Epoch: 163 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 164 test_accuracy_score: 0.7925
+Epoch: 164 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 165 test_accuracy_score: 0.7925
+Epoch: 165 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 166 test_accuracy_score: 0.7925
+Epoch: 166 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 167 test_accuracy_score: 0.7925
+Epoch: 167 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 168 test_accuracy_score: 0.7925
+Epoch: 168 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 169 test_accuracy_score: 0.7925
+Epoch: 169 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 170 test_accuracy_score: 0.7925
+Epoch: 170 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 171 test_accuracy_score: 0.7925
+Epoch: 171 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 172 test_accuracy_score: 0.7925
+Epoch: 172 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 173 test_accuracy_score: 0.7925
+Epoch: 173 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 174 test_accuracy_score: 0.7925
+Epoch: 174 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 175 test_accuracy_score: 0.7925
+Epoch: 175 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 176 test_accuracy_score: 0.7925
+Epoch: 176 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 177 test_accuracy_score: 0.7925
+Epoch: 177 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 178 test_accuracy_score: 0.7925
+Epoch: 178 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 179 test_accuracy_score: 0.7925
+Epoch: 179 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 180 test_accuracy_score: 0.7925
+Epoch: 180 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 181 test_accuracy_score: 0.7925
+Epoch: 181 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 182 test_accuracy_score: 0.7925
+Epoch: 182 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 183 test_accuracy_score: 0.7925
+Epoch: 183 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 184 test_accuracy_score: 0.7925
+Epoch: 184 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 185 test_accuracy_score: 0.7925
+Epoch: 185 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 186 test_accuracy_score: 0.79
+Epoch: 186 test_average_metric: binary test_f1_score: 0.475
+Epoch: 187 test_accuracy_score: 0.79
+Epoch: 187 test_average_metric: binary test_f1_score: 0.475
+Epoch: 188 test_accuracy_score: 0.79
+Epoch: 188 test_average_metric: binary test_f1_score: 0.475
+Epoch: 189 test_accuracy_score: 0.79
+Epoch: 189 test_average_metric: binary test_f1_score: 0.475
+Epoch: 190 test_accuracy_score: 0.79
+Epoch: 190 test_average_metric: binary test_f1_score: 0.475
+Epoch: 191 test_accuracy_score: 0.79
+Epoch: 191 test_average_metric: binary test_f1_score: 0.475
+Epoch: 192 test_accuracy_score: 0.79
+Epoch: 192 test_average_metric: binary test_f1_score: 0.475
+Epoch: 193 test_accuracy_score: 0.79
+Epoch: 193 test_average_metric: binary test_f1_score: 0.475
+Epoch: 194 test_accuracy_score: 0.79
+Epoch: 194 test_average_metric: binary test_f1_score: 0.475
+Epoch: 195 test_accuracy_score: 0.79
+Epoch: 195 test_average_metric: binary test_f1_score: 0.475
+Epoch: 196 test_accuracy_score: 0.79
+Epoch: 196 test_average_metric: binary test_f1_score: 0.475
+Epoch: 197 test_accuracy_score: 0.7975
+Epoch: 197 test_average_metric: binary test_f1_score: 0.5030674846625766
+Epoch: 198 test_accuracy_score: 0.7975
+Epoch: 198 test_average_metric: binary test_f1_score: 0.5030674846625766
+Epoch: 199 test_accuracy_score: 0.7975
+Epoch: 199 test_average_metric: binary test_f1_score: 0.5030674846625766
+CAGE log: n_classes: 2 n_LFs: 16 n_epochs: 200 lr: 0.01
+Epoch: 0 test_accuracy_score: 0.795
+Epoch: 0 test_average_metric: binary test_f1_score: 0.4533333333333333
+Epoch: 1 test_accuracy_score: 0.7825
+Epoch: 1 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 2 test_accuracy_score: 0.7825
+Epoch: 2 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 3 test_accuracy_score: 0.7825
+Epoch: 3 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 4 test_accuracy_score: 0.7825
+Epoch: 4 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 5 test_accuracy_score: 0.7825
+Epoch: 5 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 6 test_accuracy_score: 0.7825
+Epoch: 6 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 7 test_accuracy_score: 0.7825
+Epoch: 7 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 8 test_accuracy_score: 0.785
+Epoch: 8 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 9 test_accuracy_score: 0.785
+Epoch: 9 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 10 test_accuracy_score: 0.785
+Epoch: 10 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 11 test_accuracy_score: 0.785
+Epoch: 11 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 12 test_accuracy_score: 0.785
+Epoch: 12 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 13 test_accuracy_score: 0.785
+Epoch: 13 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 14 test_accuracy_score: 0.785
+Epoch: 14 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 15 test_accuracy_score: 0.785
+Epoch: 15 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 16 test_accuracy_score: 0.785
+Epoch: 16 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 17 test_accuracy_score: 0.785
+Epoch: 17 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 18 test_accuracy_score: 0.785
+Epoch: 18 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 19 test_accuracy_score: 0.785
+Epoch: 19 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 20 test_accuracy_score: 0.785
+Epoch: 20 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 21 test_accuracy_score: 0.785
+Epoch: 21 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 22 test_accuracy_score: 0.785
+Epoch: 22 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 23 test_accuracy_score: 0.785
+Epoch: 23 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 24 test_accuracy_score: 0.785
+Epoch: 24 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 25 test_accuracy_score: 0.785
+Epoch: 25 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 26 test_accuracy_score: 0.785
+Epoch: 26 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 27 test_accuracy_score: 0.785
+Epoch: 27 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 28 test_accuracy_score: 0.785
+Epoch: 28 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 29 test_accuracy_score: 0.785
+Epoch: 29 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 30 test_accuracy_score: 0.785
+Epoch: 30 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 31 test_accuracy_score: 0.785
+Epoch: 31 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 32 test_accuracy_score: 0.785
+Epoch: 32 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 33 test_accuracy_score: 0.785
+Epoch: 33 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 34 test_accuracy_score: 0.785
+Epoch: 34 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 35 test_accuracy_score: 0.785
+Epoch: 35 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 36 test_accuracy_score: 0.785
+Epoch: 36 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 37 test_accuracy_score: 0.785
+Epoch: 37 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 38 test_accuracy_score: 0.785
+Epoch: 38 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 39 test_accuracy_score: 0.785
+Epoch: 39 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 40 test_accuracy_score: 0.785
+Epoch: 40 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 41 test_accuracy_score: 0.785
+Epoch: 41 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 42 test_accuracy_score: 0.785
+Epoch: 42 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 43 test_accuracy_score: 0.785
+Epoch: 43 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 44 test_accuracy_score: 0.785
+Epoch: 44 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 45 test_accuracy_score: 0.785
+Epoch: 45 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 46 test_accuracy_score: 0.785
+Epoch: 46 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 47 test_accuracy_score: 0.785
+Epoch: 47 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 48 test_accuracy_score: 0.785
+Epoch: 48 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 49 test_accuracy_score: 0.785
+Epoch: 49 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 50 test_accuracy_score: 0.785
+Epoch: 50 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 51 test_accuracy_score: 0.785
+Epoch: 51 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 52 test_accuracy_score: 0.785
+Epoch: 52 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 53 test_accuracy_score: 0.785
+Epoch: 53 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 54 test_accuracy_score: 0.785
+Epoch: 54 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 55 test_accuracy_score: 0.785
+Epoch: 55 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 56 test_accuracy_score: 0.785
+Epoch: 56 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 57 test_accuracy_score: 0.7875
+Epoch: 57 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 58 test_accuracy_score: 0.7875
+Epoch: 58 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 59 test_accuracy_score: 0.7875
+Epoch: 59 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 60 test_accuracy_score: 0.7875
+Epoch: 60 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 61 test_accuracy_score: 0.7875
+Epoch: 61 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 62 test_accuracy_score: 0.7875
+Epoch: 62 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 63 test_accuracy_score: 0.7875
+Epoch: 63 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 64 test_accuracy_score: 0.79
+Epoch: 64 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 65 test_accuracy_score: 0.79
+Epoch: 65 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 66 test_accuracy_score: 0.79
+Epoch: 66 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 67 test_accuracy_score: 0.79
+Epoch: 67 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 68 test_accuracy_score: 0.79
+Epoch: 68 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 69 test_accuracy_score: 0.79
+Epoch: 69 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 70 test_accuracy_score: 0.79
+Epoch: 70 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 71 test_accuracy_score: 0.79
+Epoch: 71 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 72 test_accuracy_score: 0.79
+Epoch: 72 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 73 test_accuracy_score: 0.79
+Epoch: 73 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 74 test_accuracy_score: 0.78
+Epoch: 74 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 75 test_accuracy_score: 0.78
+Epoch: 75 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 76 test_accuracy_score: 0.78
+Epoch: 76 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 77 test_accuracy_score: 0.78
+Epoch: 77 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 78 test_accuracy_score: 0.78
+Epoch: 78 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 79 test_accuracy_score: 0.78
+Epoch: 79 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 80 test_accuracy_score: 0.78
+Epoch: 80 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 81 test_accuracy_score: 0.78
+Epoch: 81 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 82 test_accuracy_score: 0.78
+Epoch: 82 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 83 test_accuracy_score: 0.78
+Epoch: 83 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 84 test_accuracy_score: 0.78
+Epoch: 84 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 85 test_accuracy_score: 0.78
+Epoch: 85 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 86 test_accuracy_score: 0.78
+Epoch: 86 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 87 test_accuracy_score: 0.78
+Epoch: 87 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 88 test_accuracy_score: 0.78
+Epoch: 88 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 89 test_accuracy_score: 0.78
+Epoch: 89 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 90 test_accuracy_score: 0.78
+Epoch: 90 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 91 test_accuracy_score: 0.7825
+Epoch: 91 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 92 test_accuracy_score: 0.7825
+Epoch: 92 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 93 test_accuracy_score: 0.7825
+Epoch: 93 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 94 test_accuracy_score: 0.7825
+Epoch: 94 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 95 test_accuracy_score: 0.7825
+Epoch: 95 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 96 test_accuracy_score: 0.7825
+Epoch: 96 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 97 test_accuracy_score: 0.7825
+Epoch: 97 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 98 test_accuracy_score: 0.7825
+Epoch: 98 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 99 test_accuracy_score: 0.7825
+Epoch: 99 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 100 test_accuracy_score: 0.7825
+Epoch: 100 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 101 test_accuracy_score: 0.7825
+Epoch: 101 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 102 test_accuracy_score: 0.7825
+Epoch: 102 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 103 test_accuracy_score: 0.7825
+Epoch: 103 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 104 test_accuracy_score: 0.7825
+Epoch: 104 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 105 test_accuracy_score: 0.7825
+Epoch: 105 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 106 test_accuracy_score: 0.7825
+Epoch: 106 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 107 test_accuracy_score: 0.7825
+Epoch: 107 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 108 test_accuracy_score: 0.7825
+Epoch: 108 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 109 test_accuracy_score: 0.7825
+Epoch: 109 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 110 test_accuracy_score: 0.7825
+Epoch: 110 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 111 test_accuracy_score: 0.7825
+Epoch: 111 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 112 test_accuracy_score: 0.7825
+Epoch: 112 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 113 test_accuracy_score: 0.7825
+Epoch: 113 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 114 test_accuracy_score: 0.7825
+Epoch: 114 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 115 test_accuracy_score: 0.7825
+Epoch: 115 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 116 test_accuracy_score: 0.7825
+Epoch: 116 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 117 test_accuracy_score: 0.7825
+Epoch: 117 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 118 test_accuracy_score: 0.7875
+Epoch: 118 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 119 test_accuracy_score: 0.7875
+Epoch: 119 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 120 test_accuracy_score: 0.7875
+Epoch: 120 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 121 test_accuracy_score: 0.79
+Epoch: 121 test_average_metric: binary test_f1_score: 0.475
+Epoch: 122 test_accuracy_score: 0.79
+Epoch: 122 test_average_metric: binary test_f1_score: 0.475
+Epoch: 123 test_accuracy_score: 0.79
+Epoch: 123 test_average_metric: binary test_f1_score: 0.475
+Epoch: 124 test_accuracy_score: 0.79
+Epoch: 124 test_average_metric: binary test_f1_score: 0.475
+Epoch: 125 test_accuracy_score: 0.79
+Epoch: 125 test_average_metric: binary test_f1_score: 0.475
+Epoch: 126 test_accuracy_score: 0.79
+Epoch: 126 test_average_metric: binary test_f1_score: 0.475
+Epoch: 127 test_accuracy_score: 0.79
+Epoch: 127 test_average_metric: binary test_f1_score: 0.475
+Epoch: 128 test_accuracy_score: 0.79
+Epoch: 128 test_average_metric: binary test_f1_score: 0.475
+Epoch: 129 test_accuracy_score: 0.79
+Epoch: 129 test_average_metric: binary test_f1_score: 0.475
+Epoch: 130 test_accuracy_score: 0.79
+Epoch: 130 test_average_metric: binary test_f1_score: 0.475
+Epoch: 131 test_accuracy_score: 0.79
+Epoch: 131 test_average_metric: binary test_f1_score: 0.475
+Epoch: 132 test_accuracy_score: 0.79
+Epoch: 132 test_average_metric: binary test_f1_score: 0.475
+Epoch: 133 test_accuracy_score: 0.79
+Epoch: 133 test_average_metric: binary test_f1_score: 0.475
+Epoch: 134 test_accuracy_score: 0.7925
+Epoch: 134 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 135 test_accuracy_score: 0.7925
+Epoch: 135 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 136 test_accuracy_score: 0.7925
+Epoch: 136 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 137 test_accuracy_score: 0.7925
+Epoch: 137 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 138 test_accuracy_score: 0.7925
+Epoch: 138 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 139 test_accuracy_score: 0.7925
+Epoch: 139 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 140 test_accuracy_score: 0.7925
+Epoch: 140 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 141 test_accuracy_score: 0.7925
+Epoch: 141 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 142 test_accuracy_score: 0.7925
+Epoch: 142 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 143 test_accuracy_score: 0.7925
+Epoch: 143 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 144 test_accuracy_score: 0.7925
+Epoch: 144 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 145 test_accuracy_score: 0.7925
+Epoch: 145 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 146 test_accuracy_score: 0.7925
+Epoch: 146 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 147 test_accuracy_score: 0.7925
+Epoch: 147 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 148 test_accuracy_score: 0.7925
+Epoch: 148 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 149 test_accuracy_score: 0.795
+Epoch: 149 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 150 test_accuracy_score: 0.795
+Epoch: 150 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 151 test_accuracy_score: 0.795
+Epoch: 151 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 152 test_accuracy_score: 0.795
+Epoch: 152 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 153 test_accuracy_score: 0.795
+Epoch: 153 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 154 test_accuracy_score: 0.795
+Epoch: 154 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 155 test_accuracy_score: 0.795
+Epoch: 155 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 156 test_accuracy_score: 0.795
+Epoch: 156 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 157 test_accuracy_score: 0.795
+Epoch: 157 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 158 test_accuracy_score: 0.795
+Epoch: 158 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 159 test_accuracy_score: 0.795
+Epoch: 159 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 160 test_accuracy_score: 0.795
+Epoch: 160 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 161 test_accuracy_score: 0.795
+Epoch: 161 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 162 test_accuracy_score: 0.795
+Epoch: 162 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 163 test_accuracy_score: 0.7925
+Epoch: 163 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 164 test_accuracy_score: 0.7925
+Epoch: 164 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 165 test_accuracy_score: 0.7925
+Epoch: 165 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 166 test_accuracy_score: 0.7925
+Epoch: 166 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 167 test_accuracy_score: 0.7925
+Epoch: 167 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 168 test_accuracy_score: 0.7925
+Epoch: 168 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 169 test_accuracy_score: 0.7925
+Epoch: 169 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 170 test_accuracy_score: 0.7925
+Epoch: 170 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 171 test_accuracy_score: 0.7925
+Epoch: 171 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 172 test_accuracy_score: 0.7925
+Epoch: 172 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 173 test_accuracy_score: 0.7925
+Epoch: 173 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 174 test_accuracy_score: 0.7925
+Epoch: 174 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 175 test_accuracy_score: 0.7925
+Epoch: 175 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 176 test_accuracy_score: 0.7925
+Epoch: 176 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 177 test_accuracy_score: 0.7925
+Epoch: 177 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 178 test_accuracy_score: 0.7925
+Epoch: 178 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 179 test_accuracy_score: 0.7925
+Epoch: 179 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 180 test_accuracy_score: 0.7925
+Epoch: 180 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 181 test_accuracy_score: 0.7925
+Epoch: 181 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 182 test_accuracy_score: 0.7925
+Epoch: 182 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 183 test_accuracy_score: 0.7925
+Epoch: 183 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 184 test_accuracy_score: 0.7925
+Epoch: 184 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 185 test_accuracy_score: 0.7925
+Epoch: 185 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 186 test_accuracy_score: 0.79
+Epoch: 186 test_average_metric: binary test_f1_score: 0.475
+Epoch: 187 test_accuracy_score: 0.79
+Epoch: 187 test_average_metric: binary test_f1_score: 0.475
+Epoch: 188 test_accuracy_score: 0.79
+Epoch: 188 test_average_metric: binary test_f1_score: 0.475
+Epoch: 189 test_accuracy_score: 0.79
+Epoch: 189 test_average_metric: binary test_f1_score: 0.475
+Epoch: 190 test_accuracy_score: 0.79
+Epoch: 190 test_average_metric: binary test_f1_score: 0.475
+Epoch: 191 test_accuracy_score: 0.79
+Epoch: 191 test_average_metric: binary test_f1_score: 0.475
+Epoch: 192 test_accuracy_score: 0.79
+Epoch: 192 test_average_metric: binary test_f1_score: 0.475
+Epoch: 193 test_accuracy_score: 0.79
+Epoch: 193 test_average_metric: binary test_f1_score: 0.475
+Epoch: 194 test_accuracy_score: 0.79
+Epoch: 194 test_average_metric: binary test_f1_score: 0.475
+Epoch: 195 test_accuracy_score: 0.79
+Epoch: 195 test_average_metric: binary test_f1_score: 0.475
+Epoch: 196 test_accuracy_score: 0.79
+Epoch: 196 test_average_metric: binary test_f1_score: 0.475
+Epoch: 197 test_accuracy_score: 0.7975
+Epoch: 197 test_average_metric: binary test_f1_score: 0.5030674846625766
+Epoch: 198 test_accuracy_score: 0.7975
+Epoch: 198 test_average_metric: binary test_f1_score: 0.5030674846625766
+Epoch: 199 test_accuracy_score: 0.7975
+Epoch: 199 test_average_metric: binary test_f1_score: 0.5030674846625766
+CAGE log: n_classes: 2 n_LFs: 16 n_epochs: 200 lr: 0.01
+Epoch: 0 test_accuracy_score: 0.795
+Epoch: 0 test_average_metric: binary test_f1_score: 0.4533333333333333
+Epoch: 1 test_accuracy_score: 0.7825
+Epoch: 1 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 2 test_accuracy_score: 0.7825
+Epoch: 2 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 3 test_accuracy_score: 0.7825
+Epoch: 3 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 4 test_accuracy_score: 0.7825
+Epoch: 4 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 5 test_accuracy_score: 0.7825
+Epoch: 5 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 6 test_accuracy_score: 0.7825
+Epoch: 6 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 7 test_accuracy_score: 0.7825
+Epoch: 7 test_average_metric: binary test_f1_score: 0.4387096774193548
+Epoch: 8 test_accuracy_score: 0.785
+Epoch: 8 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 9 test_accuracy_score: 0.785
+Epoch: 9 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 10 test_accuracy_score: 0.785
+Epoch: 10 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 11 test_accuracy_score: 0.785
+Epoch: 11 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 12 test_accuracy_score: 0.785
+Epoch: 12 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 13 test_accuracy_score: 0.785
+Epoch: 13 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 14 test_accuracy_score: 0.785
+Epoch: 14 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 15 test_accuracy_score: 0.785
+Epoch: 15 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 16 test_accuracy_score: 0.785
+Epoch: 16 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 17 test_accuracy_score: 0.785
+Epoch: 17 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 18 test_accuracy_score: 0.785
+Epoch: 18 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 19 test_accuracy_score: 0.785
+Epoch: 19 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 20 test_accuracy_score: 0.785
+Epoch: 20 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 21 test_accuracy_score: 0.785
+Epoch: 21 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 22 test_accuracy_score: 0.785
+Epoch: 22 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 23 test_accuracy_score: 0.785
+Epoch: 23 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 24 test_accuracy_score: 0.785
+Epoch: 24 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 25 test_accuracy_score: 0.785
+Epoch: 25 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 26 test_accuracy_score: 0.785
+Epoch: 26 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 27 test_accuracy_score: 0.785
+Epoch: 27 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 28 test_accuracy_score: 0.785
+Epoch: 28 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 29 test_accuracy_score: 0.785
+Epoch: 29 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 30 test_accuracy_score: 0.785
+Epoch: 30 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 31 test_accuracy_score: 0.785
+Epoch: 31 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 32 test_accuracy_score: 0.785
+Epoch: 32 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 33 test_accuracy_score: 0.785
+Epoch: 33 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 34 test_accuracy_score: 0.785
+Epoch: 34 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 35 test_accuracy_score: 0.785
+Epoch: 35 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 36 test_accuracy_score: 0.785
+Epoch: 36 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 37 test_accuracy_score: 0.785
+Epoch: 37 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 38 test_accuracy_score: 0.785
+Epoch: 38 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 39 test_accuracy_score: 0.785
+Epoch: 39 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 40 test_accuracy_score: 0.785
+Epoch: 40 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 41 test_accuracy_score: 0.785
+Epoch: 41 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 42 test_accuracy_score: 0.785
+Epoch: 42 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 43 test_accuracy_score: 0.785
+Epoch: 43 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 44 test_accuracy_score: 0.785
+Epoch: 44 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 45 test_accuracy_score: 0.785
+Epoch: 45 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 46 test_accuracy_score: 0.785
+Epoch: 46 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 47 test_accuracy_score: 0.785
+Epoch: 47 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 48 test_accuracy_score: 0.785
+Epoch: 48 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 49 test_accuracy_score: 0.785
+Epoch: 49 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 50 test_accuracy_score: 0.785
+Epoch: 50 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 51 test_accuracy_score: 0.785
+Epoch: 51 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 52 test_accuracy_score: 0.785
+Epoch: 52 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 53 test_accuracy_score: 0.785
+Epoch: 53 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 54 test_accuracy_score: 0.785
+Epoch: 54 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 55 test_accuracy_score: 0.785
+Epoch: 55 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 56 test_accuracy_score: 0.785
+Epoch: 56 test_average_metric: binary test_f1_score: 0.4415584415584415
+Epoch: 57 test_accuracy_score: 0.7875
+Epoch: 57 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 58 test_accuracy_score: 0.7875
+Epoch: 58 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 59 test_accuracy_score: 0.7875
+Epoch: 59 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 60 test_accuracy_score: 0.7875
+Epoch: 60 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 61 test_accuracy_score: 0.7875
+Epoch: 61 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 62 test_accuracy_score: 0.7875
+Epoch: 62 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 63 test_accuracy_score: 0.7875
+Epoch: 63 test_average_metric: binary test_f1_score: 0.45161290322580644
+Epoch: 64 test_accuracy_score: 0.79
+Epoch: 64 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 65 test_accuracy_score: 0.79
+Epoch: 65 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 66 test_accuracy_score: 0.79
+Epoch: 66 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 67 test_accuracy_score: 0.79
+Epoch: 67 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 68 test_accuracy_score: 0.79
+Epoch: 68 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 69 test_accuracy_score: 0.79
+Epoch: 69 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 70 test_accuracy_score: 0.79
+Epoch: 70 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 71 test_accuracy_score: 0.79
+Epoch: 71 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 72 test_accuracy_score: 0.79
+Epoch: 72 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 73 test_accuracy_score: 0.79
+Epoch: 73 test_average_metric: binary test_f1_score: 0.45454545454545453
+Epoch: 74 test_accuracy_score: 0.78
+Epoch: 74 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 75 test_accuracy_score: 0.78
+Epoch: 75 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 76 test_accuracy_score: 0.78
+Epoch: 76 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 77 test_accuracy_score: 0.78
+Epoch: 77 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 78 test_accuracy_score: 0.78
+Epoch: 78 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 79 test_accuracy_score: 0.78
+Epoch: 79 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 80 test_accuracy_score: 0.78
+Epoch: 80 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 81 test_accuracy_score: 0.78
+Epoch: 81 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 82 test_accuracy_score: 0.78
+Epoch: 82 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 83 test_accuracy_score: 0.78
+Epoch: 83 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 84 test_accuracy_score: 0.78
+Epoch: 84 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 85 test_accuracy_score: 0.78
+Epoch: 85 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 86 test_accuracy_score: 0.78
+Epoch: 86 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 87 test_accuracy_score: 0.78
+Epoch: 87 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 88 test_accuracy_score: 0.78
+Epoch: 88 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 89 test_accuracy_score: 0.78
+Epoch: 89 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 90 test_accuracy_score: 0.78
+Epoch: 90 test_average_metric: binary test_f1_score: 0.4634146341463415
+Epoch: 91 test_accuracy_score: 0.7825
+Epoch: 91 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 92 test_accuracy_score: 0.7825
+Epoch: 92 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 93 test_accuracy_score: 0.7825
+Epoch: 93 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 94 test_accuracy_score: 0.7825
+Epoch: 94 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 95 test_accuracy_score: 0.7825
+Epoch: 95 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 96 test_accuracy_score: 0.7825
+Epoch: 96 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 97 test_accuracy_score: 0.7825
+Epoch: 97 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 98 test_accuracy_score: 0.7825
+Epoch: 98 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 99 test_accuracy_score: 0.7825
+Epoch: 99 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 100 test_accuracy_score: 0.7825
+Epoch: 100 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 101 test_accuracy_score: 0.7825
+Epoch: 101 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 102 test_accuracy_score: 0.7825
+Epoch: 102 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 103 test_accuracy_score: 0.7825
+Epoch: 103 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 104 test_accuracy_score: 0.7825
+Epoch: 104 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 105 test_accuracy_score: 0.7825
+Epoch: 105 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 106 test_accuracy_score: 0.7825
+Epoch: 106 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 107 test_accuracy_score: 0.7825
+Epoch: 107 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 108 test_accuracy_score: 0.7825
+Epoch: 108 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 109 test_accuracy_score: 0.7825
+Epoch: 109 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 110 test_accuracy_score: 0.7825
+Epoch: 110 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 111 test_accuracy_score: 0.7825
+Epoch: 111 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 112 test_accuracy_score: 0.7825
+Epoch: 112 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 113 test_accuracy_score: 0.7825
+Epoch: 113 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 114 test_accuracy_score: 0.7825
+Epoch: 114 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 115 test_accuracy_score: 0.7825
+Epoch: 115 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 116 test_accuracy_score: 0.7825
+Epoch: 116 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 117 test_accuracy_score: 0.7825
+Epoch: 117 test_average_metric: binary test_f1_score: 0.4662576687116564
+Epoch: 118 test_accuracy_score: 0.7875
+Epoch: 118 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 119 test_accuracy_score: 0.7875
+Epoch: 119 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 120 test_accuracy_score: 0.7875
+Epoch: 120 test_average_metric: binary test_f1_score: 0.47204968944099374
+Epoch: 121 test_accuracy_score: 0.79
+Epoch: 121 test_average_metric: binary test_f1_score: 0.475
+Epoch: 122 test_accuracy_score: 0.79
+Epoch: 122 test_average_metric: binary test_f1_score: 0.475
+Epoch: 123 test_accuracy_score: 0.79
+Epoch: 123 test_average_metric: binary test_f1_score: 0.475
+Epoch: 124 test_accuracy_score: 0.79
+Epoch: 124 test_average_metric: binary test_f1_score: 0.475
+Epoch: 125 test_accuracy_score: 0.79
+Epoch: 125 test_average_metric: binary test_f1_score: 0.475
+Epoch: 126 test_accuracy_score: 0.79
+Epoch: 126 test_average_metric: binary test_f1_score: 0.475
+Epoch: 127 test_accuracy_score: 0.79
+Epoch: 127 test_average_metric: binary test_f1_score: 0.475
+Epoch: 128 test_accuracy_score: 0.79
+Epoch: 128 test_average_metric: binary test_f1_score: 0.475
+Epoch: 129 test_accuracy_score: 0.79
+Epoch: 129 test_average_metric: binary test_f1_score: 0.475
+Epoch: 130 test_accuracy_score: 0.79
+Epoch: 130 test_average_metric: binary test_f1_score: 0.475
+Epoch: 131 test_accuracy_score: 0.79
+Epoch: 131 test_average_metric: binary test_f1_score: 0.475
+Epoch: 132 test_accuracy_score: 0.79
+Epoch: 132 test_average_metric: binary test_f1_score: 0.475
+Epoch: 133 test_accuracy_score: 0.79
+Epoch: 133 test_average_metric: binary test_f1_score: 0.475
+Epoch: 134 test_accuracy_score: 0.7925
+Epoch: 134 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 135 test_accuracy_score: 0.7925
+Epoch: 135 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 136 test_accuracy_score: 0.7925
+Epoch: 136 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 137 test_accuracy_score: 0.7925
+Epoch: 137 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 138 test_accuracy_score: 0.7925
+Epoch: 138 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 139 test_accuracy_score: 0.7925
+Epoch: 139 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 140 test_accuracy_score: 0.7925
+Epoch: 140 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 141 test_accuracy_score: 0.7925
+Epoch: 141 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 142 test_accuracy_score: 0.7925
+Epoch: 142 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 143 test_accuracy_score: 0.7925
+Epoch: 143 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 144 test_accuracy_score: 0.7925
+Epoch: 144 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 145 test_accuracy_score: 0.7925
+Epoch: 145 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 146 test_accuracy_score: 0.7925
+Epoch: 146 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 147 test_accuracy_score: 0.7925
+Epoch: 147 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 148 test_accuracy_score: 0.7925
+Epoch: 148 test_average_metric: binary test_f1_score: 0.47133757961783435
+Epoch: 149 test_accuracy_score: 0.795
+Epoch: 149 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 150 test_accuracy_score: 0.795
+Epoch: 150 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 151 test_accuracy_score: 0.795
+Epoch: 151 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 152 test_accuracy_score: 0.795
+Epoch: 152 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 153 test_accuracy_score: 0.795
+Epoch: 153 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 154 test_accuracy_score: 0.795
+Epoch: 154 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 155 test_accuracy_score: 0.795
+Epoch: 155 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 156 test_accuracy_score: 0.795
+Epoch: 156 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 157 test_accuracy_score: 0.795
+Epoch: 157 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 158 test_accuracy_score: 0.795
+Epoch: 158 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 159 test_accuracy_score: 0.795
+Epoch: 159 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 160 test_accuracy_score: 0.795
+Epoch: 160 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 161 test_accuracy_score: 0.795
+Epoch: 161 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 162 test_accuracy_score: 0.795
+Epoch: 162 test_average_metric: binary test_f1_score: 0.4810126582278481
+Epoch: 163 test_accuracy_score: 0.7925
+Epoch: 163 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 164 test_accuracy_score: 0.7925
+Epoch: 164 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 165 test_accuracy_score: 0.7925
+Epoch: 165 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 166 test_accuracy_score: 0.7925
+Epoch: 166 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 167 test_accuracy_score: 0.7925
+Epoch: 167 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 168 test_accuracy_score: 0.7925
+Epoch: 168 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 169 test_accuracy_score: 0.7925
+Epoch: 169 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 170 test_accuracy_score: 0.7925
+Epoch: 170 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 171 test_accuracy_score: 0.7925
+Epoch: 171 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 172 test_accuracy_score: 0.7925
+Epoch: 172 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 173 test_accuracy_score: 0.7925
+Epoch: 173 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 174 test_accuracy_score: 0.7925
+Epoch: 174 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 175 test_accuracy_score: 0.7925
+Epoch: 175 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 176 test_accuracy_score: 0.7925
+Epoch: 176 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 177 test_accuracy_score: 0.7925
+Epoch: 177 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 178 test_accuracy_score: 0.7925
+Epoch: 178 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 179 test_accuracy_score: 0.7925
+Epoch: 179 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 180 test_accuracy_score: 0.7925
+Epoch: 180 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 181 test_accuracy_score: 0.7925
+Epoch: 181 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 182 test_accuracy_score: 0.7925
+Epoch: 182 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 183 test_accuracy_score: 0.7925
+Epoch: 183 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 184 test_accuracy_score: 0.7925
+Epoch: 184 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 185 test_accuracy_score: 0.7925
+Epoch: 185 test_average_metric: binary test_f1_score: 0.47798742138364786
+Epoch: 186 test_accuracy_score: 0.79
+Epoch: 186 test_average_metric: binary test_f1_score: 0.475
+Epoch: 187 test_accuracy_score: 0.79
+Epoch: 187 test_average_metric: binary test_f1_score: 0.475
+Epoch: 188 test_accuracy_score: 0.79
+Epoch: 188 test_average_metric: binary test_f1_score: 0.475
+Epoch: 189 test_accuracy_score: 0.79
+Epoch: 189 test_average_metric: binary test_f1_score: 0.475
+Epoch: 190 test_accuracy_score: 0.79
+Epoch: 190 test_average_metric: binary test_f1_score: 0.475
+Epoch: 191 test_accuracy_score: 0.79
+Epoch: 191 test_average_metric: binary test_f1_score: 0.475
+Epoch: 192 test_accuracy_score: 0.79
+Epoch: 192 test_average_metric: binary test_f1_score: 0.475
+Epoch: 193 test_accuracy_score: 0.79
+Epoch: 193 test_average_metric: binary test_f1_score: 0.475
+Epoch: 194 test_accuracy_score: 0.79
+Epoch: 194 test_average_metric: binary test_f1_score: 0.475
+Epoch: 195 test_accuracy_score: 0.79
+Epoch: 195 test_average_metric: binary test_f1_score: 0.475
+Epoch: 196 test_accuracy_score: 0.79
+Epoch: 196 test_average_metric: binary test_f1_score: 0.475
+Epoch: 197 test_accuracy_score: 0.7975
+Epoch: 197 test_average_metric: binary test_f1_score: 0.5030674846625766
+Epoch: 198 test_accuracy_score: 0.7975
+Epoch: 198 test_average_metric: binary test_f1_score: 0.5030674846625766
+Epoch: 199 test_accuracy_score: 0.7975
+Epoch: 199 test_average_metric: binary test_f1_score: 0.5030674846625766
diff --git a/notebooks/SMS_SPAM/log/JL/jl_log_1.txt b/notebooks/SMS_SPAM/log/JL/jl_log_1.txt
new file mode 100644
index 0000000..637fd98
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/JL/jl_log_1.txt
@@ -0,0 +1,56 @@
+JL log: n_classes: 2 n_LFs: 16 n_features: 1024 n_hidden: 512 feature_model:nn lr_fm: 0.0005 lr_gm:0.01 use_accuracy_score: False n_epochs:100 start_len: 7 stop_len:10
+f1_score: Epoch: 0 gm_valid_score: 0.64 fm_valid_score: 0.33333333333333337
+f1_score: Epoch: 0 gm_test_score: 0.5365853658536585 fm_test_score: 0.2653061224489796
+f1_score: Epoch: 1 gm_valid_score: 0.64 fm_valid_score: 0.32075471698113206
+f1_score: Epoch: 2 gm_valid_score: 0.64 fm_valid_score: 0.4415584415584416
+f1_score: Epoch: 3 gm_valid_score: 0.64 fm_valid_score: 0.6415094339622641
+f1_score: Epoch: 4 gm_valid_score: 0.64 fm_valid_score: 0.4788732394366197
+f1_score: Epoch: 5 gm_valid_score: 0.64 fm_valid_score: 0.5074626865671642
+f1_score: Epoch: 5 gm_test_score: 0.5398773006134969 fm_test_score: 0.4474885844748858
+f1_score: Epoch: 6 gm_valid_score: 0.64 fm_valid_score: 0.4657534246575342
+f1_score: Epoch: 7 gm_valid_score: 0.64 fm_valid_score: 0.5964912280701754
+f1_score: Epoch: 8 gm_valid_score: 0.64 fm_valid_score: 0.6071428571428571
+f1_score: Epoch: 9 gm_valid_score: 0.64 fm_valid_score: 0.6666666666666666
+f1_score: Epoch: 10 gm_valid_score: 0.64 fm_valid_score: 0.4788732394366197
+f1_score: Epoch: 10 gm_test_score: 0.5508982035928145 fm_test_score: 0.39840637450199196
+f1_score: Epoch: 11 gm_valid_score: 0.64 fm_valid_score: 0.5925925925925927
+f1_score: Epoch: 12 gm_valid_score: 0.64 fm_valid_score: 0.4857142857142857
+f1_score: Epoch: 13 gm_valid_score: 0.64 fm_valid_score: 0.4473684210526315
+f1_score: Epoch: 14 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.37777777777777777
+f1_score: Epoch: 15 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.46376811594202905
+f1_score: Epoch: 15 gm_test_score: 0.5581395348837209 fm_test_score: 0.4137931034482759
+f1_score: Epoch: 16 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5074626865671642
+f1_score: Epoch: 17 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5074626865671642
+f1_score: Epoch: 18 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5074626865671642
+f1_score: Epoch: 19 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5483870967741935
+JL log: n_classes: 2 n_LFs: 16 n_features: 1024 n_hidden: 512 feature_model:nn lr_fm: 0.0005 lr_gm:0.01 use_accuracy_score: False n_epochs:100 start_len: 7 stop_len:10
+f1_score: Epoch: 0 gm_valid_score: 0.64 fm_valid_score: 0.3541666666666667
+f1_score: Epoch: 0 gm_test_score: 0.5365853658536585 fm_test_score: 0.2773333333333333
+f1_score: Epoch: 1 gm_valid_score: 0.64 fm_valid_score: 0.3090909090909091
+f1_score: Epoch: 2 gm_valid_score: 0.64 fm_valid_score: 0.425
+f1_score: Epoch: 3 gm_valid_score: 0.64 fm_valid_score: 0.34
+f1_score: Epoch: 4 gm_valid_score: 0.64 fm_valid_score: 0.3655913978494624
+f1_score: Epoch: 5 gm_valid_score: 0.64 fm_valid_score: 0.4415584415584416
+f1_score: Epoch: 5 gm_test_score: 0.5389221556886228 fm_test_score: 0.37362637362637363
+f1_score: Epoch: 6 gm_valid_score: 0.64 fm_valid_score: 0.40963855421686746
+f1_score: Epoch: 7 gm_valid_score: 0.64 fm_valid_score: 0.41463414634146345
+f1_score: Epoch: 8 gm_valid_score: 0.64 fm_valid_score: 0.4857142857142857
+f1_score: Epoch: 9 gm_valid_score: 0.64 fm_valid_score: 0.4415584415584416
+f1_score: Epoch: 10 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.38202247191011235
+f1_score: Epoch: 10 gm_test_score: 0.5529411764705883 fm_test_score: 0.3132530120481928
+f1_score: Epoch: 11 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.4788732394366197
+f1_score: Epoch: 12 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.43589743589743585
+f1_score: Epoch: 13 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.6808510638297872
+f1_score: Epoch: 14 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.38202247191011235
+f1_score: Epoch: 15 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5396825396825397
+f1_score: Epoch: 15 gm_test_score: 0.56 fm_test_score: 0.4672897196261682
+f1_score: Epoch: 16 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.37777777777777777
+f1_score: Epoch: 17 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5714285714285713
+f1_score: Epoch: 18 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.4927536231884058
+f1_score: Epoch: 19 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.38636363636363635
+f1_score: Epoch: 20 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.4788732394366197
+f1_score: Epoch: 20 gm_test_score: 0.5536723163841807 fm_test_score: 0.42918454935622313
+f1_score: Epoch: 21 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.5483870967741935
+f1_score: Epoch: 22 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.37362637362637363
+f1_score: Epoch: 23 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.4857142857142857
+f1_score: Epoch: 24 gm_valid_score: 0.6037735849056604 fm_valid_score: 0.4788732394366197
diff --git a/notebooks/SMS_SPAM/log/JL/sms_log_1.txt b/notebooks/SMS_SPAM/log/JL/sms_log_1.txt
new file mode 100644
index 0000000..5ad9e7c
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/JL/sms_log_1.txt
@@ -0,0 +1,105 @@
+JL log: n_classes: 2 n_LFs: 16 n_features: 1024 n_hidden: 512 feature_model:nn lr_fm: 0.0005 lr_gm:0.01 use_accuracy_score: False n_epochs:100 start_len: 7 stop_len:10
+f1_score: Epoch: 0 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.8421052631578947
+f1_score: Epoch: 0 gm_test_score: 0.5324675324675324 fm_test_score: 0.7384615384615384
+f1_score: Epoch: 1 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.8947368421052632
+f1_score: Epoch: 2 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.6666666666666666
+f1_score: Epoch: 3 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.7391304347826086
+f1_score: Epoch: 4 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.6799999999999999
+f1_score: Epoch: 5 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5230769230769231
+f1_score: Epoch: 5 gm_test_score: 0.5466666666666666 fm_test_score: 0.4533333333333334
+f1_score: Epoch: 6 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.8095238095238095
+f1_score: Epoch: 7 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6938775510204082
+f1_score: Epoch: 8 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.8292682926829268
+f1_score: Epoch: 9 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.7083333333333333
+f1_score: Epoch: 10 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.7555555555555554
+f1_score: Epoch: 10 gm_test_score: 0.5503355704697986 fm_test_score: 0.78125
+f1_score: Epoch: 11 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6415094339622641
+f1_score: Epoch: 12 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6538461538461539
+f1_score: Epoch: 13 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.53125
+f1_score: Epoch: 14 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6538461538461539
+f1_score: Epoch: 15 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5151515151515151
+f1_score: Epoch: 15 gm_test_score: 0.5599999999999999 fm_test_score: 0.4727272727272727
+f1_score: Epoch: 16 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6538461538461539
+f1_score: Epoch: 17 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6415094339622641
+f1_score: Epoch: 18 gm_valid_score: 0.6808510638297872 fm_valid_score: 0.6938775510204082
+f1_score: Epoch: 19 gm_valid_score: 0.6808510638297872 fm_valid_score: 0.41975308641975306
+JL log: n_classes: 2 n_LFs: 16 n_features: 1024 n_hidden: 512 feature_model:lr lr_fm: 0.0005 lr_gm:0.01 use_accuracy_score: False n_epochs:100 start_len: 7 stop_len:10
+f1_score: Epoch: 0 gm_valid_score: 0.6521739130434783 fm_valid_score: 0.5483870967741935
+f1_score: Epoch: 0 gm_test_score: 0.5228758169934641 fm_test_score: 0.5053763440860216
+f1_score: Epoch: 1 gm_valid_score: 0.6530612244897959 fm_valid_score: 0.6799999999999999
+f1_score: Epoch: 2 gm_valid_score: 0.6808510638297872 fm_valid_score: 0.8717948717948718
+f1_score: Epoch: 3 gm_valid_score: 0.6521739130434783 fm_valid_score: 0.8947368421052632
+f1_score: Epoch: 4 gm_valid_score: 0.6956521739130435 fm_valid_score: 0.8947368421052632
+f1_score: Epoch: 5 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.8947368421052632
+f1_score: Epoch: 5 gm_test_score: 0.5333333333333333 fm_test_score: 0.8620689655172413
+f1_score: Epoch: 6 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.8947368421052632
+f1_score: Epoch: 7 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.9714285714285714
+f1_score: Epoch: 8 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.8947368421052632
+f1_score: Epoch: 9 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.9714285714285714
+f1_score: Epoch: 10 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.9714285714285714
+f1_score: Epoch: 10 gm_test_score: 0.54421768707483 fm_test_score: 0.8521739130434781
+f1_score: Epoch: 11 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.9714285714285714
+f1_score: Epoch: 12 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.9444444444444444
+f1_score: Epoch: 13 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.9444444444444444
+f1_score: Epoch: 14 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.9444444444444444
+f1_score: Epoch: 15 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.9411764705882353
+f1_score: Epoch: 15 gm_test_score: 0.563758389261745 fm_test_score: 0.8695652173913043
+f1_score: Epoch: 16 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.9444444444444444
+f1_score: Epoch: 17 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.9714285714285714
+f1_score: Epoch: 18 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.9444444444444444
+f1_score: Epoch: 19 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.9444444444444444
+f1_score: Epoch: 20 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.9714285714285714
+f1_score: Epoch: 20 gm_test_score: 0.563758389261745 fm_test_score: 0.8448275862068965
+JL log: n_classes: 2 n_LFs: 16 n_features: 1024 n_hidden: 512 feature_model:nn lr_fm: 0.0005 lr_gm:0.01 use_accuracy_score: False n_epochs:100 start_len: 7 stop_len:10
+f1_score: Epoch: 0 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.7391304347826086
+f1_score: Epoch: 0 gm_test_score: 0.5194805194805195 fm_test_score: 0.5666666666666667
+f1_score: Epoch: 1 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.85
+f1_score: Epoch: 2 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.7555555555555554
+f1_score: Epoch: 3 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.7555555555555554
+f1_score: Epoch: 4 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.8421052631578947
+f1_score: Epoch: 5 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.8648648648648648
+f1_score: Epoch: 5 gm_test_score: 0.5333333333333333 fm_test_score: 0.8392857142857143
+f1_score: Epoch: 6 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.5862068965517241
+f1_score: Epoch: 7 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.6181818181818182
+f1_score: Epoch: 8 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.7083333333333333
+f1_score: Epoch: 9 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.7234042553191489
+f1_score: Epoch: 10 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.7391304347826086
+f1_score: Epoch: 10 gm_test_score: 0.5540540540540541 fm_test_score: 0.6944444444444445
+f1_score: Epoch: 11 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6181818181818182
+f1_score: Epoch: 12 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6799999999999999
+f1_score: Epoch: 13 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.7234042553191489
+f1_score: Epoch: 14 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6071428571428571
+f1_score: Epoch: 15 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.53125
+f1_score: Epoch: 15 gm_test_score: 0.5599999999999999 fm_test_score: 0.5157894736842106
+f1_score: Epoch: 16 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5
+f1_score: Epoch: 17 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5573770491803279
+f1_score: Epoch: 18 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6799999999999999
+f1_score: Epoch: 19 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6181818181818182
+f1_score: Epoch: 20 gm_valid_score: 0.6521739130434783 fm_valid_score: 0.5964912280701754
+f1_score: Epoch: 20 gm_test_score: 0.5605095541401275 fm_test_score: 0.620253164556962
+f1_score: Epoch: 21 gm_valid_score: 0.6521739130434783 fm_valid_score: 0.5
+JL log: n_classes: 2 n_LFs: 16 n_features: 1024 n_hidden: 512 feature_model:nn lr_fm: 0.0005 lr_gm:0.01 use_accuracy_score: False n_epochs:100 start_len: 7 stop_len:10
+f1_score: Epoch: 0 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.6071428571428571
+f1_score: Epoch: 0 gm_test_score: 0.5324675324675324 fm_test_score: 0.5230769230769231
+f1_score: Epoch: 1 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.8823529411764706
+f1_score: Epoch: 2 gm_valid_score: 0.6666666666666667 fm_valid_score: 0.6181818181818182
+f1_score: Epoch: 3 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.8095238095238095
+f1_score: Epoch: 4 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.7083333333333333
+f1_score: Epoch: 5 gm_valid_score: 0.6818181818181819 fm_valid_score: 0.744186046511628
+f1_score: Epoch: 5 gm_test_score: 0.5369127516778524 fm_test_score: 0.7669172932330828
+f1_score: Epoch: 6 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.7555555555555554
+f1_score: Epoch: 7 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.5666666666666667
+f1_score: Epoch: 8 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.6938775510204082
+f1_score: Epoch: 9 gm_valid_score: 0.6976744186046512 fm_valid_score: 0.7391304347826086
+f1_score: Epoch: 10 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.7083333333333333
+f1_score: Epoch: 10 gm_test_score: 0.5540540540540541 fm_test_score: 0.6802721088435374
+f1_score: Epoch: 11 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6071428571428571
+f1_score: Epoch: 12 gm_valid_score: 0.7272727272727272 fm_valid_score: 0.6415094339622641
+f1_score: Epoch: 13 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5151515151515151
+f1_score: Epoch: 14 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6415094339622641
+f1_score: Epoch: 15 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5964912280701754
+f1_score: Epoch: 15 gm_test_score: 0.5599999999999999 fm_test_score: 0.5714285714285715
+f1_score: Epoch: 16 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6799999999999999
+f1_score: Epoch: 17 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6799999999999999
+f1_score: Epoch: 18 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.6538461538461539
+f1_score: Epoch: 19 gm_valid_score: 0.7111111111111111 fm_valid_score: 0.5396825396825397
diff --git a/notebooks/SMS_SPAM/log/hls/f_d_0.1_0.1_1.txt b/notebooks/SMS_SPAM/log/hls/f_d_0.1_0.1_1.txt
new file mode 100644
index 0000000..0ebbc1d
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/hls/f_d_0.1_0.1_1.txt
@@ -0,0 +1,191 @@
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_L.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_U.pkl
+batch size 5174
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 5174
+len_r 5174
+--------------------------
+Working with l
+--------------------------
+Working with L
+L is empty
+--------------------------
+No valid label found for rule: 2
+No valid label found for rule: 4
+No valid label found for rule: 6
+Rule classes: [0, 0, 2, 1, 2, 1, 2, 0, 0, 0, 0, 1, 1, 1, 1, 0]
+length of covered U: 2984
+Size of d before oversampling: 100
+Size of U (covered) : 2984
+Size of d after oversampling: 1000
+Size of d_U after combining: 3984
+Loading 100 elements from d
+num instances in d: 1000
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_V.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Setting value of d to 0 for test data
+test_w len: 64
+test_w len: 64
+Number of features: 1024
+Number of classes: 2
+Print num of rules to train: 16
+Print num of rules: 16
+
+
+
+Found prev best metric for run type f_d: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 2.0, 'f_d_global_step': 124}
+Found prev best metric for run type f_d_U: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 3.0, 'f_d_global_step': 372}
+[
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ ""
+]
+Run mode is f_d
+training f on d
+num_instances: 1000
+batch_size: 16
+total_batch: 62
+remaining: 8
+total_batch: 62
+Optimization started for f_d!
+Batch size: 16!
+Batches per epoch : 62!
+Number of epochs: 4!
+
+========== epoch : 0 ============
+
+cost: 0.22806530349677614
+
+patience: 0
+
+
+metrics_dict: {'f1_score_1': 0.9888888888888888, 'precision_1': 0.978021978021978, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([0.900, 0.989]), 'precision': array([1.000, 0.978]), 'recall': array([0.818, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 0.9444444444444444, 'avg_precision': 0.989010989010989, 'avg_recall': 0.9090909090909092, 'accuracy': 0.98, 'epoch': 1.0, 'f_d_global_step': 62}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 0.98
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-62
+
+Saved new best checkpoint to path: ./checkpoint/f_d/best.ckpt-62
+
+
+========== epoch : 1 ============
+
+cost: 0.02629058947481568
+
+patience: 1
+
+
+metrics_dict: {'f1_score_1': 0.9888888888888888, 'precision_1': 0.978021978021978, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([0.900, 0.989]), 'precision': array([1.000, 0.978]), 'recall': array([0.818, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 0.9444444444444444, 'avg_precision': 0.989010989010989, 'avg_recall': 0.9090909090909092, 'accuracy': 0.98, 'epoch': 2.0, 'f_d_global_step': 124}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 0.98
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-124
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d/best.ckpt-62
+
+
+========== epoch : 2 ============
+
+cost: 0.0015708127307481202
+
+patience: 2
+
+
+metrics_dict: {'f1_score_1': 0.9888888888888888, 'precision_1': 0.978021978021978, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([0.900, 0.989]), 'precision': array([1.000, 0.978]), 'recall': array([0.818, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 0.9444444444444444, 'avg_precision': 0.989010989010989, 'avg_recall': 0.9090909090909092, 'accuracy': 0.98, 'epoch': 3.0, 'f_d_global_step': 186}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 0.98
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-186
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d/best.ckpt-62
+
+
+========== epoch : 3 ============
+
+cost: 0.0005215905953997619
+
+patience: 3
+
+
+metrics_dict: {'f1_score_1': 0.9888888888888888, 'precision_1': 0.978021978021978, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([0.900, 0.989]), 'precision': array([1.000, 0.978]), 'recall': array([0.818, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 0.9444444444444444, 'avg_precision': 0.989010989010989, 'avg_recall': 0.9090909090909092, 'accuracy': 0.98, 'epoch': 4.0, 'f_d_global_step': 248}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 0.98
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-248
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d/best.ckpt-62
+
+Optimization Finished for f_d!
diff --git a/notebooks/SMS_SPAM/log/hls/gcross_snorkel_0.1_0.1_1.txt b/notebooks/SMS_SPAM/log/hls/gcross_snorkel_0.1_0.1_1.txt
new file mode 100644
index 0000000..7ea6906
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/hls/gcross_snorkel_0.1_0.1_1.txt
@@ -0,0 +1,156 @@
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_L.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_U.pkl
+batch size 5174
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 5174
+len_r 5174
+--------------------------
+Working with l
+--------------------------
+Working with L
+L is empty
+--------------------------
+No valid label found for rule: 2
+No valid label found for rule: 4
+No valid label found for rule: 6
+Rule classes: [0, 0, 2, 1, 2, 1, 2, 0, 0, 0, 0, 1, 1, 1, 1, 0]
+length of covered U: 2984
+Size of d before oversampling: 100
+Size of U (covered) : 2984
+Size of d after oversampling: 1000
+Size of d_U after combining: 3984
+Loading 100 elements from d
+num instances in d: 1000
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_V.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Setting value of d to 0 for test data
+test_w len: 64
+test_w len: 64
+Number of features: 1024
+Number of classes: 2
+Print num of rules to train: 16
+Print num of rules: 16
+
+
+
+Found prev best metric for run type f_d: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 2.0, 'f_d_global_step': 124}
+Found prev best metric for run type f_d_U: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 3.0, 'f_d_global_step': 372}
+[
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ ""
+]
+Run mode is gcross_snorkel
+gcross_snorkel
+num_instances: 3984
+batch_size: 32
+total_batch: 124
+remaining: 16
+total_batch: 124
+LABEL MODEL NOT SAVED
+Checkpoint file does not exist
+Saved new best checkpoint to path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-51
+Restoring best checkpoint from path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-51
+Saved new best checkpoint to path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-52
+Restoring best checkpoint from path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-51
+Saved new best checkpoint to path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-53
+Saved new best checkpoint to path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-54
+Restoring best checkpoint from path: /tmp/best_ckpt_0.859894/foo-bar/best.ckpt-53
+Best ckpt path: /tmp/best_ckpt_0.010939/best.ckpt-13
+Best ckpt path: /tmp/best_ckpt_0.010939/best.ckpt-13
+Best ckpt path: /tmp/best_ckpt_0.010939/best.ckpt-16
+Best ckpt path: /tmp/best_ckpt_0.010939/best.ckpt-15
+Saved MRU checkpoint to path: /tmp/checkpoints/hls-model
+Restoring checkpoint from path: /tmp/checkpoints/hls-model
+Restoring checkpoint from path: /tmp/checkpoints/hls-model
+Saved MRU checkpoint to path: /tmp/checkpoints_0.040903/hls-model-11
+Restoring checkpoint from path: /tmp/checkpoints_0.040903/hls-model-11
+Saved MRU checkpoint to path: /tmp/checkpoints_0.040903/hls-model-5
+Restoring checkpoint from path: /tmp/checkpoints_0.040903/hls-model-5
+Saved MRU checkpoint to path: /tmp/checkpoints_0.413632/hls-model-11
+Restoring checkpoint from path: /tmp/checkpoints_0.413632/hls-model-11
+Saved MRU checkpoint to path: /tmp/checkpoints_0.413632/hls-model-5
+Restoring checkpoint from path: /tmp/checkpoints_0.413632/hls-model-5
diff --git a/notebooks/SMS_SPAM/log/hls/implication_0.1_0.1_1.txt b/notebooks/SMS_SPAM/log/hls/implication_0.1_0.1_1.txt
new file mode 100644
index 0000000..0dc6216
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/hls/implication_0.1_0.1_1.txt
@@ -0,0 +1,378 @@
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_L.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_U.pkl
+batch size 5174
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 5174
+len_r 5174
+--------------------------
+Working with l
+--------------------------
+Working with L
+L is empty
+--------------------------
+No valid label found for rule: 2
+No valid label found for rule: 4
+No valid label found for rule: 6
+Rule classes: [0, 0, 2, 1, 2, 1, 2, 0, 0, 0, 0, 1, 1, 1, 1, 0]
+length of covered U: 2984
+Size of d before oversampling: 100
+Size of U (covered) : 2984
+Size of d after oversampling: 1000
+Size of d_U after combining: 3984
+Loading 100 elements from d
+num instances in d: 1000
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_V.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Setting value of d to 0 for test data
+test_w len: 64
+test_w len: 64
+Number of features: 1024
+Number of classes: 2
+Print num of rules to train: 16
+Print num of rules: 16
+
+
+
+Found prev best metric for run type f_d: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 2.0, 'f_d_global_step': 124}
+Found prev best metric for run type f_d_U: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 3.0, 'f_d_global_step': 372}
+[
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ ""
+]
+Run mode is implication
+implication training started
+num_instances: 3984
+batch_size: 32
+total_batch: 124
+remaining: 16
+total_batch: 124
+Optimization started for f_d_U with implication loss!
+Batch size: 32!
+Batches per epoch : 124!
+Number of epochs: 4!
+
+========== epoch : 0 ============
+
+cost: 0.26255477961873824
+
+patience: 0
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 1.0, 'f_d_global_step': 124}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-124
+
+Saved new best checkpoint to path: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 1 ============
+
+cost: 0.13737973339495163
+
+patience: 1
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 2.0, 'f_d_global_step': 248}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-249
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 2 ============
+
+cost: 0.10762433038889282
+
+patience: 2
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 3.0, 'f_d_global_step': 372}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-374
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 3 ============
+
+cost: 0.08178236118739385
+
+patience: 3
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 4.0, 'f_d_global_step': 496}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-499
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+Optimization Finished for f_d_U!
+implication training ended
+implication training started
+num_instances: 3984
+batch_size: 32
+total_batch: 124
+remaining: 16
+total_batch: 124
+Optimization started for f_d_U with implication loss!
+Batch size: 32!
+Batches per epoch : 124!
+Number of epochs: 4!
+
+========== epoch : 0 ============
+
+cost: 0.06641002540850277
+
+patience: 0
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 5.0, 'f_d_global_step': 620}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-124
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 1 ============
+
+cost: 0.06447562962843692
+
+patience: 1
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 6.0, 'f_d_global_step': 744}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-249
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 2 ============
+
+cost: 0.045984012404299016
+
+patience: 2
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 7.0, 'f_d_global_step': 868}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-374
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 3 ============
+
+cost: 0.03032874549946074
+
+patience: 3
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 8.0, 'f_d_global_step': 992}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-499
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+Optimization Finished for f_d_U!
+implication training ended
+implication training started
+num_instances: 3984
+batch_size: 32
+total_batch: 124
+remaining: 16
+total_batch: 124
+Optimization started for f_d_U with implication loss!
+Batch size: 32!
+Batches per epoch : 124!
+Number of epochs: 4!
+
+========== epoch : 0 ============
+
+cost: 0.039481191758715145
+
+patience: 0
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 9.0, 'f_d_global_step': 1116}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-124
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 1 ============
+
+cost: 0.03554798693843505
+
+patience: 1
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 10.0, 'f_d_global_step': 1240}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-249
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 2 ============
+
+cost: 0.01500457524848425
+
+patience: 2
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 11.0, 'f_d_global_step': 1364}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-374
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+
+========== epoch : 3 ============
+
+cost: 0.0057277635789080615
+
+patience: 3
+
+
+metrics_dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1.000, 1.000]), 'precision': array([1.000, 1.000]), 'recall': array([1.000, 1.000]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 12.0, 'f_d_global_step': 1488}
+
+Reporting f_d metrics to tensorboard
+Not saving metrics dict. Best metric value is 1.0 Current is: 1.0
+
+Saved MRU checkpoint to path: ./checkpoint/hls-model-499
+
+No new best checkpoint. Did not save a new best checkpoint. Last checkpointed file: ./checkpoint/f_d_U/best.ckpt-124
+
+Optimization Finished for f_d_U!
+implication training ended
diff --git a/notebooks/SMS_SPAM/log/hls/label_snorkel_0.1_0.1_1.txt b/notebooks/SMS_SPAM/log/hls/label_snorkel_0.1_0.1_1.txt
new file mode 100644
index 0000000..79016b6
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/hls/label_snorkel_0.1_0.1_1.txt
@@ -0,0 +1,137 @@
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_L.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_U.pkl
+batch size 5174
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 5174
+len_r 5174
+--------------------------
+Working with l
+--------------------------
+Working with L
+L is empty
+--------------------------
+No valid label found for rule: 2
+No valid label found for rule: 4
+No valid label found for rule: 6
+Rule classes: [0, 0, 2, 1, 2, 1, 2, 0, 0, 0, 0, 1, 1, 1, 1, 0]
+length of covered U: 2984
+Size of d before oversampling: 100
+Size of U (covered) : 2984
+Size of d after oversampling: 1000
+Size of d_U after combining: 3984
+Loading 100 elements from d
+num instances in d: 1000
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_V.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Setting value of d to 0 for test data
+test_w len: 64
+test_w len: 64
+Number of features: 1024
+Number of classes: 2
+Print num of rules to train: 16
+Print num of rules: 16
+
+
+
+Found prev best metric for run type f_d: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 2.0, 'f_d_global_step': 124}
+Found prev best metric for run type f_d_U: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 3.0, 'f_d_global_step': 372}
+[
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ ""
+]
+Run mode is label_snorkel
+label_snorkel
+num_instances: 3984
+batch_size: 32
+total_batch: 124
+remaining: 16
+total_batch: 124
+LABEL MODEL NOT SAVED
diff --git a/notebooks/SMS_SPAM/log/hls/learn2reweight_0.1_0.1_1.txt b/notebooks/SMS_SPAM/log/hls/learn2reweight_0.1_0.1_1.txt
new file mode 100644
index 0000000..1815587
--- /dev/null
+++ b/notebooks/SMS_SPAM/log/hls/learn2reweight_0.1_0.1_1.txt
@@ -0,0 +1,207 @@
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_L.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_U.pkl
+batch size 5174
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 5174
+len_r 5174
+--------------------------
+Working with l
+--------------------------
+Working with L
+L is empty
+--------------------------
+No valid label found for rule: 2
+No valid label found for rule: 4
+No valid label found for rule: 6
+Rule classes: [0, 0, 2, 1, 2, 1, 2, 0, 0, 0, 0, 1, 1, 1, 1, 0]
+length of covered U: 2984
+Size of d before oversampling: 100
+Size of U (covered) : 2984
+Size of d after oversampling: 1000
+Size of d_U after combining: 3984
+Loading 100 elements from d
+num instances in d: 1000
+Loading from hoff ../../examples/SMS_SPAM/data_pipeline/sms_pickle_V.pkl
+batch size 100
+num features 1024
+num classes 2
+num rules 16
+1 -> 0
+0 -> 1
+None -> 2
+----------------------------
+{1: 0, 0: 1, None: 2}
+----------------------------
+len_x 100
+len_r 100
+--------------------------
+Working with l
+--------------------------
+Working with L
+--------------------------
+Setting value of d to 0 for test data
+test_w len: 64
+test_w len: 64
+Number of features: 1024
+Number of classes: 2
+Print num of rules to train: 16
+Print num of rules: 16
+
+
+
+Found prev best metric for run type f_d: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 2.0, 'f_d_global_step': 124}
+Found prev best metric for run type f_d_U: 1.000
+best metrics dict: {'f1_score_1': 1.0, 'precision_1': 1.0, 'recall_1': 1.0, 'support_1': 89, 'f1_score': array([1., 1.]), 'precision': array([1., 1.]), 'recall': array([1., 1.]), 'support': array([11, 89]), 'avg_f1_score': 1.0, 'avg_precision': 1.0, 'avg_recall': 1.0, 'accuracy': 1.0, 'epoch': 3.0, 'f_d_global_step': 372}
+[
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "",
+ "