import pandas as pd
import numpy as np
data = pd.read_csv('mail_data.csv')
data
Category | Message | |
---|---|---|
0 | ham | Go until jurong point, crazy.. Available only … |
1 | ham | Ok lar… Joking wif u oni… |
2 | spam | Free entry in 2 a wkly comp to win FA Cup fina… |
3 | ham | U dun say so early hor… U c already then say… |
4 | ham | Nah I don’t think he goes to usf, he lives aro… |
… | … | … |
5567 | spam | This is the 2nd time we have tried 2 contact u… |
5568 | ham | Will ü b going to esplanade fr home? |
5569 | ham | Pity, * was in mood for that. So…any other s… |
5570 | ham | The guy did some bitching but I acted like i’d… |
5571 | ham | Rofl. Its true to its name |
5572 rows × 2 columns
data.shape
(5572, 2)
Steps to do:¶
- Data cleaning
- EDA
- Text Preprocessing
- Model Building
- Evaluation
- Improvement
- Website
- Deploy
1. Data Cleaning¶
data.info()
<class 'pandas.core.frame.DataFrame'> RangeIndex: 5572 entries, 0 to 5571 Data columns (total 2 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 Category 5572 non-null object 1 Message 5572 non-null object dtypes: object(2) memory usage: 87.2+ KB
data.isnull().sum()
Category 0 Message 0 dtype: int64
There is no null value in the data¶
data.sample(5)
Category | Message | |
---|---|---|
4914 | spam | Goal! Arsenal 4 (Henry, 7 v Liverpool 2 Henry … |
4912 | ham | Love that holiday Monday feeling even if I hav… |
3676 | ham | Whos this am in class:-) |
3331 | ham | Send me yetty’s number pls. |
4175 | ham | And pls pls drink plenty plenty water |
Re-naming the columns name¶
data.rename(columns={'Category':'target','Message':'text'},inplace=True)
LabelEncoder¶
from sklearn.preprocessing import LabelEncoder
encoder = LabelEncoder()
data['target'] = encoder.fit_transform(data['target'])
data.head()
target | text | |
---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … |
1 | 0 | Ok lar… Joking wif u oni… |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… |
3 | 0 | U dun say so early hor… U c already then say… |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… |
Check missing values¶
data.isnull().sum()
target 0 text 0 dtype: int64
Check duplicate values¶
data.duplicated().sum()
415
data = data.drop_duplicates(keep='first')
data.duplicated().sum()
0
data.shape
(5157, 2)
2. EDA¶
data.head()
target | text | |
---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … |
1 | 0 | Ok lar… Joking wif u oni… |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… |
3 | 0 | U dun say so early hor… U c already then say… |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… |
data['target'].value_counts()
target 0 4516 1 641 Name: count, dtype: int64
import matplotlib.pyplot as plt
data['target'].value_counts().plot(kind='pie',autopct='%.2f')
plt.show()
Data is imbalanced¶
import nltk
nltk.download('punkt')
[nltk_data] Downloading package punkt to [nltk_data] C:\Users\Mehak\AppData\Roaming\nltk_data... [nltk_data] Package punkt is already up-to-date!
True
data['num_characters']=data['text'].apply(len) #it will count len of characters per line
data['num_characters']
C:\Users\Mehak\AppData\Local\Temp\ipykernel_16948\2449063349.py:1: SettingWithCopyWarning: A value is trying to be set on a copy of a slice from a DataFrame. Try using .loc[row_indexer,col_indexer] = value instead See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy data['num_characters']=data['text'].apply(len) #it will count len of characters per line
0 111 1 29 2 155 3 49 4 61 ... 5567 160 5568 36 5569 57 5570 125 5571 26 Name: num_characters, Length: 5157, dtype: int64
data.head()
target | text | num_characters | |
---|---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … | 111 |
1 | 0 | Ok lar… Joking wif u oni… | 29 |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… | 155 |
3 | 0 | U dun say so early hor… U c already then say… | 49 |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… | 61 |
#num of words
data['text'].apply(lambda x: nltk.word_tokenize(x)) #word_tokenize break the sentence after a word
0 [Go, until, jurong, point, ,, crazy, .., Avail... 1 [Ok, lar, ..., Joking, wif, u, oni, ...] 2 [Free, entry, in, 2, a, wkly, comp, to, win, F... 3 [U, dun, say, so, early, hor, ..., U, c, alrea... 4 [Nah, I, do, n't, think, he, goes, to, usf, ,,... ... 5567 [This, is, the, 2nd, time, we, have, tried, 2,... 5568 [Will, ü, b, going, to, esplanade, fr, home, ?] 5569 [Pity, ,, *, was, in, mood, for, that, ., So, ... 5570 [The, guy, did, some, bitching, but, I, acted,... 5571 [Rofl, ., Its, true, to, its, name] Name: text, Length: 5157, dtype: object
#num of words
data['num_words']=data['text'].apply(lambda x: len(nltk.word_tokenize(x))) #count len of words
data['num_words']
C:\Users\Mehak\AppData\Local\Temp\ipykernel_16948\1744167564.py:2: SettingWithCopyWarning: A value is trying to be set on a copy of a slice from a DataFrame. Try using .loc[row_indexer,col_indexer] = value instead See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy data['num_words']=data['text'].apply(lambda x: len(nltk.word_tokenize(x))) #count len of words
0 24 1 8 2 37 3 13 4 15 .. 5567 35 5568 9 5569 15 5570 27 5571 7 Name: num_words, Length: 5157, dtype: int64
data.head()
target | text | num_characters | num_words | |
---|---|---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … | 111 | 24 |
1 | 0 | Ok lar… Joking wif u oni… | 29 | 8 |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… | 155 | 37 |
3 | 0 | U dun say so early hor… U c already then say… | 49 | 13 |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… | 61 | 15 |
#num of sentences
data['text'].apply(lambda x: nltk.sent_tokenize(x)) #sent_tokenize break the sentence
0 [Go until jurong point, crazy.., Available onl... 1 [Ok lar..., Joking wif u oni...] 2 [Free entry in 2 a wkly comp to win FA Cup fin... 3 [U dun say so early hor... U c already then sa... 4 [Nah I don't think he goes to usf, he lives ar... ... 5567 [This is the 2nd time we have tried 2 contact ... 5568 [Will ü b going to esplanade fr home?] 5569 [Pity, * was in mood for that., So...any other... 5570 [The guy did some bitching but I acted like i'... 5571 [Rofl., Its true to its name] Name: text, Length: 5157, dtype: object
#num of sentence
data['num_sentences']=data['text'].apply(lambda x: len(nltk.sent_tokenize(x))) #count len of sentence
data['num_sentences']
C:\Users\Mehak\AppData\Local\Temp\ipykernel_16948\1791182575.py:2: SettingWithCopyWarning: A value is trying to be set on a copy of a slice from a DataFrame. Try using .loc[row_indexer,col_indexer] = value instead See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy data['num_sentences']=data['text'].apply(lambda x: len(nltk.sent_tokenize(x))) #count len of sentence
0 2 1 2 2 2 3 1 4 1 .. 5567 4 5568 1 5569 2 5570 1 5571 2 Name: num_sentences, Length: 5157, dtype: int64
data.head()
target | text | num_characters | num_words | num_sentences | |
---|---|---|---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … | 111 | 24 | 2 |
1 | 0 | Ok lar… Joking wif u oni… | 29 | 8 | 2 |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… | 155 | 37 | 2 |
3 | 0 | U dun say so early hor… U c already then say… | 49 | 13 | 1 |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… | 61 | 15 | 1 |
data[['num_characters','num_words','num_sentences']].describe()
num_characters | num_words | num_sentences | |
---|---|---|---|
count | 5157.000000 | 5157.000000 | 5157.000000 |
mean | 79.103936 | 18.560403 | 1.969750 |
std | 58.382922 | 13.405970 | 1.455526 |
min | 2.000000 | 1.000000 | 1.000000 |
25% | 36.000000 | 9.000000 | 1.000000 |
50% | 61.000000 | 15.000000 | 1.000000 |
75% | 118.000000 | 26.000000 | 2.000000 |
max | 910.000000 | 220.000000 | 38.000000 |
data[data['target'] == 0][['num_characters','num_words','num_sentences']].describe()
num_characters | num_words | num_sentences | |
---|---|---|---|
count | 4516.000000 | 4516.000000 | 4516.000000 |
mean | 70.869353 | 17.267715 | 1.827724 |
std | 56.708301 | 13.588065 | 1.394338 |
min | 2.000000 | 1.000000 | 1.000000 |
25% | 34.000000 | 8.000000 | 1.000000 |
50% | 53.000000 | 13.000000 | 1.000000 |
75% | 91.000000 | 22.000000 | 2.000000 |
max | 910.000000 | 220.000000 | 38.000000 |
#spam
data[data['target'] == 1][['num_characters','num_words','num_sentences']].describe()
num_characters | num_words | num_sentences | |
---|---|---|---|
count | 641.000000 | 641.000000 | 641.000000 |
mean | 137.118565 | 27.667707 | 2.970359 |
std | 30.399707 | 7.103501 | 1.485575 |
min | 7.000000 | 2.000000 | 1.000000 |
25% | 130.000000 | 25.000000 | 2.000000 |
50% | 148.000000 | 29.000000 | 3.000000 |
75% | 157.000000 | 32.000000 | 4.000000 |
max | 223.000000 | 46.000000 | 9.000000 |
import seaborn as sns
sns.histplot(data[data['target'] == 0]['num_characters'])
sns.histplot(data[data['target'] == 1]['num_characters'],color='red')
<Axes: xlabel='num_characters', ylabel='Count'>
sns.histplot(data[data['target'] == 0]['num_words'])
sns.histplot(data[data['target'] == 1]['num_words'],color='red')
<Axes: xlabel='num_words', ylabel='Count'>
sns.pairplot(data,hue='target')
<seaborn.axisgrid.PairGrid at 0x19202cc30b0>
data.info()
<class 'pandas.core.frame.DataFrame'> Index: 5157 entries, 0 to 5571 Data columns (total 5 columns): # Column Non-Null Count Dtype --- ------ -------------- ----- 0 target 5157 non-null int32 1 text 5157 non-null object 2 num_characters 5157 non-null int64 3 num_words 5157 non-null int64 4 num_sentences 5157 non-null int64 dtypes: int32(1), int64(3), object(1) memory usage: 221.6+ KB
#data.corr()
#sns.heatmap(data.corr(),annot=True)
3. Data Preprocessing¶
- Lower Case
- Tokenization
- Removing Special Characters
- Removing Stopwords and Punctuation
- Stemming
def transform_text(text):
text = text.lower()
text = nltk.word_tokenize(text)
y = []
for i in text:
if i.isalnum():
y.append(i)
return y
transform_text('Hi how Are You 20%% eg')
['hi', 'how', 'are', 'you', '20', 'eg']
transform_text('Hi how Are You 20 eg')
['hi', 'how', 'are', 'you', '20', 'eg']
data['text'][45]
'No calls..messages..missed calls'
from nltk.corpus import stopwords
stopwords.words('english')
['i', 'me', 'my', 'myself', 'we', 'our', 'ours', 'ourselves', 'you', "you're", "you've", "you'll", "you'd", 'your', 'yours', 'yourself', 'yourselves', 'he', 'him', 'his', 'himself', 'she', "she's", 'her', 'hers', 'herself', 'it', "it's", 'its', 'itself', 'they', 'them', 'their', 'theirs', 'themselves', 'what', 'which', 'who', 'whom', 'this', 'that', "that'll", 'these', 'those', 'am', 'is', 'are', 'was', 'were', 'be', 'been', 'being', 'have', 'has', 'had', 'having', 'do', 'does', 'did', 'doing', 'a', 'an', 'the', 'and', 'but', 'if', 'or', 'because', 'as', 'until', 'while', 'of', 'at', 'by', 'for', 'with', 'about', 'against', 'between', 'into', 'through', 'during', 'before', 'after', 'above', 'below', 'to', 'from', 'up', 'down', 'in', 'out', 'on', 'off', 'over', 'under', 'again', 'further', 'then', 'once', 'here', 'there', 'when', 'where', 'why', 'how', 'all', 'any', 'both', 'each', 'few', 'more', 'most', 'other', 'some', 'such', 'no', 'nor', 'not', 'only', 'own', 'same', 'so', 'than', 'too', 'very', 's', 't', 'can', 'will', 'just', 'don', "don't", 'should', "should've", 'now', 'd', 'll', 'm', 'o', 're', 've', 'y', 'ain', 'aren', "aren't", 'couldn', "couldn't", 'didn', "didn't", 'doesn', "doesn't", 'hadn', "hadn't", 'hasn', "hasn't", 'haven', "haven't", 'isn', "isn't", 'ma', 'mightn', "mightn't", 'mustn', "mustn't", 'needn', "needn't", 'shan', "shan't", 'shouldn', "shouldn't", 'wasn', "wasn't", 'weren', "weren't", 'won', "won't", 'wouldn', "wouldn't"]
import string
string.punctuation
'!"#$%&\'()*+,-./:;<=>?@[\\]^_`{|}~'
def transform_text(text):
text = text.lower()
text = nltk.word_tokenize(text)
y = []
for i in text:
if i.isalnum():
y.append(i)
text = y[:]
y.clear()
for i in text:
if i not in stopwords.words('english') and i not in string.punctuation:
y.append(i)
return y
transform_text('Hi how Are You Sham?')
['hi', 'sham']
transform_text('Did you like to Travel?')
['like', 'travel']
from nltk.stem.porter import PorterStemmer
ps = PorterStemmer()
ps.stem('dancing')
'danc'
ps.stem('loving')
'love'
ps.stem('travelling')
'travel'
def transform_text(text):
text = text.lower()
text = nltk.word_tokenize(text)
y = []
for i in text:
if i.isalnum():
y.append(i)
text = y[:]
y.clear()
for i in text:
if i not in stopwords.words('english') and i not in string.punctuation:
y.append(i)
text = y[:]
y.clear()
for i in text:
y.append(ps.stem(i))
return " ".join(y)
transform_text('Did you like to Travel?')
'like travel'
transform_text('I loved to use some scenes of videos in faceboook')
'love use scene video faceboook'
transform_text('Do you love Travelling?')
'love travel'
transform_text('Go until jurong point, crazy.. Available only in bugis n great world la e buffet... Cine there got amore wat...')
'go jurong point crazi avail bugi n great world la e buffet cine got amor wat'
data['text'][10]
"I'm gonna be home soon and i don't want to talk about this stuff anymore tonight, k? I've cried enough today."
transform_text("I'm gonna be home soon and i don't want to talk about this stuff anymore tonight, k? I've cried enough today."
)
'gon na home soon want talk stuff anymor tonight k cri enough today'
Make a new column¶
data['transformed_text'] = data['text'].apply(transform_text)
data['transformed_text']
C:\Users\Mehak\AppData\Local\Temp\ipykernel_16948\3521414896.py:1: SettingWithCopyWarning: A value is trying to be set on a copy of a slice from a DataFrame. Try using .loc[row_indexer,col_indexer] = value instead See the caveats in the documentation: https://pandas.pydata.org/pandas-docs/stable/user_guide/indexing.html#returning-a-view-versus-a-copy data['transformed_text'] = data['text'].apply(transform_text)
0 go jurong point crazi avail bugi n great world... 1 ok lar joke wif u oni 2 free entri 2 wkli comp win fa cup final tkt 21... 3 u dun say earli hor u c alreadi say 4 nah think goe usf live around though ... 5567 2nd time tri 2 contact u pound prize 2 claim e... 5568 ü b go esplanad fr home 5569 piti mood suggest 5570 guy bitch act like interest buy someth els nex... 5571 rofl true name Name: transformed_text, Length: 5157, dtype: object
data.head()
target | text | num_characters | num_words | num_sentences | transformed_text | |
---|---|---|---|---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … | 111 | 24 | 2 | go jurong point crazi avail bugi n great world… |
1 | 0 | Ok lar… Joking wif u oni… | 29 | 8 | 2 | ok lar joke wif u oni |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… | 155 | 37 | 2 | free entri 2 wkli comp win fa cup final tkt 21… |
3 | 0 | U dun say so early hor… U c already then say… | 49 | 13 | 1 | u dun say earli hor u c alreadi say |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… | 61 | 15 | 1 | nah think goe usf live around though |
how to make word cloud of spam messages¶
from wordcloud import WordCloud
wc = WordCloud(width = 500, height = 500, min_font_size = 10, background_color='white')
spam_wc = wc.generate(data[data['target'] == 1]['transformed_text'].str.cat(sep = ' '))
plt.figure(figsize=(15,6))
plt.imshow(spam_wc)
<matplotlib.image.AxesImage at 0x19202ddae10>
ham_wc = wc.generate(data[data['target'] == 0]['transformed_text'].str.cat(sep = ' '))
plt.figure(figsize=(15,6))
plt.imshow(ham_wc)
<matplotlib.image.AxesImage at 0x192065b7560>
top 30 words which are mostly used in both ham and spam¶
data.head()
target | text | num_characters | num_words | num_sentences | transformed_text | |
---|---|---|---|---|---|---|
0 | 0 | Go until jurong point, crazy.. Available only … | 111 | 24 | 2 | go jurong point crazi avail bugi n great world… |
1 | 0 | Ok lar… Joking wif u oni… | 29 | 8 | 2 | ok lar joke wif u oni |
2 | 1 | Free entry in 2 a wkly comp to win FA Cup fina… | 155 | 37 | 2 | free entri 2 wkli comp win fa cup final tkt 21… |
3 | 0 | U dun say so early hor… U c already then say… | 49 | 13 | 1 | u dun say earli hor u c alreadi say |
4 | 0 | Nah I don’t think he goes to usf, he lives aro… | 61 | 15 | 1 | nah think goe usf live around though |
data[data['target'] == 1]['transformed_text'].tolist()
['free entri 2 wkli comp win fa cup final tkt 21st may text fa 87121 receiv entri question std txt rate c appli 08452810075over18', 'freemsg hey darl 3 week word back like fun still tb ok xxx std chg send rcv', 'winner valu network custom select receivea prize reward claim call claim code kl341 valid 12 hour', 'mobil 11 month u r entitl updat latest colour mobil camera free call mobil updat co free 08002986030', 'six chanc win cash 100 pound txt csh11 send cost 6day tsandc appli repli hl 4 info', 'urgent 1 week free membership prize jackpot txt word claim 81010 c lccltd pobox 4403ldnw1a7rw18', 'xxxmobilemovieclub use credit click wap link next txt messag click http', 'england v macedonia dont miss news txt ur nation team 87077 eg england 87077 tri wale scotland poboxox36504w45wq', 'thank subscript rington uk mobil charg pleas confirm repli ye repli charg', '07732584351 rodger burn msg tri call repli sm free nokia mobil free camcord pleas call 08000930705 deliveri tomorrow', 'sm ac sptv new jersey devil detroit red wing play ice hockey correct incorrect end repli end sptv', 'congrat 1 year special cinema pass 2 call 09061209465 c suprman v matrix3 starwars3 etc 4 free 150pm dont miss', 'valu custom pleas advis follow recent review mob award bonu prize call 09066364589', 'urgent ur award complimentari trip eurodisinc trav aco entry41 claim txt di 87121 morefrmmob shracomorsglsuplt 10 ls1 3aj', 'hear new divorc barbi come ken stuff', 'pleas call custom servic repres 0800 169 6031 guarante cash prize', 'free rington wait collect simpli text password mix 85069 verifi get usher britney fml po box 5249 mk17 92h 450ppw 16', 'gent tri contact last weekend draw show prize guarante call claim code k52 valid 12hr 150ppm', 'winner u special select 2 receiv 4 holiday flight inc speak live oper 2 claim', 'privat 2004 account statement 07742676969 show 786 unredeem bonu point claim call 08719180248 identifi code 45239 expir', 'urgent mobil award bonu caller prize final tri contact u call landlin 09064019788 box42wr29c 150ppm', 'today voda number end 7548 select receiv 350 award match pleas call 08712300220 quot claim code 4041 standard rate app', 'sunshin quiz wkli q win top soni dvd player u know countri algarv txt ansr 82277 sp tyron', 'want 2 get laid tonight want real dog locat sent direct 2 ur mob join uk largest dog network bt txting gravel 69888 nt ec2a 150p', 'rcv msg chat svc free hardcor servic text go 69988 u get noth u must age verifi yr network tri', 'freemsg repli text randi sexi femal live local luv hear netcollex ltd 08700621170150p per msg repli stop end', 'custom servic annonc new year deliveri wait pleas call 07046744435 arrang deliveri', 'winner u special select 2 receiv cash 4 holiday flight inc speak live oper 2 claim 0871277810810', 'stop bootydeli invit friend repli see stop send stop frnd 62468', 'bangbab ur order way u receiv servic msg 2 download ur content u goto wap bangb tv ur mobil menu', 'urgent tri contact last weekend draw show prize guarante call claim code s89 valid 12hr', 'pleas call custom servic repres freephon 0808 145 4742 guarante cash prize', 'uniqu enough find 30th august', '500 new mobil 2004 must go txt nokia 89545 collect today 2optout', 'u meet ur dream partner soon ur career 2 flyng start 2 find free txt horo follow ur star sign horo ari', 'text meet someon sexi today u find date even flirt join 4 10p repli name age eg sam 25 18 recd thirtyeight penc', 'u 447801259231 secret admir look 2 make contact r reveal think ur 09058094597', 'congratul ur award 500 cd voucher 125gift guarante free entri 2 100 wkli draw txt music 87066 tnc', 'tri contact repli offer video handset 750 anytim network min unlimit text camcord repli call 08000930705', 'hey realli horni want chat see nake text hot 69698 text charg 150pm unsubscrib text stop 69698', 'ur rington servic chang 25 free credit go choos content stop txt club stop 87070 club4 po box1146 mk45 2wt', 'rington club get uk singl chart mobil week choos top qualiti rington messag free charg', 'hmv bonu special 500 pound genuin hmv voucher answer 4 easi question play send hmv 86688 info', 'custom may claim free camera phone upgrad pay go sim card loyalti call 0845 021 end c appli', 'sm ac blind date 4u rodds1 aberdeen unit kingdom check http sm blind date send hide', 'themob check newest select content game tone gossip babe sport keep mobil fit funki text wap 82468', 'think ur smart win week weekli quiz text play 85222 cs winnersclub po box 84 m26 3uz', 'decemb mobil entitl updat latest colour camera mobil free call mobil updat co free 08002986906', 'call germani 1 penc per minut call fix line via access number 0844 861 85 prepay direct access', 'valentin day special win quiz take partner trip lifetim send go 83600 rcvd', 'fanci shag txt xxuk suzi txt cost per msg tnc websit x', 'ur current 500 pound maxim ur send cash 86688 cc 08708800282', 'xma offer latest motorola sonyericsson nokia free bluetooth doubl min 1000 txt orang call mobileupd8 08000839402', 'discount code rp176781 stop messag repli stop custom servic 08717205546', 'thank rington order refer t91 charg gbp 4 per week unsubscrib anytim call custom servic 09057039994', 'doubl min txt 4 6month free bluetooth orang avail soni nokia motorola phone call mobileupd8 08000839402', '4mth half price orang line rental latest camera phone 4 free phone 11mth call mobilesdirect free 08000938767 updat or2stoptxt', 'free rington text first 87131 poli text get 87131 true tone help 0845 2814032 16 1st free tone txt stop', '100 date servic cal l 09064012103 box334sk38ch', 'free entri weekli competit text word win 80086 18 c', 'send logo 2 ur lover 2 name join heart txt love name1 name2 mobno eg love adam eve 07123456789 87077 yahoo pobox36504w45wq txtno 4 ad 150p', 'someon contact date servic enter phone fanci find call landlin 09111032124 pobox12n146tf150p', 'urgent mobil number award prize guarante call 09058094455 land line claim valid 12hr', 'congrat nokia 3650 video camera phone call 09066382422 call cost 150ppm ave call 3min vari mobil close 300603 post bcm4284 ldn wc1n3xx', 'loan purpos homeown tenant welcom previous refus still help call free 0800 1956669 text back', 'upgrdcentr orang custom may claim free camera phone upgrad loyalti call 0207 153 offer end 26th juli c appli avail', 'okmail dear dave final notic collect 4 tenerif holiday 5000 cash award call 09061743806 landlin tc sae box326 cw25wx 150ppm', 'want 2 get laid tonight want real dog locat sent direct 2 ur mob join uk largest dog network txting moan 69888nyt ec2a 150p', 'free messag activ 500 free text messag repli messag word free term condit visit', 'error', 'guarante latest nokia phone 40gb ipod mp3 player prize txt word collect 83355 ibhltd ldnw15h', 'boltblu tone 150p repli poli mono eg poly3 cha cha slide yeah slow jamz toxic come stop 4 tone txt', 'credit top http renew pin tgxxrz', 'urgent mobil award bonu caller prize 2nd attempt contact call box95qu', 'today offer claim ur worth discount voucher text ye 85023 savamob member offer mobil cs 08717898035 sub 16 unsub repli x', 'reciev tone within next 24hr term condit pleas see channel u teletext pg 750', 'privat 2003 account statement 07815296484 show 800 point call 08718738001 identifi code 41782 expir', 'monthlysubscript csc web age16 2stop txt stop', 'cash prize claim call09050000327', 'mobil number claim call us back ring claim hot line 09050005321', 'tri contact repli offer 750 min 150 textand new video phone call 08002988890 repli free deliveri tomorrow', 'ur chanc win wkli shop spree txt shop c custcar 08715705022', 'special select receiv 2000 pound award call 08712402050 line close cost 10ppm cs appli ag promo', 'privat 2003 account statement 07753741225 show 800 point call 08715203677 identifi code 42478 expir', 'import custom servic announc call freephon 0800 542 0825', 'xclusiv clubsaisai 2morow soire special zouk nichol rose 2 ladi info', '22 day kick euro2004 u kept date latest news result daili remov send get txt stop 83222', 'new textbuddi chat 2 horni guy ur area 4 25p free 2 receiv search postcod txt one name 89693', 'today vodafon number end 4882 select receiv award number match call 09064019014 receiv award', 'dear voucher holder 2 claim week offer pc go http ts cs stop text txt stop 80062', 'privat 2003 account statement show 800 point call 08715203694 identifi code 40533 expir', 'cash prize claim call09050000327 c rstm sw7 3ss 150ppm', '88800 89034 premium phone servic call 08718711108', 'sm ac sun0819 post hello seem cool want say hi hi stop send stop 62468', 'get ur 1st rington free repli msg tone gr8 top 20 tone phone everi week per wk 2 opt send stop 08452810071 16', 'hi sue 20 year old work lapdanc love sex text live bedroom text sue textoper g2 1da 150ppmsg', 'forward 448712404000 pleas call 08712404000 immedi urgent messag wait', 'review keep fantast nokia game deck club nokia go 2 unsubscrib alert repli word', '4mth half price orang line rental latest camera phone 4 free phone call mobilesdirect free 08000938767 updat or2stoptxt cs', '08714712388 cost 10p', 'guarante cash prize claim yr prize call custom servic repres 08714712394', 'email alertfrom jeri stewarts 2kbsubject prescripiton drvgsto listen email call 123', 'hi custom loyalti offer new nokia6650 mobil txtauction txt word start 81151 get 4t ctxt tc', 'u subscrib best mobil content servic uk per 10 day send stop helplin 08706091795', 'realiz 40 year thousand old ladi run around tattoo', 'import custom servic announc premier', 'romant pari 2 night 2 flight book 4 next year call 08704439680t cs appli', 'urgent ur guarante award still unclaim call 09066368327 claimcod m39m51', 'ur award citi break could win summer shop spree everi wk txt store 88039 skilgm tscs087147403231winawk age16', 'import custom servic announc premier call freephon 0800 542 0578', 'ever thought live good life perfect partner txt back name age join mobil commun', '5 free top polyphon tone call 087018728737 nation rate get toppoli tune sent everi week text subpoli 81618 per pole unsub 08718727870', 'orang custom may claim free camera phone upgrad loyalti call 0207 153 offer end 14thmarch c appli availa', 'last chanc claim ur worth discount voucher today text shop 85023 savamob offer mobil cs savamob pobox84 m263uz sub 16', 'free 1st week no1 nokia tone 4 ur mobil everi week txt nokia 8077 get txting tell ur mate pobox 36504 w45wq', 'guarante award even cashto claim ur award call free 08000407165 2 stop getstop 88222 php rg21 4jx', 'congratul ur award either cd gift voucher free entri 2 weekli draw txt music 87066 tnc', 'u outbid simonwatson5120 shinco dvd plyr 2 bid visit sm 2 end bid notif repli end', 'smsservic yourinclus text credit pl goto 3qxj9 unsubscrib stop extra charg help 9ae', '25p 4 alfi moon children need song ur mob tell ur m8 txt tone chariti 8007 nokia poli chariti poli zed 08701417012 profit 2 chariti', 'u secret admir reveal think u r special call opt repli reveal stop per msg recd cust care 07821230901', 'dear voucher holder claim week offer pc pleas go http ts cs appli stop text txt stop 80062', 'want 750 anytim network min 150 text new video phone five pound per week call 08002888812 repli deliveri tomorrow', 'tri contact offer new video phone 750 anytim network min half price rental camcord call 08000930705 repli deliveri wed', 'last chanc 2 claim ur worth discount ye 85023 offer mobil cs 08717898035 sub 16 remov txt x stop', 'urgent call 09066350750 landlin complimentari 4 ibiza holiday cash await collect sae cs po box 434 sk3 8wp 150 ppm', 'talk sexi make new friend fall love world discreet text date servic text vip 83110 see could meet', 'congratul ur award either yr suppli cd virgin record mysteri gift guarante call 09061104283 ts cs approx 3min', 'privat 2003 account statement 07808 xxxxxx show 800 point call 08719899217 identifi code 41685 expir', 'hello need posh bird chap user trial prod champney put need address dob asap ta r', 'u want xma 100 free text messag new video phone half price line rental call free 0800 0721072 find', 'shop till u drop either 10k 5k cash travel voucher call ntt po box cr01327bt fixedlin cost 150ppm mobil vari', 'sunshin quiz wkli q win top soni dvd player u know countri liverpool play mid week txt ansr 82277 sp tyron', 'u secret admir look 2 make contact r reveal think ur 09058094565', 'u secret admir look 2 make contact r reveal think ur', 'remind download content alreadi paid goto http mymobi collect content', 'lastest stereophon marley dizze racal libertin stroke win nookii game flirt click themob wap bookmark text wap 82468', 'januari male sale hot gay chat cheaper call nation rate cheap peak stop text call 08712460324', 'money r lucki winner 2 claim prize text money 2 88600 give away text rate box403 w1t1ji', 'dear matthew pleas call 09063440451 landlin complimentari 4 lux tenerif holiday cash await collect ppm150 sae cs box334 sk38xh', 'urgent call 09061749602 landlin complimentari 4 tenerif holiday cash await collect sae cs box 528 hp20 1yf 150ppm', 'get touch folk wait compani txt back name age opt enjoy commun', 'ur current 500 pound maxim ur send go 86688 cc 08718720201 po box', 'filthi stori girl wait', 'urgent tri contact today draw show prize guarante call 09050001808 land line claim m95 valid12hr', 'congrat 2 mobil 3g videophon r call 09063458130 videochat wid mate play java game dload polyph music nolin rentl', 'panason bluetoothhdset free nokia free motorola free doublemin doubletxt orang contract call mobileupd8 08000839402 call 2optout', 'free 1st week no1 nokia tone 4 ur mob everi week txt nokia 8007 get txting tell ur mate pobox 36504 w45wq', 'guess somebodi know secretli fanci wan na find give us call 09065394514 landlin datebox1282essexcm61xn 18', 'know someon know fanci call 09058097218 find pobox 6 ls15hb 150p', '1000 flirt txt girl bloke ur name age eg girl zoe 18 8007 join get chat', '18 day euro2004 kickoff u kept inform latest news result daili unsubscrib send get euro stop 83222', 'eastend tv quiz flower dot compar violet tulip lili txt e f 84025 4 chanc 2 win cash', 'new local date area lot new peopl regist area repli date start 18 replys150', 'someon u know ask date servic 2 contact cant guess call 09058091854 reveal po box385 m6 6wu', 'urgent tri contact today draw show prize guarante call 09050003091 land line claim c52 valid12hr', 'dear u invit xchat final attempt contact u txt chat 86688', 'award sipix digit camera call 09061221061 landlin deliveri within 28day cs box177 m221bp 2yr warranti 150ppm 16 p', 'win urgent mobil number award prize guarante call 09061790121 land line claim 3030 valid 12hr 150ppm', 'dear subscrib ur draw 4 gift voucher b enter receipt correct an elvi presley birthday txt answer 80062', 'messag import inform o2 user today lucki day 2 find log onto http fantast surpris await', '449050000301 price claim call 09050000301', 'bore speed date tri speedchat txt speedchat 80155 like em txt swap get new chatter chat80155 pobox36504w45wq rcd 16', 'want 750 anytim network min 150 text new video phone five pound per week call 08000776320 repli deliveri tomorrow', 'take part mobil survey yesterday 500 text 2 use howev wish 2 get txt send txt 80160 c', 'ur hmv quiz current maxim ur send hmv1 86688', 'dont forget place mani free request wish inform call 08707808226', 'know u u know send chat 86688 let find rcvd ldn 18 year', 'thank winner notifi sm good luck futur market repli stop 84122 custom servic 08450542832', '1000 girl mani local 2 u r virgin 2 r readi 2 4fil ur everi sexual need u 4fil text cute 69911', 'got take 2 take part wrc ralli oz u lucozad energi text ralli le 61200 25p see pack itcould u', 'sex ur mobil free sexi pic jordan text babe everi wk get sexi celeb 4 pic 16 087016248', '1 new voicemail pleas call 08719181503', 'win year suppli cd 4 store ur choic worth enter weekli draw txt music 87066 ts cs', 'sim subscrib select receiv bonu get deliv door txt word ok 88600 claim exp 30apr', '1 new voicemail pleas call 08719181513', '1 nokia tone 4 ur mob everi week txt nok 87021 1st tone free get txtin tell ur friend 16 repli hl 4info', 'repli name address receiv post week complet free accommod variou global locat', 'free entri weekli comp send word enter 84128 18 c cust care 08712405020', 'pleas call 08712402779 immedi urgent messag wait', 'hungri gay guy feel hungri 4 call 08718730555 stop text call 08712460324', 'u get 2 phone wan na chat 2 set meet call 09096102316 u cum 2moro luv jane xx', 'network oper servic free c visit', 'enjoy jamster videosound gold club credit 2 new get fun help call 09701213186', 'get 3 lion england tone repli lionm 4 mono lionp 4 poli 4 go 2 origin n best tone 3gbp network oper rate appli', 'win newest harri potter order phoenix book 5 repli harri answer 5 question chanc first among reader', 'ur balanc ur next question sang girl 80 2 answer txt ur answer good luck', 'free2day sexi st georg day pic jordan txt pic 89080 dont miss everi wk sauci celeb 4 pic c 0870241182716', 'hot live fantasi call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 k', 'bear pic nick tom pete dick fact type tri gay chat photo upload call 08718730666 2 stop text call 08712460324', '500 new mobil 2004 must go txt nokia 89545 collect today 2optout txtauction', 'doubl min doubl txt price linerent latest orang bluetooth mobil call mobileupd8 latest offer 08000839402', 'urgent import inform o2 user today lucki day 2 find log onto http fantast surpris await', 'dear u invit xchat final attempt contact u txt chat 86688 ldn 18 yr', 'congratul ur award either cd gift voucher free entri 2 weekli draw txt music 87066 tnc 1 win150ppmx3age16', 'sale arsen dartboard good condit doubl trebl', 'free 1st week entri 2 textpod 4 chanc 2 win 40gb ipod cash everi wk txt pod 84128 ts cs custcar 08712405020', 'regist optin subscrib ur draw 4 gift voucher enter receipt correct an 80062 what no1 bbc chart', 'summer final fanci chat flirt sexi singl yr area get match repli summer free 2 join optout txt stop help08714742804', 'clair havin borin time alon u wan na cum 2nite chat 09099725823 hope 2 c u luv clair xx', 'bought one rington get text cost 3 pound offer tone etc', '09066362231 urgent mobil 07xxxxxxxxx bonu caller prize 2nd attempt reach call 09066362231 asap', '07801543489 guarante latest nokia phone 40gb ipod mp3 player prize txt word collect', 'hi luci hubbi meetin day fri b alon hotel u fanci cumin pl leav msg 2day 09099726395 luci x', 'account credit 500 free text messag activ txt word credit 80488 cs', 'sm ac jsco energi high u may know 2channel 2day ur leadership skill r strong psychic repli an end repli end jsco', 'hot live fantasi call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call', 'thank vote sing along star karaok mobil free link repli sing', 'brand new mobil music servic live free music player arriv shortli instal phone brows content top artist', 'urgent mobil award bonu caller prize 2nd attempt contact call box95qu bt nation rate', 'nokia 7250i get win free auction take part send nokia 86021', 'hello orang 1 month free access game news sport plu 10 free text 20 photo messag repli ye term appli', 'ur current 500 pound maxim ur send go 86688 cc 08718720201', 'sm auction brand new nokia 7250 4 auction today auction free 2 join take part txt nokia 86021', 'privat 2003 account statement show 800 point call 08719899230 identifi code 41685 expir', 'regist subscrib yr draw 4 gift voucher b enter receipt correct an next olymp txt an 80062', 'urgent mobil number award prize guarante call 09061790121 land line claim valid 12hr 150ppm', 'pro video club need help info call 08701237397 must club credit redeem enjoy', 'u secret admir look 2 make contact r reveal think ur 09058094599', '500 free text msg text ok 80488 credit account', 'select stay 1 250 top british hotel noth holiday worth claim call london bx 526 sw73ss', 'eeri nokia tone 4u rpli tone titl 8007 eg tone dracula 8007 titl ghost addamsfa munster exorcist twilight pobox36504w45wq 150p', '0a network allow compani bill sm respons supplier shop give guarante sell g', 'freemsg feelin kinda lnli hope u like 2 keep compani jst got cam mobi wan na c pic txt repli date 82242 msg150p 2rcv hlp 08712317606 stop 82242', 'ur chanc win cash everi wk txt action c custcar 08712405022', 'rgent 2nd attempt contact u u call 09071512433 b4 050703 csbcm4235wc1n3xx callcost 150ppm mobilesvari 50', 'hi ur lookin 4 sauci daytim fun wiv busti marri woman free next week chat 2 sort time 09099726429 janinexx', 'urgent tri contact today draw show prize guarante call 09050001295 land line claim a21 valid 12hr', 'monthli password wap use wap phone pc', 'today vodafon number end 0089 last four digit select receiv award number match pleas call 09063442151 claim award', 'free top rington weekli 1st week subpoli 3 per', 'free msg sorri servic order 81303 could deliv suffici credit pleas top receiv servic', 'hard live 121 chat choos girl connect live call 09094646899 cheap chat uk biggest live servic vu bcm1896wc1n3xx', 'wow boy r back take 2007 uk tour win vip ticket vip club txt club trackmarqu ltd info vipclub4u', 'hi mandi sullivan call hotmix fm chosen receiv easter prize draw pleas telephon 09041940223 claim prize transfer someon els', 'ur go 2 bahama callfreefon 08081560665 speak live oper claim either bahama cruis cash opt txt x 07786200117', 'someon conact date servic enter phone fanci find call landlin pobox12n146tf15', 'hi 07734396839 ibh custom loyalti offer new nokia6600 mobil txtauction txt word start get 4t', 'sm auction nokia 7250i get win free auction take part send nokia 86021', 'call freephon 0800 542 0578', 'buy space invad 4 chanc 2 win orig arcad game consol press 0 game arcad std wap charg see 4 term set purchas', 'big brother alert comput select u 10k cash 150 voucher call ntt po box cro1327 bt landlin cost 150ppm mobil vari', 'win winner foley ipod excit prize soon keep eye ur mobil visit', 'today voda number end 1225 select receiv match pleas call 08712300220 quot claim code 3100 standard rate app', 'hottest pic straight phone see get wet want xx text pic 89555 txt cost 150p textoper g696ga 18 xxx', 'hack chat get backdoor entri 121 chat room fraction cost repli neo69 call 09050280520 subscrib 25p pm dp bcm box 8027 ldn wc1n3xx', 'free nokia motorola upto 12mth linerent 500 free min free call mobileupd8 08001950382 call', '2nd time tri 2 contact u 750 pound prize 2 claim easi call 08718726970 10p per min', 'guarante cash claim yr prize call custom servic repres', 'would like see xxx pic hot nearli ban uk', 'u secret admir look 2 make contact r reveal think ur 09058094594', 'dear 0776xxxxxxx u invit xchat final attempt contact u txt chat 86688 ldn 18yr', 'urgent pleas call 09061743811 landlin abta complimentari 4 tenerif holiday cash await collect sae cs box 326 cw25wx 150ppm', 'call 09090900040 listen extrem dirti live chat go offic right total privaci one know sic listen 60p min', 'freemsg hey u got 1 fone repli wild txt ill send u pic hurri im bore work xxx 18 stop2stop', 'free entri 2 weekli comp chanc win ipod txt pod 80182 get entri std txt rate c appli 08452810073 detail', 'new textbuddi chat 2 horni guy ur area 4 25p free 2 receiv search postcod txt one name 89693 08715500022 rpl stop 2 cnl', 'call 08702490080 tell u 2 call 09066358152 claim prize u 2 enter ur mobil person detail prompt care', 'free 1st week entri 2 textpod 4 chanc 2 win 40gb ipod cash everi wk txt vpod 81303 ts cs custcar 08712405020', 'peopl dog area call 09090204448 join like mind guy arrang 1 1 even minapn ls278bb', 'well done 4 costa del sol holiday await collect call 09050090044 toclaim sae tc pobox334 stockport sk38xh max10min', 'guess somebodi know secretli fanci wan na find give us call 09065394973 landlin datebox1282essexcm61xn 18', '500 free text messag valid 31 decemb 2005', 'guarante award even cashto claim ur award call free 08000407165 2 stop getstop 88222 php', 'repli win weekli 2006 fifa world cup held send stop 87239 end servic', 'urgent pleas call 09061743810 landlin abta complimentari 4 tenerif holiday 5000 cash await collect sae cs box 326 cw25wx 150 ppm', 'free tone hope enjoy new content text stop 61610 unsubscrib provid', 'themob yo yo come new select hot download member get free click open next link sent ur fone', 'great news call freefon 08006344447 claim guarante cash gift speak live oper', 'u win music gift voucher everi week start txt word draw 87066 tsc', 'call 09094100151 use ur min call cast mob vari servic provid aom aom box61 m60 1er u stop age', 'urgent mobil bonu caller prize 2nd attempt reach call 09066362220 asap box97n7qp 150ppm', 'sexi singl wait text age follow gender wither f gay men text age follow', 'freemsg claim ur 250 sm ok 84025 use web2mobil 2 ur mate etc join c box139 la32wu 16 remov txtx stop', '85233 free rington repli real', 'well done england get offici poli rington colour flag yer mobil text tone flag 84199 txt eng stop box39822 w111wx', 'final chanc claim ur worth discount voucher today text ye 85023 savamob member offer mobil cs savamob pobox84 m263uz sub 16', 'sm servic inclus text credit pl goto unsubscrib stop extra charg po box420 ip4 5we', 'winner special select receiv cash award speak live oper claim call cost 10p', 'sunshin hol claim ur med holiday send stamp self address envelop drink us uk po box 113 bray wicklow eir quiz start saturday unsub stop', 'u win music gift voucher everi week start txt word draw 87066 tsc skillgam 1winaweek age16 150ppermesssubscript', 'b4u voucher marsm log onto discount credit opt repli stop custom care call 08717168528', 'freemsg hey buffi 25 love satisfi men home alon feel randi repli 2 c pix qlynnbv help08700621170150p msg send stop stop txt', 'free 1st week no1 nokia tone 4 ur mob everi week txt nokia 87077 get txting tell ur mate zed pobox 36504 w45wq', 'free camera phone linerent 750 cross ntwk min price txt bundl deal also avbl call 08001950382 mf', 'urgent mobil 07xxxxxxxxx bonu caller prize 2nd attempt reach call 09066362231 asap box97n7qp 150ppm', 'urgent 4 costa del sol holiday await collect call 09050090044 toclaim sae tc pobox334 stockport sk38xh max10min', 'guarante cash prize claim yr prize call custom servic repres 08714712379 cost 10p', 'thank rington order ref number k718 mobil charg tone arriv pleas call custom servic 09065069120', 'hi ya babe x u 4goten bout scammer get smart though regular vodafon respond get prem rate no use also bewar', 'back 2 work 2morro half term u c 2nite 4 sexi passion b4 2 go back chat 09099726481 luv dena call', 'thank rington order ref number r836 mobil charg tone arriv pleas call custom servic 09065069154', 'splashmobil choos 1000 gr8 tone wk subscrit servic weekli tone cost 300p u one credit kick back enjoy', 'heard u4 call 4 rude chat privat line 01223585334 cum wan 2c pic gettin shag text pix 8552 2end send stop 8552 sam xxx', 'forward 88877 free entri weekli comp send word enter 88877 18 c', '88066 88066 lost 3pound help', 'mobil 11mth updat free orang latest colour camera mobil unlimit weekend call call mobil upd8 freefon 08000839402 2stoptx', '1 new messag pleas call 08718738034', 'forward 21870000 hi mailbox messag sm alert 4 messag 21 match pleas call back 09056242159 retriev messag match', 'mobi pub high street prize u know new duchess cornwal txt first name stop 008704050406 sp arrow', 'congratul thank good friend u xma prize 2 claim easi call 08718726971 10p per minut', 'tddnewslett game thedailydraw dear helen dozen free game great prizeswith', 'urgent mobil number bonu caller prize 2nd attempt reach call 09066368753 asap box 97n7qp 150ppm', 'doubl min txt orang price linerent motorola sonyericsson free call mobileupd8 08000839402', 'download mani rington u like restrict 1000 2 choos u even send 2 yr buddi txt sir 80082', 'pleas call 08712402902 immedi urgent messag wait', 'spook mob halloween collect logo pic messag plu free eeri tone txt card spook 8007 zed 08701417012150p per', 'fantasi footbal back tv go sky gamestar sky activ play dream team score start saturday regist sky opt 88088', 'tone club sub expir 2 repli monoc 4 mono polyc 4 poli 1 weekli 150p per week txt stop 2 stop msg free stream 0871212025016', 'xma prize draw tri contact today draw show prize guarante call 09058094565 land line valid 12hr', 'ye place town meet excit adult singl uk txt chat 86688', 'someon contact date servic enter phone becausethey fanci find call landlin pobox1 w14rg 150p', 'babe u want dont u babi im nasti thing 4 filthyguy fanci rude time sexi bitch go slo n hard txt xxx slo 4msg', 'sm servic inclus text credit pl gotto login 3qxj9 unsubscrib stop extra charg help 08702840625 9ae', 'valentin day special win quiz take partner trip lifetim send go 83600 rcvd', 'guess first time creat web page read wrote wait opinion want friend', 'ur chanc win cash everi wk txt play c custcar 08715705022', 'sppok ur mob halloween collect nokia logo pic messag plu free eeri tone txt card spook 8007', 'urgent call 09066612661 landlin complementari 4 tenerif holiday cash await collect sae cs po box 3 wa14 2px 150ppm sender hol offer', 'winner valu network custom hvae select receiv reward collect call valid 24 hour acl03530150pm', 'u nokia 6230 plu free digit camera u get u win free auction take part send nokia 83383 16', 'free entri weekli comp send word win 80086 18 c', 'text82228 get rington logo game question info', 'freemsg award free mini digit camera repli snap collect prize quizclub opt stop sp rwm', 'messag brought gmw connect', 'congrat 2 mobil 3g videophon r call 09063458130 videochat wid ur mate play java game dload polyph music nolin rentl bx420 ip4 5we 150p', 'next amaz xxx picsfree1 video sent enjoy one vid enough 2day text back keyword picsfree1 get next video', 'u subscrib best mobil content servic uk per ten day send stop helplin 08706091795', '3 free tarot text find love life tri 3 free text chanc 85555 16 3 free msg', 'join uk horniest dog servic u sex 2nite sign follow instruct txt entri 69888 150p', 'knock knock txt whose 80082 enter r weekli draw 4 gift voucher 4 store yr choic cs age16', 'forward 21870000 hi mailbox messag sm alert 40 match pleas call back 09056242159 retriev messag match', 'free ring tone text poli everi week get new tone 0870737910216yr', 'urgent mobil 077xxx bonu caller prize 2nd attempt reach call 09066362206 asap box97n7qp 150ppm', 'guarante latest nokia phone 40gb ipod mp3 player prize txt word collect 83355 ibhltd ldnw15h', 'hello darl today would love chat dont tell look like sexi', '8007 free 1st week no1 nokia tone 4 ur mob everi week txt nokia 8007 get txting tell ur mate pobox 36504 w4 5wq norm', 'wan na get laid 2nite want real dog locat sent direct ur mobil join uk largest dog network txt park 69696 nyt ec2a 3lp', 'tri contact respons offer new nokia fone camcord hit repli call 08000930705 deliveri', 'new tone week includ 1 ab 2 sara 3 order follow instruct next messag', 'urgent tri contact today draw show prize guarante call 09050003091 land line claim c52 valid 12hr', 'sport fan get latest sport news str 2 ur mobil 1 wk free plu free tone txt sport 8007 norm', 'urgent urgent 800 free flight europ give away call b4 10th sept take friend 4 free call claim ba128nnfwfly150ppm', '88066 lost help', 'freemsg fanci flirt repli date join uk fastest grow mobil date servic msg rcvd 25p optout txt stop repli date', 'great new offer doubl min doubl txt best orang tariff get latest camera phone 4 free call mobileupd8 free 08000839402 2stoptxt cs', 'hope enjoy new content text stop 61610 unsubscrib provid', 'urgent pleas call 09066612661 landlin cash luxuri 4 canari island holiday await collect cs sae award 20m12aq 150ppm', 'urgent pleas call 09066612661 landlin complimentari 4 lux costa del sol holiday cash await collect ppm 150 sae cs jame 28 eh74rr', 'marri local women look discreet action 5 real match instantli phone text match 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx', 'burger king wan na play footi top stadium get 2 burger king 1st sept go larg super walk winner', 'come take littl time child afraid dark becom teenag want stay night', 'ur chanc win cash everi wk txt action c custcar 08712405022', 'u bin award play 4 instant cash call 08715203028 claim everi 9th player win min optout 08718727870', 'freemsg fav xma tone repli real', 'gr8 poli tone 4 mob direct 2u rpli poli titl 8007 eg poli breathe1 titl crazyin sleepingwith finest ymca pobox365o4w45wq 300p', 'interflora late order interflora flower christma call 0800 505060 place order midnight tomorrow', 'romcapspam everyon around respond well presenc sinc warm outgo bring real breath sunshin', 'congratul thank good friend u xma prize 2 claim easi call 08712103738 10p per minut', 'send logo 2 ur lover 2 name join heart txt love name1 name2 mobno eg love adam eve 07123456789 87077 yahoo pobox36504w45wq txtno 4 ad 150p', 'tkt euro2004 cup final cash collect call 09058099801 b4190604 pobox 7876150ppm', 'jamster get crazi frog sound poli text mad1 real text mad2 88888 6 crazi sound 3 c appli', 'chanc realiti fantasi show call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call', 'adult 18 content video shortli', 'chanc realiti fantasi show call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call', 'hey boy want hot xxx pic sent direct 2 ur phone txt porn 69855 24hr free 50p per day stop text stopbcm sf wc1n3xx', 'doubl min 1000 txt orang tariff latest motorola sonyericsson nokia bluetooth free call mobileupd8 08000839402 yhl', 'ur current 500 pound maxim ur send cash 86688 cc 08718720201 po box', 'urgent mobil number award prize guarante call 09058094454 land line claim valid 12hr', 'sorri u unsubscrib yet mob offer packag min term 54 week pl resubmit request expiri repli themob help 4 info', '1 new messag pleas call 08712400200', 'current messag await collect collect messag call 08718723815', 'urgent mobil award bonu caller prize final attempt 2 contact u call 08714714011', 'ever notic drive anyon go slower idiot everyon drive faster maniac', 'xma offer latest motorola sonyericsson nokia free bluetooth dvd doubl min 1000 txt orang call mobileupd8 08000839402', 'repli win weekli profession sport tiger wood play send stop 87239 end servic', '1 polyphon tone 4 ur mob everi week txt pt2 87575 1st tone free get txtin tell ur friend 16 repli hl 4info', 'messag free welcom new improv sex dog club unsubscrib servic repli stop msg 150p', '12mth half price orang line rental 400min call mobileupd8 08000839402', 'free unlimit hardcor porn direct 2 mobil txt porn 69200 get free access 24 hr chrgd 50p per day txt stop 2exit msg free', 'unsubscrib servic get ton sexi babe hunk straight phone go http subscript', 'hi babe jordan r u im home abroad lone text back u wan na chat xxsp text stop stopcost 150p 08712400603', 'get brand new mobil phone agent mob plu load goodi info text mat 87021', 'lord ring return king store repli lotr 2 june 4 chanc 2 win lotr soundtrack cd stdtxtrate repli stop end txt', 'good luck draw take place 28th feb good luck remov send stop 87239 custom servic 08708034412', '1st wk free gr8 tone str8 2 u wk txt nokia 8007 classic nokia tone hit 8007 poli', 'lookatm thank purchas video clip lookatm charg 35p think better send video mmsto 32323', 'sexi sexi cum text im wet warm readi porn u fun msg free recd msg 150p inc vat 2 cancel text stop', '2nd time tri contact u prize claim call 09053750005 b4 sm 08718725756 140ppm', 'dear voucher holder claim week offer pc pleas go http ts cs appli', '2nd time tri 2 contact u 750 pound prize 2 claim easi call 08712101358 10p per min', 'ur award citi break could win summer shop spree everi wk txt store', 'urgent tri contact today draw show prize guarante call 09066358361 land line claim y87 valid 12hr', 'thank rington order refer number x29 mobil charg tone arriv pleas call custom servic 09065989180', 'ur current 500 pound maxim ur send collect 83600 cc 08718720201 po box', 'congratul thank good friend u xma prize 2 claim easi call 08718726978 10p per minut', '44 7732584351 want new nokia 3510i colour phone deliveredtomorrow 300 free minut mobil 100 free text free camcord repli call 08000930705', 'someon u know ask date servic 2 contact cant guess call 09058097189 reveal pobox 6 ls15hb 150p', 'camera award sipix digit camera call 09061221066 fromm landlin deliveri within 28 day', 'today voda number end 5226 select receiv 350 award hava match pleas call 08712300220 quot claim code 1131 standard rate app', 'messag free welcom new improv sex dog club unsubscrib servic repli stop msg 150p 18', 'rct thnq adrian u text rgd vatian', 'contact date servic someon know find call land line pobox45w2tg150p', 'sorri miss call let talk time 07090201529', 'complimentari 4 star ibiza holiday cash need urgent collect 09066364349 landlin lose', 'free msg bill mobil number mistak shortcod call 08081263000 charg call free bt landlin', 'pleas call 08712402972 immedi urgent messag wait', 'urgent mobil number award bonu caller prize call 09058095201 land line valid 12hr', 'want new nokia 3510i colour phone deliveredtomorrow 300 free minut mobil 100 free text free camcord repli call 08000930705', 'life never much fun great came made truli special wo forget enjoy one', 'want new video phone 600 anytim network min 400 inclus video call download 5 per week free deltomorrow call 08002888812 repli', 'valu custom pleas advis follow recent review mob award bonu prize call 09066368470', 'welcom pleas repli age gender begin 24m', 'freemsg unlimit free call activ smartcal txt call unlimit call help 08448714184 stop txt stop landlineonli', 'mobil 10 mth updat latest orang phone free save free call text ye callback orno opt', 'new 2 club dont fink met yet b gr8 2 c u pleas leav msg 2day wiv ur area 09099726553 repli promis carli x lkpobox177hp51fl', 'camera award sipix digit camera call 09061221066 fromm landlin deliveri within 28 day', 'get free mobil video player free movi collect text go free extra film order c appli 18 yr', 'save money wed lingeri choos superb select nation deliveri brought weddingfriend', 'heard u4 call night knicker make beg like u last time 01223585236 xx luv', 'bloomberg center wait appli futur http', 'want new video phone750 anytim network min 150 text five pound per week call 08000776320 repli deliveri tomorrow', 'contact date servic someon know find call land line pobox45w2tg150p', 'wan2 win westlif 4 u m8 current tour 1 unbreak 2 untam 3 unkempt text 3 cost 50p text', 'dorothi bank granit issu explos pick member 300 nasdaq symbol cdgt per', 'winner guarante caller prize final attempt contact claim call 09071517866 150ppmpobox10183bhamb64x', 'xma new year eve ticket sale club day 10am till 8pm thur fri sat night week sell fast', 'rock yr chik get 100 filthi film xxx pic yr phone rpli filth saristar ltd e14 9yt 08701752560 450p per 5 day stop2 cancel', 'next month get upto 50 call 4 ur standard network charg 2 activ call 9061100010 c 1st4term pobox84 m26 3uz cost min mobcudb', 'urgent tri contact u today draw show prize guarante call 09050000460 land line claim j89 po box245c2150pm', 'text banneduk 89555 see cost 150p textoper g696ga xxx', 'auction round highest bid next maximum bid bid send bid 10 bid good luck', 'collect valentin weekend pari inc flight hotel prize guarante text pari', 'custom loyalti offer new nokia6650 mobil txtauction txt word start 81151 get 4t ctxt tc', 'wo believ true incred txt repli g learn truli amaz thing blow mind o2fwd', 'hot n horni will live local text repli hear strt back 150p per msg netcollex ltdhelpdesk 02085076972 repli stop end', 'want new nokia 3510i colour phone deliv tomorrow 200 free minut mobil 100 free text free camcord repli call 08000930705', 'congratul winner august prize draw call 09066660100 prize code 2309', '8007 25p 4 alfi moon children need song ur mob tell ur m8 txt tone chariti 8007 nokia poli chariti poli zed 08701417012 profit 2 chariti', 'get offici england poli rington colour flag yer mobil tonight game text tone flag optout txt eng stop box39822 w111wx', 'custom servic announc recent tri make deliveri unabl pleas call 07090298926', 'stop club tone repli stop mix see html term club tone cost mfl po box 1146 mk45 2wt', 'wamma get laid want real doggin locat sent direct mobil join uk largest dog network txt dog 69696 nyt ec2a 3lp', 'promot number 8714714 ur award citi break could win summer shop spree everi wk txt store 88039 skilgm tscs087147403231winawk age16', 'winner special select receiv cash award speak live oper claim call cost 10p', 'thank rington order refer number x49 mobil charg tone arriv pleas call custom servic text txtstar', 'hi 2night ur lucki night uve invit 2 xchat uk wildest chat txt chat 86688 ldn 18yr', '146tf150p', 'dear voucher holder 2 claim 1st class airport loung pass use holiday voucher call book quot 1st class x 2', 'someon u know ask date servic 2 contact cant guess call 09058095107 reveal pobox 7 s3xi 150p', 'mila age23 blond new uk look sex uk guy u like fun text mtalk 1st 5free increment help08718728876', 'claim 200 shop spree call 08717895698 mobstorequiz10ppm', 'want funk ur fone weekli new tone repli tones2u 2 text origin n best tone 3gbp network oper rate appli', 'twink bear scalli skin jock call miss weekend fun call 08712466669 2 stop text call 08712460324 nat rate', 'tri contact repli offer video handset 750 anytim network min unlimit text camcord repli call 08000930705', 'urgent tri contact last weekend draw show prize guarante call claim code k61 valid 12hour', '74355 xma iscom ur award either cd gift voucher free entri 2 r weekli draw txt music 87066 tnc', 'congratul u claim 2 vip row ticket 2 c blu concert novemb blu gift guarante call 09061104276 claim ts cs', 'free msg singl find partner area 1000 real peopl wait chat send chat 62220cncl send stopc per msg', 'win newest potter order phoenix book 5 repli harri answer 5 question chanc first among reader', 'free msg rington http wml 37819', 'oh god found number glad text back xafter msg cst std ntwk chg', 'link pictur sent also use http', 'doubl min 1000 txt orang tariff latest motorola sonyericsson nokia bluetooth free call mobileupd8 08000839402', 'urgent 2nd attempt contact prize yesterday still await collect claim call acl03530150pm', 'dear dave final notic collect 4 tenerif holiday 5000 cash award call 09061743806 landlin tc sae box326 cw25wx 150ppm', 'tell u 2 call 09066358152 claim prize u 2 enter ur mobil person detail prompt care', '2004 account 07xxxxxxxxx show 786 unredeem point claim call 08719181259 identifi code xxxxx expir', 'want new video handset 750 anytim network min half price line rental camcord repli call 08000930705 deliveri tomorrow', 'free rington repli real poli eg real1 pushbutton dontcha babygoodby golddigg webeburnin 1st tone free 6 u join', 'free msg get gnarl barkley crazi rington total free repli go messag right', 'refus loan secur unsecur ca get credit call free 0800 195 6669 text back', 'special select receiv 3000 award call 08712402050 line close cost 10ppm cs appli ag promo', 'valu vodafon custom comput pick win prize collect easi call 09061743386', 'free video camera phone half price line rental 12 mth 500 cross ntwk min 100 txt call mobileupd8 08001950382', 'ringtonek 84484', 'rington club gr8 new poli direct mobil everi week', 'bank granit issu explos pick member 300 nasdaq symbol cdgt per', 'bore housew chat n date rate landlin', 'tri call repli sm video mobil 750 min unlimit text free camcord repli call 08000930705 del thur', '2nd time tri contact u prize 2 claim easi call 087104711148 10p per minut', 'receiv week tripl echo rington shortli enjoy', 'u select stay 1 250 top british hotel noth holiday valu dial 08712300220 claim nation rate call bx526 sw73ss', 'chosen receiv award pl call claim number 09066364311 collect award select receiv valu mobil custom', 'win cash prize prize worth', 'thank rington order refer number mobil charg tone arriv pleas call custom servic 09065989182', 'mobi pub high street prize u know new duchess cornwal txt first name stop 008704050406 sp', 'week savamob member offer access call 08709501522 detail savamob pobox 139 la3 2wu savamob offer mobil', 'contact date servic someon know find call mobil landlin 09064017305 pobox75ldns7', 'chase us sinc sept definit pay thank inform ignor kath manchest', 'loan purpos even bad credit tenant welcom call 08717111821', '87077 kick new season 2wk free goal news ur mobil txt ur club name 87077 eg villa 87077', 'orang bring rington time chart hero free hit week go rington pic wap stop receiv tip repli stop', 'privat 2003 account statement 07973788240 show 800 point call 08715203649 identifi code 40533 expir', 'tri call repli sm video mobil 750 min unlimit text free camcord repli call 08000930705', 'gsoh good spam ladi u could b male gigolo 2 join uk fastest grow men club repli oncal mjzgroup repli stop msg', 'hot live fantasi call 08707500020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call', 'urgent mobil number award ukp 2000 prize guarante call 09061790125 landlin claim valid 12hr 150ppm', 'spjanuari male sale hot gay chat cheaper call nation rate cheap peak stop text call 08712460324', 'freemsg today day readi horni live town love sex fun game netcollex ltd 08700621170150p per msg repli stop end', 'simpson movi releas juli 2007 name band die start film day day day send b c', 'pleas call amanda regard renew upgrad current handset free charg offer end today tel 0845 021 3680 subject c', 'want new video phone 750 anytim network min half price line rental free text 3 month repli call 08000930705 free deliveri', 'dear voucher holder claim week offer pc pleas go http ts cs appli', 'urgent pleas call abta complimentari 4 spanish holiday cash await collect sae cs box 47 po19 2ez 150ppm', 'cmon babe make horni turn txt fantasi babe im hot sticki need repli cost 2 cancel send stop', 'import inform 4 orang user 0796xxxxxx today ur lucki day 2 find log onto http fantast prizeawait', 'miss call alert number call left messag 07008009200', 'freemsg record indic may entitl 3750 pound accid claim free repli ye msg opt text stop', 'show ur colour euro 2004 offer get england flag 3lion tone ur phone click follow servic messag info', 'text pass 69669 collect polyphon rington normal gpr charg appli enjoy tone', 'accordingli repeat text word ok mobil phone send', 'block breaker come delux format new featur great graphic buy repli get bbdelux take challeng', 'import inform 4 orang user today lucki day 2find log onto http fantast surpris await', 'natalja invit friend repli see stop send stop frnd 62468', 'urgent import inform 02 user today lucki day 2 find log onto http fantast surpris await', 'kit strip bill 150p netcollex po box 1013 ig11 oja', 'pleas call 08712402578 immedi urgent messag wait', 'let send free anonym mask messag im send messag see potenti abus', 'congrat 2 mobil 3g videophon r call 09061744553 videochat wid ur mate play java game dload polyh music nolin rentl bx420 ip4 5we 150pm', 'import inform 4 orang user 0789xxxxxxx today lucki day 2find log onto http fantast surpris await', 'date servic ask 2 contact u someon shi call 09058091870 reveal pobox84 m26 3uz 150p', 'want new video handset 750 time network min unlimit text camcord repli call 08000930705 del sat', 'ur balanc next question complet landmark big bob barri ben text b c good luck', 'ur tonex subscript renew charg choos 10 poli month bill msg', 'prize go anoth custom c polo ltd suit 373 london w1j 6hl pleas call back busi', 'want new nokia 3510i colour phone deliv tomorrow 200 free minut mobil 100 free text free camcord repli call 8000930705', 'recpt order rington order process', 'one regist subscrib u enter draw 4 100 gift voucher repli enter unsubscrib text stop', 'chanc win free bluetooth headset simpli repli back adp', 'b floppi b snappi happi gay chat servic photo upload call 08718730666 2 stop text call 08712460324', 'welcom msg free give free call futur mg bill 150p daili cancel send go stop 89123', 'receiv mobil content enjoy', 'want explicit sex 30 sec ring 02073162414 cost', 'latest nokia mobil ipod mp3 player proze guarante repli win 83355 norcorp', 'sm servic inclus text credit pl goto 3qxj9 unsubscrib stop extra charg help 9ae', 'mobil club choos top qualiti item mobil 7cfca1a', 'money wine number 946 wot next', 'want cock hubbi away need real man 2 satisfi txt wife 89938 string action txt stop 2 end txt rec otbox 731 la1 7w', 'gr8 new servic live sex video chat mob see sexiest dirtiest girl live ur phone 4 detail text horni 89070 cancel send stop 89070', 'freemsg hi babi wow got new cam mobi wan na c hot pic fanci chat im w8in 4utxt rpli chat 82242 hlp 08712317606 msg150p 2rcv', 'wan na laugh tri mobil logon txting word chat send 8883 cm po box 4217 london w1a 6zf rcvd', 'urgent 2nd attempt contact u u 09071512432 b4 300603t 50', 'congratul ur award 500 cd voucher 125gift guarante free entri 2 100 wkli draw txt music 87066', 'contract mobil 11 mnth latest motorola nokia etc free doubl min text orang tariff text ye callback remov record', 'u secret admir look 2 make contact r reveal think ur', 'freemsg txt call 86888 claim reward 3 hour talk time use phone inc 3hr 16 stop txtstop', 'sunshin quiz win super soni dvd record cannam capit australia text mquiz b', 'today voda number end 7634 select receiv reward match pleas call 08712300220 quot claim code 7684 standard rate appli', 'rip get mobil content call 08717509990 six download 3', 'tri contact repli offer video phone 750 anytim network min half price line rental camcord repli call 08000930705', 'xma reward wait comput randomli pick loyal mobil custom receiv reward call 09066380611', 'privat 2003 account statement show 800 point call 08718738002 identifi code 48922 expir', 'custom servic announc recent tri make deliveri unabl pleas call 07099833605', 'hi babe chloe r u smash saturday night great weekend u miss sp text stop stop', 'urgent mobil 07808726822 award bonu caller prize 2nd attempt contact call box95qu', 'free game get rayman golf 4 free o2 game arcad 1st get ur game set repli post save activ8 press 0 key arcad termsappli', 'mobil 10 mth updat latest phone free keep ur number get extra free text ye call', 'weekli tone readi download week new tone includ 1 crazi f 2 3 black p info n', 'get lot cash weekend dear welcom weekend got biggest best ever cash give away', 'thank 4 continu support question week enter u in2 draw 4 cash name new us presid txt an 80082', 'uniqu user id remov send stop 87239 custom servic 08708034412', 'urgent 09066649731from landlin complimentari 4 ibiza holiday cash await collect sae cs po box 434 sk3 8wp 150ppm', 'urgent 2nd attempt contact prize yesterday still await collect claim call 09061702893', 'santa call would littl one like call santa xma eve call 09077818151 book time last 3min 30 c', 'privat 2004 account statement 078498 7 show 786 unredeem bonu point claim call 08719180219 identifi code 45239 expir', 'check choos babe video fgkslpopw fgkslpo', 'u r winner u ave special select 2 receiv cash 4 holiday flight inc speak live oper 2 claim 18', 'new mobil 2004 must go txt nokia 89545 collect today 2optout txtauction', 'privat 2003 account statement show 800 point call 08715203652 identifi code 42810 expir', 'free messag thank use auction subscript servic 18 2 skip auction txt 2 unsubscrib txt stop customercar 08718726270', 'lyricalladi invit friend repli see stop send stop frnd 62468', 'want latest video handset 750 anytim network min half price line rental repli call 08000930705 deliveri tomorrow', 'ou guarante latest nokia phone 40gb ipod mp3 player prize txt word collect 83355 ibhltd ldnw15h', 'free polyphon rington text super 87131 get free poli tone week 16 sn pobox202 nr31 7z subscript 450pw', 'warner villag 83118 c colin farrel swat wkend warner villag get 1 free med popcorn show c c kiosk repli soni 4 mre film offer', 'goal arsen 4 henri 7 v liverpool 2 henri score simpl shot 6 yard pass bergkamp give arsen 2 goal margin 78 min', 'hi sexychat girl wait text text great night chat send stop stop servic', 'hi ami send free phone number coupl day give access adult parti', 'welcom select o2 servic ad benefit call special train advisor free mobil diall 402', 'dear voucher holder next meal us use follow link pc 2 enjoy 2 4 1 dine experiencehttp', 'urgent tri contact today draw show prize guarante call 09058094507 land line claim valid 12hr', 'donat unicef asian tsunami disast support fund text donat 864233 ad next bill', 'goldvik invit friend repli see stop send stop frnd 62468', 'phoni award today voda number end xxxx select receiv award match pleas call 08712300220 quot claim code 3100 standard rate app', 'cd 4u congratul ur award cd gift voucher gift guarante freeentri 2 wkli draw xt music 87066 tnc', 'guarante cash prize claim yr prize call custom servic repres 08714712412 cost 10p', 'ur current 500 pound maxim ur send go 86688 cc 08718720201', 'privat 2003 account statement show 800 point call 08715203685 identifi expir', 'like tell deepest darkest fantasi call 09094646631 stop text call 08712460324 nat rate', 'natali invit friend repli see stop send stop frnd 62468', 'jamster get free wallpap text heart 88888 c appli 16 need help call 08701213186', 'free video camera phone half price line rental 12 mth 500 cross ntwk min 100 txt call mobileupd8 08001950382', '83039 uk break accommodationvouch term condit appli 2 claim mustprovid claim number 15541', '5p 4 alfi moon children need song ur mob tell ur m8 txt tone chariti 8007 nokia poli chariti poli zed 08701417012 profit 2 chariti', 'win shop spree everi week start 2 play text store skilgm tscs08714740323 1winawk age16', '2nd attempt contract u week top prize either cash prize call 09066361921', 'want new nokia 3510i colour phone deliveredtomorrow 300 free minut mobil 100 free text free camcord repli call 08000930705', 'themob hit link get premium pink panther game new 1 sugabab crazi zebra anim badass hoodi 4 free', 'msg mobil content order resent previou attempt fail due network error queri customersqueri', '1 new messag pleas call 08715205273', 'decemb mobil entitl updat latest colour camera mobil free call mobil updat vco free 08002986906', 'get 3 lion england tone repli lionm 4 mono lionp 4 poli 4 go 2 origin n best tone 3gbp network oper rate appli', 'privat 2003 account statement 078', '4 costa del sol holiday await collect call 09050090044 toclaim sae tc pobox334 stockport sk38xh max10min', 'get garden readi summer free select summer bulb seed worth scotsman saturday stop go2', 'sm auction brand new nokia 7250 4 auction today auction free 2 join take part txt nokia 86021', 'ree entri 2 weekli comp chanc win ipod txt pod 80182 get entri std txt rate c appli 08452810073 detail', 'record indic u mayb entitl 5000 pound compens accid claim 4 free repli claim msg 2 stop txt stop', 'call germani 1 penc per minut call fix line via access number 0844 861 85 prepay direct access', 'mobil 11mth updat free orang latest colour camera mobil unlimit weekend call call mobil upd8 freefon 08000839402 2stoptxt', 'privat 2003 account statement fone show 800 point call 08715203656 identifi code 42049 expir', 'someonon know tri contact via date servic find could call mobil landlin 09064015307 box334sk38ch', 'urgent pleas call 09061213237 landlin cash 4 holiday await collect cs sae po box 177 m227xi', 'urgent mobil number award prize guarante call 09061790126 land line claim valid 12hr 150ppm', 'urgent pleas call 09061213237 landlin cash luxuri 4 canari island holiday await collect cs sae po box m227xi 150ppm', 'xma iscom ur award either cd gift voucher free entri 2 r weekli draw txt music 87066 tnc', 'u r subscrib 2 textcomp 250 wkli comp 1st wk free question follow subsequ wk charg unsubscrib txt stop 2 84128 custcar 08712405020', 'call 09095350301 send girl erot ecstaci stop text call 08712460324 nat rate', 'import messag final contact attempt import messag wait custom claim dept expir call 08717507382', 'date two start sent text talk sport radio last week connect think coincid', 'current lead bid paus auction send custom care 08718726270', 'free entri gr8prize wkli comp 4 chanc win latest nokia 8800 psp cash everi great 80878 08715705022', '1 new messag call', 'santa call would littl one like call santa xma eve call 09058094583 book time', 'guarante 32000 award mayb even cash claim ur award call free 0800 legitimat efreefon number wat u think', 'latest news polic station toilet stolen cop noth go', 'sparkl shop break 45 per person call 0121 2025050 visit', 'txt call 86888 claim reward 3 hour talk time use phone inc 3hr 16 stop txtstop', 'wml c', 'urgent last weekend draw show cash spanish holiday call 09050000332 claim c rstm sw7 3ss 150ppm', 'urgent tri contact last weekend draw show u prize guarante call 09064017295 claim code k52 valid 12hr 150p pm', '2p per min call germani 08448350055 bt line 2p per min check info c text stop opt', 'marvel mobil play offici ultim game ur mobil right text spider 83338 game send u free 8ball wallpap', 'privat 2003 account statement 07808247860 show 800 point call 08719899229 identifi code 40411 expir', 'privat 2003 account statement show 800 point call 08718738001 identifi code 49557 expir', 'want explicit sex 30 sec ring 02073162414 cost gsex pobox 2667 wc1n 3xx', 'ask 3mobil 0870 chatlin inclu free min india cust serv sed ye l8er got mega bill 3 dont giv shit bailiff due day 3 want', 'contract mobil 11 mnth latest motorola nokia etc free doubl min text orang tariff text ye callback remov record', 'remind o2 get pound free call credit detail great offer pl repli 2 text valid name hous postcod', '2nd time tri 2 contact u pound prize 2 claim easi call 087187272008 now1 10p per minut']
for msg in data[data['target'] == 1]['transformed_text'].tolist():
print(msg)
free entri 2 wkli comp win fa cup final tkt 21st may text fa 87121 receiv entri question std txt rate c appli 08452810075over18 freemsg hey darl 3 week word back like fun still tb ok xxx std chg send rcv winner valu network custom select receivea prize reward claim call claim code kl341 valid 12 hour mobil 11 month u r entitl updat latest colour mobil camera free call mobil updat co free 08002986030 six chanc win cash 100 pound txt csh11 send cost 6day tsandc appli repli hl 4 info urgent 1 week free membership prize jackpot txt word claim 81010 c lccltd pobox 4403ldnw1a7rw18 xxxmobilemovieclub use credit click wap link next txt messag click http england v macedonia dont miss news txt ur nation team 87077 eg england 87077 tri wale scotland poboxox36504w45wq thank subscript rington uk mobil charg pleas confirm repli ye repli charg 07732584351 rodger burn msg tri call repli sm free nokia mobil free camcord pleas call 08000930705 deliveri tomorrow sm ac sptv new jersey devil detroit red wing play ice hockey correct incorrect end repli end sptv congrat 1 year special cinema pass 2 call 09061209465 c suprman v matrix3 starwars3 etc 4 free 150pm dont miss valu custom pleas advis follow recent review mob award bonu prize call 09066364589 urgent ur award complimentari trip eurodisinc trav aco entry41 claim txt di 87121 morefrmmob shracomorsglsuplt 10 ls1 3aj hear new divorc barbi come ken stuff pleas call custom servic repres 0800 169 6031 guarante cash prize free rington wait collect simpli text password mix 85069 verifi get usher britney fml po box 5249 mk17 92h 450ppw 16 gent tri contact last weekend draw show prize guarante call claim code k52 valid 12hr 150ppm winner u special select 2 receiv 4 holiday flight inc speak live oper 2 claim privat 2004 account statement 07742676969 show 786 unredeem bonu point claim call 08719180248 identifi code 45239 expir urgent mobil award bonu caller prize final tri contact u call landlin 09064019788 box42wr29c 150ppm today voda number end 7548 select receiv 350 award match pleas call 08712300220 quot claim code 4041 standard rate app sunshin quiz wkli q win top soni dvd player u know countri algarv txt ansr 82277 sp tyron want 2 get laid tonight want real dog locat sent direct 2 ur mob join uk largest dog network bt txting gravel 69888 nt ec2a 150p rcv msg chat svc free hardcor servic text go 69988 u get noth u must age verifi yr network tri freemsg repli text randi sexi femal live local luv hear netcollex ltd 08700621170150p per msg repli stop end custom servic annonc new year deliveri wait pleas call 07046744435 arrang deliveri winner u special select 2 receiv cash 4 holiday flight inc speak live oper 2 claim 0871277810810 stop bootydeli invit friend repli see stop send stop frnd 62468 bangbab ur order way u receiv servic msg 2 download ur content u goto wap bangb tv ur mobil menu urgent tri contact last weekend draw show prize guarante call claim code s89 valid 12hr pleas call custom servic repres freephon 0808 145 4742 guarante cash prize uniqu enough find 30th august 500 new mobil 2004 must go txt nokia 89545 collect today 2optout u meet ur dream partner soon ur career 2 flyng start 2 find free txt horo follow ur star sign horo ari text meet someon sexi today u find date even flirt join 4 10p repli name age eg sam 25 18 recd thirtyeight penc u 447801259231 secret admir look 2 make contact r reveal think ur 09058094597 congratul ur award 500 cd voucher 125gift guarante free entri 2 100 wkli draw txt music 87066 tnc tri contact repli offer video handset 750 anytim network min unlimit text camcord repli call 08000930705 hey realli horni want chat see nake text hot 69698 text charg 150pm unsubscrib text stop 69698 ur rington servic chang 25 free credit go choos content stop txt club stop 87070 club4 po box1146 mk45 2wt rington club get uk singl chart mobil week choos top qualiti rington messag free charg hmv bonu special 500 pound genuin hmv voucher answer 4 easi question play send hmv 86688 info custom may claim free camera phone upgrad pay go sim card loyalti call 0845 021 end c appli sm ac blind date 4u rodds1 aberdeen unit kingdom check http sm blind date send hide themob check newest select content game tone gossip babe sport keep mobil fit funki text wap 82468 think ur smart win week weekli quiz text play 85222 cs winnersclub po box 84 m26 3uz decemb mobil entitl updat latest colour camera mobil free call mobil updat co free 08002986906 call germani 1 penc per minut call fix line via access number 0844 861 85 prepay direct access valentin day special win quiz take partner trip lifetim send go 83600 rcvd fanci shag txt xxuk suzi txt cost per msg tnc websit x ur current 500 pound maxim ur send cash 86688 cc 08708800282 xma offer latest motorola sonyericsson nokia free bluetooth doubl min 1000 txt orang call mobileupd8 08000839402 discount code rp176781 stop messag repli stop custom servic 08717205546 thank rington order refer t91 charg gbp 4 per week unsubscrib anytim call custom servic 09057039994 doubl min txt 4 6month free bluetooth orang avail soni nokia motorola phone call mobileupd8 08000839402 4mth half price orang line rental latest camera phone 4 free phone 11mth call mobilesdirect free 08000938767 updat or2stoptxt free rington text first 87131 poli text get 87131 true tone help 0845 2814032 16 1st free tone txt stop 100 date servic cal l 09064012103 box334sk38ch free entri weekli competit text word win 80086 18 c send logo 2 ur lover 2 name join heart txt love name1 name2 mobno eg love adam eve 07123456789 87077 yahoo pobox36504w45wq txtno 4 ad 150p someon contact date servic enter phone fanci find call landlin 09111032124 pobox12n146tf150p urgent mobil number award prize guarante call 09058094455 land line claim valid 12hr congrat nokia 3650 video camera phone call 09066382422 call cost 150ppm ave call 3min vari mobil close 300603 post bcm4284 ldn wc1n3xx loan purpos homeown tenant welcom previous refus still help call free 0800 1956669 text back upgrdcentr orang custom may claim free camera phone upgrad loyalti call 0207 153 offer end 26th juli c appli avail okmail dear dave final notic collect 4 tenerif holiday 5000 cash award call 09061743806 landlin tc sae box326 cw25wx 150ppm want 2 get laid tonight want real dog locat sent direct 2 ur mob join uk largest dog network txting moan 69888nyt ec2a 150p free messag activ 500 free text messag repli messag word free term condit visit error guarante latest nokia phone 40gb ipod mp3 player prize txt word collect 83355 ibhltd ldnw15h boltblu tone 150p repli poli mono eg poly3 cha cha slide yeah slow jamz toxic come stop 4 tone txt credit top http renew pin tgxxrz urgent mobil award bonu caller prize 2nd attempt contact call box95qu today offer claim ur worth discount voucher text ye 85023 savamob member offer mobil cs 08717898035 sub 16 unsub repli x reciev tone within next 24hr term condit pleas see channel u teletext pg 750 privat 2003 account statement 07815296484 show 800 point call 08718738001 identifi code 41782 expir monthlysubscript csc web age16 2stop txt stop cash prize claim call09050000327 mobil number claim call us back ring claim hot line 09050005321 tri contact repli offer 750 min 150 textand new video phone call 08002988890 repli free deliveri tomorrow ur chanc win wkli shop spree txt shop c custcar 08715705022 special select receiv 2000 pound award call 08712402050 line close cost 10ppm cs appli ag promo privat 2003 account statement 07753741225 show 800 point call 08715203677 identifi code 42478 expir import custom servic announc call freephon 0800 542 0825 xclusiv clubsaisai 2morow soire special zouk nichol rose 2 ladi info 22 day kick euro2004 u kept date latest news result daili remov send get txt stop 83222 new textbuddi chat 2 horni guy ur area 4 25p free 2 receiv search postcod txt one name 89693 today vodafon number end 4882 select receiv award number match call 09064019014 receiv award dear voucher holder 2 claim week offer pc go http ts cs stop text txt stop 80062 privat 2003 account statement show 800 point call 08715203694 identifi code 40533 expir cash prize claim call09050000327 c rstm sw7 3ss 150ppm 88800 89034 premium phone servic call 08718711108 sm ac sun0819 post hello seem cool want say hi hi stop send stop 62468 get ur 1st rington free repli msg tone gr8 top 20 tone phone everi week per wk 2 opt send stop 08452810071 16 hi sue 20 year old work lapdanc love sex text live bedroom text sue textoper g2 1da 150ppmsg forward 448712404000 pleas call 08712404000 immedi urgent messag wait review keep fantast nokia game deck club nokia go 2 unsubscrib alert repli word 4mth half price orang line rental latest camera phone 4 free phone call mobilesdirect free 08000938767 updat or2stoptxt cs 08714712388 cost 10p guarante cash prize claim yr prize call custom servic repres 08714712394 email alertfrom jeri stewarts 2kbsubject prescripiton drvgsto listen email call 123 hi custom loyalti offer new nokia6650 mobil txtauction txt word start 81151 get 4t ctxt tc u subscrib best mobil content servic uk per 10 day send stop helplin 08706091795 realiz 40 year thousand old ladi run around tattoo import custom servic announc premier romant pari 2 night 2 flight book 4 next year call 08704439680t cs appli urgent ur guarante award still unclaim call 09066368327 claimcod m39m51 ur award citi break could win summer shop spree everi wk txt store 88039 skilgm tscs087147403231winawk age16 import custom servic announc premier call freephon 0800 542 0578 ever thought live good life perfect partner txt back name age join mobil commun 5 free top polyphon tone call 087018728737 nation rate get toppoli tune sent everi week text subpoli 81618 per pole unsub 08718727870 orang custom may claim free camera phone upgrad loyalti call 0207 153 offer end 14thmarch c appli availa last chanc claim ur worth discount voucher today text shop 85023 savamob offer mobil cs savamob pobox84 m263uz sub 16 free 1st week no1 nokia tone 4 ur mobil everi week txt nokia 8077 get txting tell ur mate pobox 36504 w45wq guarante award even cashto claim ur award call free 08000407165 2 stop getstop 88222 php rg21 4jx congratul ur award either cd gift voucher free entri 2 weekli draw txt music 87066 tnc u outbid simonwatson5120 shinco dvd plyr 2 bid visit sm 2 end bid notif repli end smsservic yourinclus text credit pl goto 3qxj9 unsubscrib stop extra charg help 9ae 25p 4 alfi moon children need song ur mob tell ur m8 txt tone chariti 8007 nokia poli chariti poli zed 08701417012 profit 2 chariti u secret admir reveal think u r special call opt repli reveal stop per msg recd cust care 07821230901 dear voucher holder claim week offer pc pleas go http ts cs appli stop text txt stop 80062 want 750 anytim network min 150 text new video phone five pound per week call 08002888812 repli deliveri tomorrow tri contact offer new video phone 750 anytim network min half price rental camcord call 08000930705 repli deliveri wed last chanc 2 claim ur worth discount ye 85023 offer mobil cs 08717898035 sub 16 remov txt x stop urgent call 09066350750 landlin complimentari 4 ibiza holiday cash await collect sae cs po box 434 sk3 8wp 150 ppm talk sexi make new friend fall love world discreet text date servic text vip 83110 see could meet congratul ur award either yr suppli cd virgin record mysteri gift guarante call 09061104283 ts cs approx 3min privat 2003 account statement 07808 xxxxxx show 800 point call 08719899217 identifi code 41685 expir hello need posh bird chap user trial prod champney put need address dob asap ta r u want xma 100 free text messag new video phone half price line rental call free 0800 0721072 find shop till u drop either 10k 5k cash travel voucher call ntt po box cr01327bt fixedlin cost 150ppm mobil vari sunshin quiz wkli q win top soni dvd player u know countri liverpool play mid week txt ansr 82277 sp tyron u secret admir look 2 make contact r reveal think ur 09058094565 u secret admir look 2 make contact r reveal think ur remind download content alreadi paid goto http mymobi collect content lastest stereophon marley dizze racal libertin stroke win nookii game flirt click themob wap bookmark text wap 82468 januari male sale hot gay chat cheaper call nation rate cheap peak stop text call 08712460324 money r lucki winner 2 claim prize text money 2 88600 give away text rate box403 w1t1ji dear matthew pleas call 09063440451 landlin complimentari 4 lux tenerif holiday cash await collect ppm150 sae cs box334 sk38xh urgent call 09061749602 landlin complimentari 4 tenerif holiday cash await collect sae cs box 528 hp20 1yf 150ppm get touch folk wait compani txt back name age opt enjoy commun ur current 500 pound maxim ur send go 86688 cc 08718720201 po box filthi stori girl wait urgent tri contact today draw show prize guarante call 09050001808 land line claim m95 valid12hr congrat 2 mobil 3g videophon r call 09063458130 videochat wid mate play java game dload polyph music nolin rentl panason bluetoothhdset free nokia free motorola free doublemin doubletxt orang contract call mobileupd8 08000839402 call 2optout free 1st week no1 nokia tone 4 ur mob everi week txt nokia 8007 get txting tell ur mate pobox 36504 w45wq guess somebodi know secretli fanci wan na find give us call 09065394514 landlin datebox1282essexcm61xn 18 know someon know fanci call 09058097218 find pobox 6 ls15hb 150p 1000 flirt txt girl bloke ur name age eg girl zoe 18 8007 join get chat 18 day euro2004 kickoff u kept inform latest news result daili unsubscrib send get euro stop 83222 eastend tv quiz flower dot compar violet tulip lili txt e f 84025 4 chanc 2 win cash new local date area lot new peopl regist area repli date start 18 replys150 someon u know ask date servic 2 contact cant guess call 09058091854 reveal po box385 m6 6wu urgent tri contact today draw show prize guarante call 09050003091 land line claim c52 valid12hr dear u invit xchat final attempt contact u txt chat 86688 award sipix digit camera call 09061221061 landlin deliveri within 28day cs box177 m221bp 2yr warranti 150ppm 16 p win urgent mobil number award prize guarante call 09061790121 land line claim 3030 valid 12hr 150ppm dear subscrib ur draw 4 gift voucher b enter receipt correct an elvi presley birthday txt answer 80062 messag import inform o2 user today lucki day 2 find log onto http fantast surpris await 449050000301 price claim call 09050000301 bore speed date tri speedchat txt speedchat 80155 like em txt swap get new chatter chat80155 pobox36504w45wq rcd 16 want 750 anytim network min 150 text new video phone five pound per week call 08000776320 repli deliveri tomorrow take part mobil survey yesterday 500 text 2 use howev wish 2 get txt send txt 80160 c ur hmv quiz current maxim ur send hmv1 86688 dont forget place mani free request wish inform call 08707808226 know u u know send chat 86688 let find rcvd ldn 18 year thank winner notifi sm good luck futur market repli stop 84122 custom servic 08450542832 1000 girl mani local 2 u r virgin 2 r readi 2 4fil ur everi sexual need u 4fil text cute 69911 got take 2 take part wrc ralli oz u lucozad energi text ralli le 61200 25p see pack itcould u sex ur mobil free sexi pic jordan text babe everi wk get sexi celeb 4 pic 16 087016248 1 new voicemail pleas call 08719181503 win year suppli cd 4 store ur choic worth enter weekli draw txt music 87066 ts cs sim subscrib select receiv bonu get deliv door txt word ok 88600 claim exp 30apr 1 new voicemail pleas call 08719181513 1 nokia tone 4 ur mob everi week txt nok 87021 1st tone free get txtin tell ur friend 16 repli hl 4info repli name address receiv post week complet free accommod variou global locat free entri weekli comp send word enter 84128 18 c cust care 08712405020 pleas call 08712402779 immedi urgent messag wait hungri gay guy feel hungri 4 call 08718730555 stop text call 08712460324 u get 2 phone wan na chat 2 set meet call 09096102316 u cum 2moro luv jane xx network oper servic free c visit enjoy jamster videosound gold club credit 2 new get fun help call 09701213186 get 3 lion england tone repli lionm 4 mono lionp 4 poli 4 go 2 origin n best tone 3gbp network oper rate appli win newest harri potter order phoenix book 5 repli harri answer 5 question chanc first among reader ur balanc ur next question sang girl 80 2 answer txt ur answer good luck free2day sexi st georg day pic jordan txt pic 89080 dont miss everi wk sauci celeb 4 pic c 0870241182716 hot live fantasi call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 k bear pic nick tom pete dick fact type tri gay chat photo upload call 08718730666 2 stop text call 08712460324 500 new mobil 2004 must go txt nokia 89545 collect today 2optout txtauction doubl min doubl txt price linerent latest orang bluetooth mobil call mobileupd8 latest offer 08000839402 urgent import inform o2 user today lucki day 2 find log onto http fantast surpris await dear u invit xchat final attempt contact u txt chat 86688 ldn 18 yr congratul ur award either cd gift voucher free entri 2 weekli draw txt music 87066 tnc 1 win150ppmx3age16 sale arsen dartboard good condit doubl trebl free 1st week entri 2 textpod 4 chanc 2 win 40gb ipod cash everi wk txt pod 84128 ts cs custcar 08712405020 regist optin subscrib ur draw 4 gift voucher enter receipt correct an 80062 what no1 bbc chart summer final fanci chat flirt sexi singl yr area get match repli summer free 2 join optout txt stop help08714742804 clair havin borin time alon u wan na cum 2nite chat 09099725823 hope 2 c u luv clair xx bought one rington get text cost 3 pound offer tone etc 09066362231 urgent mobil 07xxxxxxxxx bonu caller prize 2nd attempt reach call 09066362231 asap 07801543489 guarante latest nokia phone 40gb ipod mp3 player prize txt word collect hi luci hubbi meetin day fri b alon hotel u fanci cumin pl leav msg 2day 09099726395 luci x account credit 500 free text messag activ txt word credit 80488 cs sm ac jsco energi high u may know 2channel 2day ur leadership skill r strong psychic repli an end repli end jsco hot live fantasi call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call thank vote sing along star karaok mobil free link repli sing brand new mobil music servic live free music player arriv shortli instal phone brows content top artist urgent mobil award bonu caller prize 2nd attempt contact call box95qu bt nation rate nokia 7250i get win free auction take part send nokia 86021 hello orang 1 month free access game news sport plu 10 free text 20 photo messag repli ye term appli ur current 500 pound maxim ur send go 86688 cc 08718720201 sm auction brand new nokia 7250 4 auction today auction free 2 join take part txt nokia 86021 privat 2003 account statement show 800 point call 08719899230 identifi code 41685 expir regist subscrib yr draw 4 gift voucher b enter receipt correct an next olymp txt an 80062 urgent mobil number award prize guarante call 09061790121 land line claim valid 12hr 150ppm pro video club need help info call 08701237397 must club credit redeem enjoy u secret admir look 2 make contact r reveal think ur 09058094599 500 free text msg text ok 80488 credit account select stay 1 250 top british hotel noth holiday worth claim call london bx 526 sw73ss eeri nokia tone 4u rpli tone titl 8007 eg tone dracula 8007 titl ghost addamsfa munster exorcist twilight pobox36504w45wq 150p 0a network allow compani bill sm respons supplier shop give guarante sell g freemsg feelin kinda lnli hope u like 2 keep compani jst got cam mobi wan na c pic txt repli date 82242 msg150p 2rcv hlp 08712317606 stop 82242 ur chanc win cash everi wk txt action c custcar 08712405022 rgent 2nd attempt contact u u call 09071512433 b4 050703 csbcm4235wc1n3xx callcost 150ppm mobilesvari 50 hi ur lookin 4 sauci daytim fun wiv busti marri woman free next week chat 2 sort time 09099726429 janinexx urgent tri contact today draw show prize guarante call 09050001295 land line claim a21 valid 12hr monthli password wap use wap phone pc today vodafon number end 0089 last four digit select receiv award number match pleas call 09063442151 claim award free top rington weekli 1st week subpoli 3 per free msg sorri servic order 81303 could deliv suffici credit pleas top receiv servic hard live 121 chat choos girl connect live call 09094646899 cheap chat uk biggest live servic vu bcm1896wc1n3xx wow boy r back take 2007 uk tour win vip ticket vip club txt club trackmarqu ltd info vipclub4u hi mandi sullivan call hotmix fm chosen receiv easter prize draw pleas telephon 09041940223 claim prize transfer someon els ur go 2 bahama callfreefon 08081560665 speak live oper claim either bahama cruis cash opt txt x 07786200117 someon conact date servic enter phone fanci find call landlin pobox12n146tf15 hi 07734396839 ibh custom loyalti offer new nokia6600 mobil txtauction txt word start get 4t sm auction nokia 7250i get win free auction take part send nokia 86021 call freephon 0800 542 0578 buy space invad 4 chanc 2 win orig arcad game consol press 0 game arcad std wap charg see 4 term set purchas big brother alert comput select u 10k cash 150 voucher call ntt po box cro1327 bt landlin cost 150ppm mobil vari win winner foley ipod excit prize soon keep eye ur mobil visit today voda number end 1225 select receiv match pleas call 08712300220 quot claim code 3100 standard rate app hottest pic straight phone see get wet want xx text pic 89555 txt cost 150p textoper g696ga 18 xxx hack chat get backdoor entri 121 chat room fraction cost repli neo69 call 09050280520 subscrib 25p pm dp bcm box 8027 ldn wc1n3xx free nokia motorola upto 12mth linerent 500 free min free call mobileupd8 08001950382 call 2nd time tri 2 contact u 750 pound prize 2 claim easi call 08718726970 10p per min guarante cash claim yr prize call custom servic repres would like see xxx pic hot nearli ban uk u secret admir look 2 make contact r reveal think ur 09058094594 dear 0776xxxxxxx u invit xchat final attempt contact u txt chat 86688 ldn 18yr urgent pleas call 09061743811 landlin abta complimentari 4 tenerif holiday cash await collect sae cs box 326 cw25wx 150ppm call 09090900040 listen extrem dirti live chat go offic right total privaci one know sic listen 60p min freemsg hey u got 1 fone repli wild txt ill send u pic hurri im bore work xxx 18 stop2stop free entri 2 weekli comp chanc win ipod txt pod 80182 get entri std txt rate c appli 08452810073 detail new textbuddi chat 2 horni guy ur area 4 25p free 2 receiv search postcod txt one name 89693 08715500022 rpl stop 2 cnl call 08702490080 tell u 2 call 09066358152 claim prize u 2 enter ur mobil person detail prompt care free 1st week entri 2 textpod 4 chanc 2 win 40gb ipod cash everi wk txt vpod 81303 ts cs custcar 08712405020 peopl dog area call 09090204448 join like mind guy arrang 1 1 even minapn ls278bb well done 4 costa del sol holiday await collect call 09050090044 toclaim sae tc pobox334 stockport sk38xh max10min guess somebodi know secretli fanci wan na find give us call 09065394973 landlin datebox1282essexcm61xn 18 500 free text messag valid 31 decemb 2005 guarante award even cashto claim ur award call free 08000407165 2 stop getstop 88222 php repli win weekli 2006 fifa world cup held send stop 87239 end servic urgent pleas call 09061743810 landlin abta complimentari 4 tenerif holiday 5000 cash await collect sae cs box 326 cw25wx 150 ppm free tone hope enjoy new content text stop 61610 unsubscrib provid themob yo yo come new select hot download member get free click open next link sent ur fone great news call freefon 08006344447 claim guarante cash gift speak live oper u win music gift voucher everi week start txt word draw 87066 tsc call 09094100151 use ur min call cast mob vari servic provid aom aom box61 m60 1er u stop age urgent mobil bonu caller prize 2nd attempt reach call 09066362220 asap box97n7qp 150ppm sexi singl wait text age follow gender wither f gay men text age follow freemsg claim ur 250 sm ok 84025 use web2mobil 2 ur mate etc join c box139 la32wu 16 remov txtx stop 85233 free rington repli real well done england get offici poli rington colour flag yer mobil text tone flag 84199 txt eng stop box39822 w111wx final chanc claim ur worth discount voucher today text ye 85023 savamob member offer mobil cs savamob pobox84 m263uz sub 16 sm servic inclus text credit pl goto unsubscrib stop extra charg po box420 ip4 5we winner special select receiv cash award speak live oper claim call cost 10p sunshin hol claim ur med holiday send stamp self address envelop drink us uk po box 113 bray wicklow eir quiz start saturday unsub stop u win music gift voucher everi week start txt word draw 87066 tsc skillgam 1winaweek age16 150ppermesssubscript b4u voucher marsm log onto discount credit opt repli stop custom care call 08717168528 freemsg hey buffi 25 love satisfi men home alon feel randi repli 2 c pix qlynnbv help08700621170150p msg send stop stop txt free 1st week no1 nokia tone 4 ur mob everi week txt nokia 87077 get txting tell ur mate zed pobox 36504 w45wq free camera phone linerent 750 cross ntwk min price txt bundl deal also avbl call 08001950382 mf urgent mobil 07xxxxxxxxx bonu caller prize 2nd attempt reach call 09066362231 asap box97n7qp 150ppm urgent 4 costa del sol holiday await collect call 09050090044 toclaim sae tc pobox334 stockport sk38xh max10min guarante cash prize claim yr prize call custom servic repres 08714712379 cost 10p thank rington order ref number k718 mobil charg tone arriv pleas call custom servic 09065069120 hi ya babe x u 4goten bout scammer get smart though regular vodafon respond get prem rate no use also bewar back 2 work 2morro half term u c 2nite 4 sexi passion b4 2 go back chat 09099726481 luv dena call thank rington order ref number r836 mobil charg tone arriv pleas call custom servic 09065069154 splashmobil choos 1000 gr8 tone wk subscrit servic weekli tone cost 300p u one credit kick back enjoy heard u4 call 4 rude chat privat line 01223585334 cum wan 2c pic gettin shag text pix 8552 2end send stop 8552 sam xxx forward 88877 free entri weekli comp send word enter 88877 18 c 88066 88066 lost 3pound help mobil 11mth updat free orang latest colour camera mobil unlimit weekend call call mobil upd8 freefon 08000839402 2stoptx 1 new messag pleas call 08718738034 forward 21870000 hi mailbox messag sm alert 4 messag 21 match pleas call back 09056242159 retriev messag match mobi pub high street prize u know new duchess cornwal txt first name stop 008704050406 sp arrow congratul thank good friend u xma prize 2 claim easi call 08718726971 10p per minut tddnewslett game thedailydraw dear helen dozen free game great prizeswith urgent mobil number bonu caller prize 2nd attempt reach call 09066368753 asap box 97n7qp 150ppm doubl min txt orang price linerent motorola sonyericsson free call mobileupd8 08000839402 download mani rington u like restrict 1000 2 choos u even send 2 yr buddi txt sir 80082 pleas call 08712402902 immedi urgent messag wait spook mob halloween collect logo pic messag plu free eeri tone txt card spook 8007 zed 08701417012150p per fantasi footbal back tv go sky gamestar sky activ play dream team score start saturday regist sky opt 88088 tone club sub expir 2 repli monoc 4 mono polyc 4 poli 1 weekli 150p per week txt stop 2 stop msg free stream 0871212025016 xma prize draw tri contact today draw show prize guarante call 09058094565 land line valid 12hr ye place town meet excit adult singl uk txt chat 86688 someon contact date servic enter phone becausethey fanci find call landlin pobox1 w14rg 150p babe u want dont u babi im nasti thing 4 filthyguy fanci rude time sexi bitch go slo n hard txt xxx slo 4msg sm servic inclus text credit pl gotto login 3qxj9 unsubscrib stop extra charg help 08702840625 9ae valentin day special win quiz take partner trip lifetim send go 83600 rcvd guess first time creat web page read wrote wait opinion want friend ur chanc win cash everi wk txt play c custcar 08715705022 sppok ur mob halloween collect nokia logo pic messag plu free eeri tone txt card spook 8007 urgent call 09066612661 landlin complementari 4 tenerif holiday cash await collect sae cs po box 3 wa14 2px 150ppm sender hol offer winner valu network custom hvae select receiv reward collect call valid 24 hour acl03530150pm u nokia 6230 plu free digit camera u get u win free auction take part send nokia 83383 16 free entri weekli comp send word win 80086 18 c text82228 get rington logo game question info freemsg award free mini digit camera repli snap collect prize quizclub opt stop sp rwm messag brought gmw connect congrat 2 mobil 3g videophon r call 09063458130 videochat wid ur mate play java game dload polyph music nolin rentl bx420 ip4 5we 150p next amaz xxx picsfree1 video sent enjoy one vid enough 2day text back keyword picsfree1 get next video u subscrib best mobil content servic uk per ten day send stop helplin 08706091795 3 free tarot text find love life tri 3 free text chanc 85555 16 3 free msg join uk horniest dog servic u sex 2nite sign follow instruct txt entri 69888 150p knock knock txt whose 80082 enter r weekli draw 4 gift voucher 4 store yr choic cs age16 forward 21870000 hi mailbox messag sm alert 40 match pleas call back 09056242159 retriev messag match free ring tone text poli everi week get new tone 0870737910216yr urgent mobil 077xxx bonu caller prize 2nd attempt reach call 09066362206 asap box97n7qp 150ppm guarante latest nokia phone 40gb ipod mp3 player prize txt word collect 83355 ibhltd ldnw15h hello darl today would love chat dont tell look like sexi 8007 free 1st week no1 nokia tone 4 ur mob everi week txt nokia 8007 get txting tell ur mate pobox 36504 w4 5wq norm wan na get laid 2nite want real dog locat sent direct ur mobil join uk largest dog network txt park 69696 nyt ec2a 3lp tri contact respons offer new nokia fone camcord hit repli call 08000930705 deliveri new tone week includ 1 ab 2 sara 3 order follow instruct next messag urgent tri contact today draw show prize guarante call 09050003091 land line claim c52 valid 12hr sport fan get latest sport news str 2 ur mobil 1 wk free plu free tone txt sport 8007 norm urgent urgent 800 free flight europ give away call b4 10th sept take friend 4 free call claim ba128nnfwfly150ppm 88066 lost help freemsg fanci flirt repli date join uk fastest grow mobil date servic msg rcvd 25p optout txt stop repli date great new offer doubl min doubl txt best orang tariff get latest camera phone 4 free call mobileupd8 free 08000839402 2stoptxt cs hope enjoy new content text stop 61610 unsubscrib provid urgent pleas call 09066612661 landlin cash luxuri 4 canari island holiday await collect cs sae award 20m12aq 150ppm urgent pleas call 09066612661 landlin complimentari 4 lux costa del sol holiday cash await collect ppm 150 sae cs jame 28 eh74rr marri local women look discreet action 5 real match instantli phone text match 69969 msg cost 150p 2 stop txt stop bcmsfwc1n3xx burger king wan na play footi top stadium get 2 burger king 1st sept go larg super walk winner come take littl time child afraid dark becom teenag want stay night ur chanc win cash everi wk txt action c custcar 08712405022 u bin award play 4 instant cash call 08715203028 claim everi 9th player win min optout 08718727870 freemsg fav xma tone repli real gr8 poli tone 4 mob direct 2u rpli poli titl 8007 eg poli breathe1 titl crazyin sleepingwith finest ymca pobox365o4w45wq 300p interflora late order interflora flower christma call 0800 505060 place order midnight tomorrow romcapspam everyon around respond well presenc sinc warm outgo bring real breath sunshin congratul thank good friend u xma prize 2 claim easi call 08712103738 10p per minut send logo 2 ur lover 2 name join heart txt love name1 name2 mobno eg love adam eve 07123456789 87077 yahoo pobox36504w45wq txtno 4 ad 150p tkt euro2004 cup final cash collect call 09058099801 b4190604 pobox 7876150ppm jamster get crazi frog sound poli text mad1 real text mad2 88888 6 crazi sound 3 c appli chanc realiti fantasi show call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call adult 18 content video shortli chanc realiti fantasi show call 08707509020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call hey boy want hot xxx pic sent direct 2 ur phone txt porn 69855 24hr free 50p per day stop text stopbcm sf wc1n3xx doubl min 1000 txt orang tariff latest motorola sonyericsson nokia bluetooth free call mobileupd8 08000839402 yhl ur current 500 pound maxim ur send cash 86688 cc 08718720201 po box urgent mobil number award prize guarante call 09058094454 land line claim valid 12hr sorri u unsubscrib yet mob offer packag min term 54 week pl resubmit request expiri repli themob help 4 info 1 new messag pleas call 08712400200 current messag await collect collect messag call 08718723815 urgent mobil award bonu caller prize final attempt 2 contact u call 08714714011 ever notic drive anyon go slower idiot everyon drive faster maniac xma offer latest motorola sonyericsson nokia free bluetooth dvd doubl min 1000 txt orang call mobileupd8 08000839402 repli win weekli profession sport tiger wood play send stop 87239 end servic 1 polyphon tone 4 ur mob everi week txt pt2 87575 1st tone free get txtin tell ur friend 16 repli hl 4info messag free welcom new improv sex dog club unsubscrib servic repli stop msg 150p 12mth half price orang line rental 400min call mobileupd8 08000839402 free unlimit hardcor porn direct 2 mobil txt porn 69200 get free access 24 hr chrgd 50p per day txt stop 2exit msg free unsubscrib servic get ton sexi babe hunk straight phone go http subscript hi babe jordan r u im home abroad lone text back u wan na chat xxsp text stop stopcost 150p 08712400603 get brand new mobil phone agent mob plu load goodi info text mat 87021 lord ring return king store repli lotr 2 june 4 chanc 2 win lotr soundtrack cd stdtxtrate repli stop end txt good luck draw take place 28th feb good luck remov send stop 87239 custom servic 08708034412 1st wk free gr8 tone str8 2 u wk txt nokia 8007 classic nokia tone hit 8007 poli lookatm thank purchas video clip lookatm charg 35p think better send video mmsto 32323 sexi sexi cum text im wet warm readi porn u fun msg free recd msg 150p inc vat 2 cancel text stop 2nd time tri contact u prize claim call 09053750005 b4 sm 08718725756 140ppm dear voucher holder claim week offer pc pleas go http ts cs appli 2nd time tri 2 contact u 750 pound prize 2 claim easi call 08712101358 10p per min ur award citi break could win summer shop spree everi wk txt store urgent tri contact today draw show prize guarante call 09066358361 land line claim y87 valid 12hr thank rington order refer number x29 mobil charg tone arriv pleas call custom servic 09065989180 ur current 500 pound maxim ur send collect 83600 cc 08718720201 po box congratul thank good friend u xma prize 2 claim easi call 08718726978 10p per minut 44 7732584351 want new nokia 3510i colour phone deliveredtomorrow 300 free minut mobil 100 free text free camcord repli call 08000930705 someon u know ask date servic 2 contact cant guess call 09058097189 reveal pobox 6 ls15hb 150p camera award sipix digit camera call 09061221066 fromm landlin deliveri within 28 day today voda number end 5226 select receiv 350 award hava match pleas call 08712300220 quot claim code 1131 standard rate app messag free welcom new improv sex dog club unsubscrib servic repli stop msg 150p 18 rct thnq adrian u text rgd vatian contact date servic someon know find call land line pobox45w2tg150p sorri miss call let talk time 07090201529 complimentari 4 star ibiza holiday cash need urgent collect 09066364349 landlin lose free msg bill mobil number mistak shortcod call 08081263000 charg call free bt landlin pleas call 08712402972 immedi urgent messag wait urgent mobil number award bonu caller prize call 09058095201 land line valid 12hr want new nokia 3510i colour phone deliveredtomorrow 300 free minut mobil 100 free text free camcord repli call 08000930705 life never much fun great came made truli special wo forget enjoy one want new video phone 600 anytim network min 400 inclus video call download 5 per week free deltomorrow call 08002888812 repli valu custom pleas advis follow recent review mob award bonu prize call 09066368470 welcom pleas repli age gender begin 24m freemsg unlimit free call activ smartcal txt call unlimit call help 08448714184 stop txt stop landlineonli mobil 10 mth updat latest orang phone free save free call text ye callback orno opt new 2 club dont fink met yet b gr8 2 c u pleas leav msg 2day wiv ur area 09099726553 repli promis carli x lkpobox177hp51fl camera award sipix digit camera call 09061221066 fromm landlin deliveri within 28 day get free mobil video player free movi collect text go free extra film order c appli 18 yr save money wed lingeri choos superb select nation deliveri brought weddingfriend heard u4 call night knicker make beg like u last time 01223585236 xx luv bloomberg center wait appli futur http want new video phone750 anytim network min 150 text five pound per week call 08000776320 repli deliveri tomorrow contact date servic someon know find call land line pobox45w2tg150p wan2 win westlif 4 u m8 current tour 1 unbreak 2 untam 3 unkempt text 3 cost 50p text dorothi bank granit issu explos pick member 300 nasdaq symbol cdgt per winner guarante caller prize final attempt contact claim call 09071517866 150ppmpobox10183bhamb64x xma new year eve ticket sale club day 10am till 8pm thur fri sat night week sell fast rock yr chik get 100 filthi film xxx pic yr phone rpli filth saristar ltd e14 9yt 08701752560 450p per 5 day stop2 cancel next month get upto 50 call 4 ur standard network charg 2 activ call 9061100010 c 1st4term pobox84 m26 3uz cost min mobcudb urgent tri contact u today draw show prize guarante call 09050000460 land line claim j89 po box245c2150pm text banneduk 89555 see cost 150p textoper g696ga xxx auction round highest bid next maximum bid bid send bid 10 bid good luck collect valentin weekend pari inc flight hotel prize guarante text pari custom loyalti offer new nokia6650 mobil txtauction txt word start 81151 get 4t ctxt tc wo believ true incred txt repli g learn truli amaz thing blow mind o2fwd hot n horni will live local text repli hear strt back 150p per msg netcollex ltdhelpdesk 02085076972 repli stop end want new nokia 3510i colour phone deliv tomorrow 200 free minut mobil 100 free text free camcord repli call 08000930705 congratul winner august prize draw call 09066660100 prize code 2309 8007 25p 4 alfi moon children need song ur mob tell ur m8 txt tone chariti 8007 nokia poli chariti poli zed 08701417012 profit 2 chariti get offici england poli rington colour flag yer mobil tonight game text tone flag optout txt eng stop box39822 w111wx custom servic announc recent tri make deliveri unabl pleas call 07090298926 stop club tone repli stop mix see html term club tone cost mfl po box 1146 mk45 2wt wamma get laid want real doggin locat sent direct mobil join uk largest dog network txt dog 69696 nyt ec2a 3lp promot number 8714714 ur award citi break could win summer shop spree everi wk txt store 88039 skilgm tscs087147403231winawk age16 winner special select receiv cash award speak live oper claim call cost 10p thank rington order refer number x49 mobil charg tone arriv pleas call custom servic text txtstar hi 2night ur lucki night uve invit 2 xchat uk wildest chat txt chat 86688 ldn 18yr 146tf150p dear voucher holder 2 claim 1st class airport loung pass use holiday voucher call book quot 1st class x 2 someon u know ask date servic 2 contact cant guess call 09058095107 reveal pobox 7 s3xi 150p mila age23 blond new uk look sex uk guy u like fun text mtalk 1st 5free increment help08718728876 claim 200 shop spree call 08717895698 mobstorequiz10ppm want funk ur fone weekli new tone repli tones2u 2 text origin n best tone 3gbp network oper rate appli twink bear scalli skin jock call miss weekend fun call 08712466669 2 stop text call 08712460324 nat rate tri contact repli offer video handset 750 anytim network min unlimit text camcord repli call 08000930705 urgent tri contact last weekend draw show prize guarante call claim code k61 valid 12hour 74355 xma iscom ur award either cd gift voucher free entri 2 r weekli draw txt music 87066 tnc congratul u claim 2 vip row ticket 2 c blu concert novemb blu gift guarante call 09061104276 claim ts cs free msg singl find partner area 1000 real peopl wait chat send chat 62220cncl send stopc per msg win newest potter order phoenix book 5 repli harri answer 5 question chanc first among reader free msg rington http wml 37819 oh god found number glad text back xafter msg cst std ntwk chg link pictur sent also use http doubl min 1000 txt orang tariff latest motorola sonyericsson nokia bluetooth free call mobileupd8 08000839402 urgent 2nd attempt contact prize yesterday still await collect claim call acl03530150pm dear dave final notic collect 4 tenerif holiday 5000 cash award call 09061743806 landlin tc sae box326 cw25wx 150ppm tell u 2 call 09066358152 claim prize u 2 enter ur mobil person detail prompt care 2004 account 07xxxxxxxxx show 786 unredeem point claim call 08719181259 identifi code xxxxx expir want new video handset 750 anytim network min half price line rental camcord repli call 08000930705 deliveri tomorrow free rington repli real poli eg real1 pushbutton dontcha babygoodby golddigg webeburnin 1st tone free 6 u join free msg get gnarl barkley crazi rington total free repli go messag right refus loan secur unsecur ca get credit call free 0800 195 6669 text back special select receiv 3000 award call 08712402050 line close cost 10ppm cs appli ag promo valu vodafon custom comput pick win prize collect easi call 09061743386 free video camera phone half price line rental 12 mth 500 cross ntwk min 100 txt call mobileupd8 08001950382 ringtonek 84484 rington club gr8 new poli direct mobil everi week bank granit issu explos pick member 300 nasdaq symbol cdgt per bore housew chat n date rate landlin tri call repli sm video mobil 750 min unlimit text free camcord repli call 08000930705 del thur 2nd time tri contact u prize 2 claim easi call 087104711148 10p per minut receiv week tripl echo rington shortli enjoy u select stay 1 250 top british hotel noth holiday valu dial 08712300220 claim nation rate call bx526 sw73ss chosen receiv award pl call claim number 09066364311 collect award select receiv valu mobil custom win cash prize prize worth thank rington order refer number mobil charg tone arriv pleas call custom servic 09065989182 mobi pub high street prize u know new duchess cornwal txt first name stop 008704050406 sp week savamob member offer access call 08709501522 detail savamob pobox 139 la3 2wu savamob offer mobil contact date servic someon know find call mobil landlin 09064017305 pobox75ldns7 chase us sinc sept definit pay thank inform ignor kath manchest loan purpos even bad credit tenant welcom call 08717111821 87077 kick new season 2wk free goal news ur mobil txt ur club name 87077 eg villa 87077 orang bring rington time chart hero free hit week go rington pic wap stop receiv tip repli stop privat 2003 account statement 07973788240 show 800 point call 08715203649 identifi code 40533 expir tri call repli sm video mobil 750 min unlimit text free camcord repli call 08000930705 gsoh good spam ladi u could b male gigolo 2 join uk fastest grow men club repli oncal mjzgroup repli stop msg hot live fantasi call 08707500020 20p per min ntt ltd po box 1327 croydon cr9 5wb 0870 nation rate call urgent mobil number award ukp 2000 prize guarante call 09061790125 landlin claim valid 12hr 150ppm spjanuari male sale hot gay chat cheaper call nation rate cheap peak stop text call 08712460324 freemsg today day readi horni live town love sex fun game netcollex ltd 08700621170150p per msg repli stop end simpson movi releas juli 2007 name band die start film day day day send b c pleas call amanda regard renew upgrad current handset free charg offer end today tel 0845 021 3680 subject c want new video phone 750 anytim network min half price line rental free text 3 month repli call 08000930705 free deliveri dear voucher holder claim week offer pc pleas go http ts cs appli urgent pleas call abta complimentari 4 spanish holiday cash await collect sae cs box 47 po19 2ez 150ppm cmon babe make horni turn txt fantasi babe im hot sticki need repli cost 2 cancel send stop import inform 4 orang user 0796xxxxxx today ur lucki day 2 find log onto http fantast prizeawait miss call alert number call left messag 07008009200 freemsg record indic may entitl 3750 pound accid claim free repli ye msg opt text stop show ur colour euro 2004 offer get england flag 3lion tone ur phone click follow servic messag info text pass 69669 collect polyphon rington normal gpr charg appli enjoy tone accordingli repeat text word ok mobil phone send block breaker come delux format new featur great graphic buy repli get bbdelux take challeng import inform 4 orang user today lucki day 2find log onto http fantast surpris await natalja invit friend repli see stop send stop frnd 62468 urgent import inform 02 user today lucki day 2 find log onto http fantast surpris await kit strip bill 150p netcollex po box 1013 ig11 oja pleas call 08712402578 immedi urgent messag wait let send free anonym mask messag im send messag see potenti abus congrat 2 mobil 3g videophon r call 09061744553 videochat wid ur mate play java game dload polyh music nolin rentl bx420 ip4 5we 150pm import inform 4 orang user 0789xxxxxxx today lucki day 2find log onto http fantast surpris await date servic ask 2 contact u someon shi call 09058091870 reveal pobox84 m26 3uz 150p want new video handset 750 time network min unlimit text camcord repli call 08000930705 del sat ur balanc next question complet landmark big bob barri ben text b c good luck ur tonex subscript renew charg choos 10 poli month bill msg prize go anoth custom c polo ltd suit 373 london w1j 6hl pleas call back busi want new nokia 3510i colour phone deliv tomorrow 200 free minut mobil 100 free text free camcord repli call 8000930705 recpt order rington order process one regist subscrib u enter draw 4 100 gift voucher repli enter unsubscrib text stop chanc win free bluetooth headset simpli repli back adp b floppi b snappi happi gay chat servic photo upload call 08718730666 2 stop text call 08712460324 welcom msg free give free call futur mg bill 150p daili cancel send go stop 89123 receiv mobil content enjoy want explicit sex 30 sec ring 02073162414 cost latest nokia mobil ipod mp3 player proze guarante repli win 83355 norcorp sm servic inclus text credit pl goto 3qxj9 unsubscrib stop extra charg help 9ae mobil club choos top qualiti item mobil 7cfca1a money wine number 946 wot next want cock hubbi away need real man 2 satisfi txt wife 89938 string action txt stop 2 end txt rec otbox 731 la1 7w gr8 new servic live sex video chat mob see sexiest dirtiest girl live ur phone 4 detail text horni 89070 cancel send stop 89070 freemsg hi babi wow got new cam mobi wan na c hot pic fanci chat im w8in 4utxt rpli chat 82242 hlp 08712317606 msg150p 2rcv wan na laugh tri mobil logon txting word chat send 8883 cm po box 4217 london w1a 6zf rcvd urgent 2nd attempt contact u u 09071512432 b4 300603t 50 congratul ur award 500 cd voucher 125gift guarante free entri 2 100 wkli draw txt music 87066 contract mobil 11 mnth latest motorola nokia etc free doubl min text orang tariff text ye callback remov record u secret admir look 2 make contact r reveal think ur freemsg txt call 86888 claim reward 3 hour talk time use phone inc 3hr 16 stop txtstop sunshin quiz win super soni dvd record cannam capit australia text mquiz b today voda number end 7634 select receiv reward match pleas call 08712300220 quot claim code 7684 standard rate appli rip get mobil content call 08717509990 six download 3 tri contact repli offer video phone 750 anytim network min half price line rental camcord repli call 08000930705 xma reward wait comput randomli pick loyal mobil custom receiv reward call 09066380611 privat 2003 account statement show 800 point call 08718738002 identifi code 48922 expir custom servic announc recent tri make deliveri unabl pleas call 07099833605 hi babe chloe r u smash saturday night great weekend u miss sp text stop stop urgent mobil 07808726822 award bonu caller prize 2nd attempt contact call box95qu free game get rayman golf 4 free o2 game arcad 1st get ur game set repli post save activ8 press 0 key arcad termsappli mobil 10 mth updat latest phone free keep ur number get extra free text ye call weekli tone readi download week new tone includ 1 crazi f 2 3 black p info n get lot cash weekend dear welcom weekend got biggest best ever cash give away thank 4 continu support question week enter u in2 draw 4 cash name new us presid txt an 80082 uniqu user id remov send stop 87239 custom servic 08708034412 urgent 09066649731from landlin complimentari 4 ibiza holiday cash await collect sae cs po box 434 sk3 8wp 150ppm urgent 2nd attempt contact prize yesterday still await collect claim call 09061702893 santa call would littl one like call santa xma eve call 09077818151 book time last 3min 30 c privat 2004 account statement 078498 7 show 786 unredeem bonu point claim call 08719180219 identifi code 45239 expir check choos babe video fgkslpopw fgkslpo u r winner u ave special select 2 receiv cash 4 holiday flight inc speak live oper 2 claim 18 new mobil 2004 must go txt nokia 89545 collect today 2optout txtauction privat 2003 account statement show 800 point call 08715203652 identifi code 42810 expir free messag thank use auction subscript servic 18 2 skip auction txt 2 unsubscrib txt stop customercar 08718726270 lyricalladi invit friend repli see stop send stop frnd 62468 want latest video handset 750 anytim network min half price line rental repli call 08000930705 deliveri tomorrow ou guarante latest nokia phone 40gb ipod mp3 player prize txt word collect 83355 ibhltd ldnw15h free polyphon rington text super 87131 get free poli tone week 16 sn pobox202 nr31 7z subscript 450pw warner villag 83118 c colin farrel swat wkend warner villag get 1 free med popcorn show c c kiosk repli soni 4 mre film offer goal arsen 4 henri 7 v liverpool 2 henri score simpl shot 6 yard pass bergkamp give arsen 2 goal margin 78 min hi sexychat girl wait text text great night chat send stop stop servic hi ami send free phone number coupl day give access adult parti welcom select o2 servic ad benefit call special train advisor free mobil diall 402 dear voucher holder next meal us use follow link pc 2 enjoy 2 4 1 dine experiencehttp urgent tri contact today draw show prize guarante call 09058094507 land line claim valid 12hr donat unicef asian tsunami disast support fund text donat 864233 ad next bill goldvik invit friend repli see stop send stop frnd 62468 phoni award today voda number end xxxx select receiv award match pleas call 08712300220 quot claim code 3100 standard rate app cd 4u congratul ur award cd gift voucher gift guarante freeentri 2 wkli draw xt music 87066 tnc guarante cash prize claim yr prize call custom servic repres 08714712412 cost 10p ur current 500 pound maxim ur send go 86688 cc 08718720201 privat 2003 account statement show 800 point call 08715203685 identifi expir like tell deepest darkest fantasi call 09094646631 stop text call 08712460324 nat rate natali invit friend repli see stop send stop frnd 62468 jamster get free wallpap text heart 88888 c appli 16 need help call 08701213186 free video camera phone half price line rental 12 mth 500 cross ntwk min 100 txt call mobileupd8 08001950382 83039 uk break accommodationvouch term condit appli 2 claim mustprovid claim number 15541 5p 4 alfi moon children need song ur mob tell ur m8 txt tone chariti 8007 nokia poli chariti poli zed 08701417012 profit 2 chariti win shop spree everi week start 2 play text store skilgm tscs08714740323 1winawk age16 2nd attempt contract u week top prize either cash prize call 09066361921 want new nokia 3510i colour phone deliveredtomorrow 300 free minut mobil 100 free text free camcord repli call 08000930705 themob hit link get premium pink panther game new 1 sugabab crazi zebra anim badass hoodi 4 free msg mobil content order resent previou attempt fail due network error queri customersqueri 1 new messag pleas call 08715205273 decemb mobil entitl updat latest colour camera mobil free call mobil updat vco free 08002986906 get 3 lion england tone repli lionm 4 mono lionp 4 poli 4 go 2 origin n best tone 3gbp network oper rate appli privat 2003 account statement 078 4 costa del sol holiday await collect call 09050090044 toclaim sae tc pobox334 stockport sk38xh max10min get garden readi summer free select summer bulb seed worth scotsman saturday stop go2 sm auction brand new nokia 7250 4 auction today auction free 2 join take part txt nokia 86021 ree entri 2 weekli comp chanc win ipod txt pod 80182 get entri std txt rate c appli 08452810073 detail record indic u mayb entitl 5000 pound compens accid claim 4 free repli claim msg 2 stop txt stop call germani 1 penc per minut call fix line via access number 0844 861 85 prepay direct access mobil 11mth updat free orang latest colour camera mobil unlimit weekend call call mobil upd8 freefon 08000839402 2stoptxt privat 2003 account statement fone show 800 point call 08715203656 identifi code 42049 expir someonon know tri contact via date servic find could call mobil landlin 09064015307 box334sk38ch urgent pleas call 09061213237 landlin cash 4 holiday await collect cs sae po box 177 m227xi urgent mobil number award prize guarante call 09061790126 land line claim valid 12hr 150ppm urgent pleas call 09061213237 landlin cash luxuri 4 canari island holiday await collect cs sae po box m227xi 150ppm xma iscom ur award either cd gift voucher free entri 2 r weekli draw txt music 87066 tnc u r subscrib 2 textcomp 250 wkli comp 1st wk free question follow subsequ wk charg unsubscrib txt stop 2 84128 custcar 08712405020 call 09095350301 send girl erot ecstaci stop text call 08712460324 nat rate import messag final contact attempt import messag wait custom claim dept expir call 08717507382 date two start sent text talk sport radio last week connect think coincid current lead bid paus auction send custom care 08718726270 free entri gr8prize wkli comp 4 chanc win latest nokia 8800 psp cash everi great 80878 08715705022 1 new messag call santa call would littl one like call santa xma eve call 09058094583 book time guarante 32000 award mayb even cash claim ur award call free 0800 legitimat efreefon number wat u think latest news polic station toilet stolen cop noth go sparkl shop break 45 per person call 0121 2025050 visit txt call 86888 claim reward 3 hour talk time use phone inc 3hr 16 stop txtstop wml c urgent last weekend draw show cash spanish holiday call 09050000332 claim c rstm sw7 3ss 150ppm urgent tri contact last weekend draw show u prize guarante call 09064017295 claim code k52 valid 12hr 150p pm 2p per min call germani 08448350055 bt line 2p per min check info c text stop opt marvel mobil play offici ultim game ur mobil right text spider 83338 game send u free 8ball wallpap privat 2003 account statement 07808247860 show 800 point call 08719899229 identifi code 40411 expir privat 2003 account statement show 800 point call 08718738001 identifi code 49557 expir want explicit sex 30 sec ring 02073162414 cost gsex pobox 2667 wc1n 3xx ask 3mobil 0870 chatlin inclu free min india cust serv sed ye l8er got mega bill 3 dont giv shit bailiff due day 3 want contract mobil 11 mnth latest motorola nokia etc free doubl min text orang tariff text ye callback remov record remind o2 get pound free call credit detail great offer pl repli 2 text valid name hous postcod 2nd time tri 2 contact u pound prize 2 claim easi call 087187272008 now1 10p per minut
spam_corpus = []
for msg in data[data['target'] == 1]['transformed_text'].tolist():
for word in msg.split():
spam_corpus.append(word)
len(spam_corpus)
9781
spam_corpus
['free', 'entri', '2', 'wkli', 'comp', 'win', 'fa', 'cup', 'final', 'tkt', '21st', 'may', 'text', 'fa', '87121', 'receiv', 'entri', 'question', 'std', 'txt', 'rate', 'c', 'appli', '08452810075over18', 'freemsg', 'hey', 'darl', '3', 'week', 'word', 'back', 'like', 'fun', 'still', 'tb', 'ok', 'xxx', 'std', 'chg', 'send', 'rcv', 'winner', 'valu', 'network', 'custom', 'select', 'receivea', 'prize', 'reward', 'claim', 'call', 'claim', 'code', 'kl341', 'valid', '12', 'hour', 'mobil', '11', 'month', 'u', 'r', 'entitl', 'updat', 'latest', 'colour', 'mobil', 'camera', 'free', 'call', 'mobil', 'updat', 'co', 'free', '08002986030', 'six', 'chanc', 'win', 'cash', '100', 'pound', 'txt', 'csh11', 'send', 'cost', '6day', 'tsandc', 'appli', 'repli', 'hl', '4', 'info', 'urgent', '1', 'week', 'free', 'membership', 'prize', 'jackpot', 'txt', 'word', 'claim', '81010', 'c', 'lccltd', 'pobox', '4403ldnw1a7rw18', 'xxxmobilemovieclub', 'use', 'credit', 'click', 'wap', 'link', 'next', 'txt', 'messag', 'click', 'http', 'england', 'v', 'macedonia', 'dont', 'miss', 'news', 'txt', 'ur', 'nation', 'team', '87077', 'eg', 'england', '87077', 'tri', 'wale', 'scotland', 'poboxox36504w45wq', 'thank', 'subscript', 'rington', 'uk', 'mobil', 'charg', 'pleas', 'confirm', 'repli', 'ye', 'repli', 'charg', '07732584351', 'rodger', 'burn', 'msg', 'tri', 'call', 'repli', 'sm', 'free', 'nokia', 'mobil', 'free', 'camcord', 'pleas', 'call', '08000930705', 'deliveri', 'tomorrow', 'sm', 'ac', 'sptv', 'new', 'jersey', 'devil', 'detroit', 'red', 'wing', 'play', 'ice', 'hockey', 'correct', 'incorrect', 'end', 'repli', 'end', 'sptv', 'congrat', '1', 'year', 'special', 'cinema', 'pass', '2', 'call', '09061209465', 'c', 'suprman', 'v', 'matrix3', 'starwars3', 'etc', '4', 'free', '150pm', 'dont', 'miss', 'valu', 'custom', 'pleas', 'advis', 'follow', 'recent', 'review', 'mob', 'award', 'bonu', 'prize', 'call', '09066364589', 'urgent', 'ur', 'award', 'complimentari', 'trip', 'eurodisinc', 'trav', 'aco', 'entry41', 'claim', 'txt', 'di', '87121', 'morefrmmob', 'shracomorsglsuplt', '10', 'ls1', '3aj', 'hear', 'new', 'divorc', 'barbi', 'come', 'ken', 'stuff', 'pleas', 'call', 'custom', 'servic', 'repres', '0800', '169', '6031', 'guarante', 'cash', 'prize', 'free', 'rington', 'wait', 'collect', 'simpli', 'text', 'password', 'mix', '85069', 'verifi', 'get', 'usher', 'britney', 'fml', 'po', 'box', '5249', 'mk17', '92h', '450ppw', '16', 'gent', 'tri', 'contact', 'last', 'weekend', 'draw', 'show', 'prize', 'guarante', 'call', 'claim', 'code', 'k52', 'valid', '12hr', '150ppm', 'winner', 'u', 'special', 'select', '2', 'receiv', '4', 'holiday', 'flight', 'inc', 'speak', 'live', 'oper', '2', 'claim', 'privat', '2004', 'account', 'statement', '07742676969', 'show', '786', 'unredeem', 'bonu', 'point', 'claim', 'call', '08719180248', 'identifi', 'code', '45239', 'expir', 'urgent', 'mobil', 'award', 'bonu', 'caller', 'prize', 'final', 'tri', 'contact', 'u', 'call', 'landlin', '09064019788', 'box42wr29c', '150ppm', 'today', 'voda', 'number', 'end', '7548', 'select', 'receiv', '350', 'award', 'match', 'pleas', 'call', '08712300220', 'quot', 'claim', 'code', '4041', 'standard', 'rate', 'app', 'sunshin', 'quiz', 'wkli', 'q', 'win', 'top', 'soni', 'dvd', 'player', 'u', 'know', 'countri', 'algarv', 'txt', 'ansr', '82277', 'sp', 'tyron', 'want', '2', 'get', 'laid', 'tonight', 'want', 'real', 'dog', 'locat', 'sent', 'direct', '2', 'ur', 'mob', 'join', 'uk', 'largest', 'dog', 'network', 'bt', 'txting', 'gravel', '69888', 'nt', 'ec2a', '150p', 'rcv', 'msg', 'chat', 'svc', 'free', 'hardcor', 'servic', 'text', 'go', '69988', 'u', 'get', 'noth', 'u', 'must', 'age', 'verifi', 'yr', 'network', 'tri', 'freemsg', 'repli', 'text', 'randi', 'sexi', 'femal', 'live', 'local', 'luv', 'hear', 'netcollex', 'ltd', '08700621170150p', 'per', 'msg', 'repli', 'stop', 'end', 'custom', 'servic', 'annonc', 'new', 'year', 'deliveri', 'wait', 'pleas', 'call', '07046744435', 'arrang', 'deliveri', 'winner', 'u', 'special', 'select', '2', 'receiv', 'cash', '4', 'holiday', 'flight', 'inc', 'speak', 'live', 'oper', '2', 'claim', '0871277810810', 'stop', 'bootydeli', 'invit', 'friend', 'repli', 'see', 'stop', 'send', 'stop', 'frnd', '62468', 'bangbab', 'ur', 'order', 'way', 'u', 'receiv', 'servic', 'msg', '2', 'download', 'ur', 'content', 'u', 'goto', 'wap', 'bangb', 'tv', 'ur', 'mobil', 'menu', 'urgent', 'tri', 'contact', 'last', 'weekend', 'draw', 'show', 'prize', 'guarante', 'call', 'claim', 'code', 's89', 'valid', '12hr', 'pleas', 'call', 'custom', 'servic', 'repres', 'freephon', '0808', '145', '4742', 'guarante', 'cash', 'prize', 'uniqu', 'enough', 'find', '30th', 'august', '500', 'new', 'mobil', '2004', 'must', 'go', 'txt', 'nokia', '89545', 'collect', 'today', '2optout', 'u', 'meet', 'ur', 'dream', 'partner', 'soon', 'ur', 'career', '2', 'flyng', 'start', '2', 'find', 'free', 'txt', 'horo', 'follow', 'ur', 'star', 'sign', 'horo', 'ari', 'text', 'meet', 'someon', 'sexi', 'today', 'u', 'find', 'date', 'even', 'flirt', 'join', '4', '10p', 'repli', 'name', 'age', 'eg', 'sam', '25', '18', 'recd', 'thirtyeight', 'penc', 'u', '447801259231', 'secret', 'admir', 'look', '2', 'make', 'contact', 'r', 'reveal', 'think', 'ur', '09058094597', 'congratul', 'ur', 'award', '500', 'cd', 'voucher', '125gift', 'guarante', 'free', 'entri', '2', '100', 'wkli', 'draw', 'txt', 'music', '87066', 'tnc', 'tri', 'contact', 'repli', 'offer', 'video', 'handset', '750', 'anytim', 'network', 'min', 'unlimit', 'text', 'camcord', 'repli', 'call', '08000930705', 'hey', 'realli', 'horni', 'want', 'chat', 'see', 'nake', 'text', 'hot', '69698', 'text', 'charg', '150pm', 'unsubscrib', 'text', 'stop', '69698', 'ur', 'rington', 'servic', 'chang', '25', 'free', 'credit', 'go', 'choos', 'content', 'stop', 'txt', 'club', 'stop', '87070', 'club4', 'po', 'box1146', 'mk45', '2wt', 'rington', 'club', 'get', 'uk', 'singl', 'chart', 'mobil', 'week', 'choos', 'top', 'qualiti', 'rington', 'messag', 'free', 'charg', 'hmv', 'bonu', 'special', '500', 'pound', 'genuin', 'hmv', 'voucher', 'answer', '4', 'easi', 'question', 'play', 'send', 'hmv', '86688', 'info', 'custom', 'may', 'claim', 'free', 'camera', 'phone', 'upgrad', 'pay', 'go', 'sim', 'card', 'loyalti', 'call', '0845', '021', 'end', 'c', 'appli', 'sm', 'ac', 'blind', 'date', '4u', 'rodds1', 'aberdeen', 'unit', 'kingdom', 'check', 'http', 'sm', 'blind', 'date', 'send', 'hide', 'themob', 'check', 'newest', 'select', 'content', 'game', 'tone', 'gossip', 'babe', 'sport', 'keep', 'mobil', 'fit', 'funki', 'text', 'wap', '82468', 'think', 'ur', 'smart', 'win', 'week', 'weekli', 'quiz', 'text', 'play', '85222', 'cs', 'winnersclub', 'po', 'box', '84', 'm26', '3uz', 'decemb', 'mobil', 'entitl', 'updat', 'latest', 'colour', 'camera', 'mobil', 'free', 'call', 'mobil', 'updat', 'co', 'free', '08002986906', 'call', 'germani', '1', 'penc', 'per', 'minut', 'call', 'fix', 'line', 'via', 'access', 'number', '0844', '861', '85', 'prepay', 'direct', 'access', 'valentin', 'day', 'special', 'win', 'quiz', 'take', 'partner', 'trip', 'lifetim', 'send', 'go', '83600', 'rcvd', 'fanci', 'shag', 'txt', 'xxuk', 'suzi', 'txt', 'cost', 'per', 'msg', 'tnc', 'websit', 'x', 'ur', 'current', '500', 'pound', 'maxim', 'ur', 'send', 'cash', '86688', 'cc', '08708800282', 'xma', 'offer', 'latest', 'motorola', 'sonyericsson', 'nokia', 'free', 'bluetooth', 'doubl', 'min', '1000', 'txt', 'orang', 'call', 'mobileupd8', '08000839402', 'discount', 'code', 'rp176781', 'stop', 'messag', 'repli', 'stop', 'custom', 'servic', '08717205546', 'thank', 'rington', 'order', 'refer', 't91', 'charg', 'gbp', '4', 'per', 'week', 'unsubscrib', 'anytim', 'call', 'custom', 'servic', '09057039994', 'doubl', 'min', 'txt', '4', '6month', 'free', 'bluetooth', 'orang', 'avail', 'soni', 'nokia', 'motorola', 'phone', 'call', 'mobileupd8', '08000839402', '4mth', 'half', 'price', 'orang', 'line', 'rental', 'latest', 'camera', 'phone', '4', 'free', 'phone', '11mth', 'call', 'mobilesdirect', 'free', '08000938767', 'updat', 'or2stoptxt', 'free', 'rington', 'text', 'first', '87131', 'poli', 'text', 'get', '87131', 'true', 'tone', 'help', '0845', '2814032', '16', '1st', 'free', 'tone', 'txt', 'stop', '100', 'date', 'servic', 'cal', 'l', '09064012103', 'box334sk38ch', 'free', 'entri', 'weekli', 'competit', 'text', 'word', 'win', '80086', '18', 'c', 'send', 'logo', '2', 'ur', 'lover', '2', 'name', 'join', 'heart', 'txt', 'love', 'name1', 'name2', 'mobno', 'eg', 'love', 'adam', 'eve', '07123456789', '87077', 'yahoo', 'pobox36504w45wq', 'txtno', '4', 'ad', '150p', 'someon', 'contact', 'date', 'servic', 'enter', 'phone', 'fanci', 'find', 'call', 'landlin', '09111032124', 'pobox12n146tf150p', 'urgent', 'mobil', 'number', 'award', 'prize', 'guarante', 'call', ...]
from collections import Counter
Counter(spam_corpus)
Counter({'call': 311, 'free': 186, '2': 154, 'txt': 139, 'text': 122, 'ur': 119, 'u': 115, 'mobil': 110, 'stop': 108, 'repli': 103, 'claim': 96, '4': 95, 'prize': 78, 'get': 73, 'new': 64, 'servic': 64, 'send': 60, 'tone': 59, 'urgent': 56, 'award': 55, 'nokia': 54, 'contact': 53, 'phone': 52, 'cash': 50, 'pleas': 50, 'week': 48, 'win': 46, 'min': 45, 'c': 43, 'guarante': 42, 'collect': 42, 'messag': 41, 'per': 40, 'custom': 39, 'chat': 37, 'tri': 36, 'msg': 35, 'number': 35, 'cs': 34, 'draw': 33, 'today': 33, 'offer': 33, 'line': 33, 'show': 32, 'want': 32, 'go': 32, 'receiv': 30, 'rington': 30, 'latest': 29, 'landlin': 29, 'video': 29, 'voucher': 28, '1': 27, 'box': 27, 'rate': 26, 'network': 26, 'select': 26, 'code': 26, '150ppm': 26, 'holiday': 26, 'date': 26, 'day': 26, 'everi': 26, 'po': 25, '150p': 25, 'appli': 24, 'r': 24, 'cost': 24, 'end': 24, 'orang': 24, 'poli': 23, 'await': 23, 'camera': 22, 'chanc': 22, 'charg': 22, 'live': 22, 'entri': 21, 'word': 21, 'sm': 21, 'find': 21, '3': 20, 'valid': 20, 'uk': 20, 'game': 20, 'weekli': 20, 'attempt': 20, 'back': 19, 'pound': 19, 'mob': 19, '16': 19, 'know': 19, '500': 19, '18': 19, 'club': 19, '1st': 19, 'credit': 18, 'http': 18, 'deliveri': 18, 'account': 18, 'join': 18, '2nd': 18, 'pic': 18, 'time': 18, 'bonu': 17, 'expir': 17, 'order': 17, '750': 17, 'unsubscrib': 17, 'sae': 17, 'hi': 17, 'wk': 17, 'next': 16, 'thank': 16, '08000930705': 16, 'wait': 16, 'privat': 16, 'see': 16, 'land': 16, 'gift': 16, '8007': 16, 'camcord': 15, 'special': 15, '12hr': 15, 'statement': 15, 'point': 15, 'identifi': 15, 'name': 15, 'music': 15, 'take': 15, 'price': 15, 'enter': 15, 'dear': 15, 'freemsg': 14, '100': 14, 'play': 14, 'match': 14, 'top': 14, 'yr': 14, 'sexi': 14, 'content': 14, 'xma': 14, 'auction': 14, 'final': 13, 'winner': 13, 'colour': 13, 'friend': 13, 'someon': 13, '10p': 13, 'hot': 13, '86688': 13, 'doubl': 13, 'mobileupd8': 13, '2003': 13, '800': 13, 'tell': 13, 'like': 12, 'updat': 12, 'use': 12, 'ye': 12, 'weekend': 12, 'caller': 12, 'real': 12, 'dog': 12, 'start': 12, 'reveal': 12, 'anytim': 12, 'minut': 12, 'fanci': 12, '08000839402': 12, 'half': 12, 'help': 12, 'good': 12, 'enjoy': 12, 'info': 11, 'pobox': 11, 'nation': 11, 'last': 11, 'oper': 11, 'make': 11, 'think': 11, 'congratul': 11, 'cd': 11, 'current': 11, 'rental': 11, 'shop': 11, 'import': 11, 'need': 11, 'wan': 11, 'xxx': 10, 'eg': 10, 'tomorrow': 10, 'follow': 10, 'complimentari': 10, 'player': 10, 'sent': 10, 'direct': 10, 'ltd': 10, '87066': 10, 'unlimit': 10, 'babe': 10, 'motorola': 10, 'love': 10, 'ipod': 10, 'one': 10, 'opt': 10, 'sex': 10, 'na': 10, 'b': 10, 'wkli': 9, 'question': 9, 'wap': 9, '0800': 9, 'quiz': 9, 'age': 9, 'invit': 9, 'look': 9, 'choos': 9, 'easi': 9, '1000': 9, 'ts': 9, 'subscrib': 9, 'chariti': 9, 'give': 9, 'girl': 9, 'inform': 9, 'great': 9, 'comp': 8, 'fun': 8, 'dont': 8, 'news': 8, '87077': 8, 'year': 8, 'access': 8, 'x': 8, 'welcom': 8, 'term': 8, 'worth': 8, 'savamob': 8, '150': 8, 'area': 8, '5': 8, 'mate': 8, 'either': 8, 'bid': 8, 'pl': 8, 'user': 8, '08712460324': 8, 'lucki': 8, 'fantasi': 8, 'valu': 7, 'reward': 7, 'england': 7, 'miss': 7, '10': 7, 'inc': 7, 'speak': 7, '2004': 7, 'txting': 7, 'download': 7, 'even': 7, 'secret': 7, 'admir': 7, 'tnc': 7, 'horni': 7, 'sport': 7, 'maxim': 7, 'bluetooth': 7, 'tenerif': 7, 'tc': 7, 'us': 7, 'custcar': 7, 'remov': 7, '25p': 7, 'gr8': 7, 'fantast': 7, 'best': 7, 'night': 7, 'could': 7, 'summer': 7, 'store': 7, 'ntt': 7, 'log': 7, 'onto': 7, 'part': 7, 'n': 7, 'bill': 7, 'im': 7, 'detail': 7, 'may': 6, 'std': 6, 'link': 6, 'repres': 6, 'flight': 6, '08712300220': 6, 'quot': 6, 'standard': 6, 'sp': 6, '62468': 6, 'handset': 6, 'answer': 6, 'loyalti': 6, 'cc': 6, 'discount': 6, 'first': 6, 'ldn': 6, '40gb': 6, 'member': 6, 'age16': 6, 'spree': 6, 'holder': 6, 'pc': 6, 'book': 6, 'extra': 6, 'care': 6, 'record': 6, 'asap': 6, 'gay': 6, 'guess': 6, 'digit': 6, 'an': 6, 'luck': 6, 'got': 6, '0870': 6, 'arriv': 6, 'plu': 6, 'del': 6, 'hey': 5, 'still': 5, 'ok': 5, 'month': 5, 'entitl': 5, 'click': 5, 'subscript': 5, 'congrat': 5, 'etc': 5, 'come': 5, 'voda': 5, 'sunshin': 5, 'soni': 5, 'dvd': 5, 'locat': 5, 'bt': 5, 'must': 5, 'local': 5, 'luv': 5, 'frnd': 5, 'goto': 5, 'meet': 5, 'partner': 5, 'flirt': 5, 'singl': 5, 'themob': 5, 'keep': 5, 'rcvd': 5, 'sonyericsson': 5, 'logo': 5, 'eve': 5, 'activ': 5, 'visit': 5, 'mp3': 5, 'sub': 5, 'ring': 5, 'announc': 5, 'guy': 5, '80062': 5, 'immedi': 5, 'alert': 5, 'txtauction': 5, 'break': 5, 'no1': 5, 'zed': 5, 'talk': 5, '08718720201': 5, '6': 5, 'regist': 5, 'ask': 5, 'o2': 5, 'surpris': 5, 'readi': 5, '20p': 5, '1327': 5, 'croydon': 5, 'cr9': 5, '5wb': 5, 'reach': 5, 'b4': 5, 'fone': 5, 'flag': 5, 'tariff': 5, 'crazi': 5, 'cancel': 5, '3510i': 5, '300': 5, 'hour': 4, 'ac': 4, 'correct': 4, 'pass': 4, 'recent': 4, 'app': 4, 'laid': 4, 'largest': 4, 'ec2a': 4, 'noth': 4, 'netcollex': 4, 'freephon': 4, '2optout': 4, 'hmv': 4, 'upgrad': 4, 'check': 4, 'refer': 4, 'pobox36504w45wq': 4, 'ad': 4, 'vari': 4, 'post': 4, '5000': 4, 'cw25wx': 4, 'condit': 4, '83355': 4, 'mono': 4, '85023': 4, 'within': 4, 'vodafon': 4, 'hello': 4, 'forward': 4, 'polyphon': 4, 'pobox84': 4, '36504': 4, 'm8': 4, 'vip': 4, 'sale': 4, 'money': 4, 'away': 4, 'sk38xh': 4, 'contract': 4, 'xchat': 4, 'place': 4, 'deliv': 4, '08712405020': 4, 'cum': 4, 'xx': 4, '08707509020': 4, 'linerent': 4, 'optout': 4, '2nite': 4, 'hope': 4, 'hotel': 4, '2day': 4, 'brand': 4, '86021': 4, '250': 4, 'rpli': 4, 'titl': 4, 'mobi': 4, 'action': 4, 'arcad': 4, '08001950382': 4, 'would': 4, 'costa': 4, 'sol': 4, '87239': 4, 'inclus': 4, 'saturday': 4, 'ntwk': 4, 'hit': 4, 'porn': 4, 'mth': 4, 'film': 4, 'pick': 4, 'santa': 4, 'cup': 3, '12': 3, '11': 3, 'hl': 3, 'v': 3, '150pm': 3, 'review': 3, 'trip': 3, 'hear': 3, '786': 3, 'unredeem': 3, 'tonight': 3, 'tv': 3, '89545': 3, 'star': 3, '25': 3, 'recd': 3, 'penc': 3, 'chart': 3, 'card': 3, '0845': 3, '4u': 3, 'newest': 3, 'm26': 3, '3uz': 3, 'decemb': 3, 'germani': 3, 'via': 3, 'valentin': 3, '83600': 3, '11mth': 3, '87131': 3, 'heart': 3, '3min': 3, 'close': 3, 'wc1n3xx': 3, 'loan': 3, 'notic': 3, 'ibhltd': 3, 'ldnw15h': 3, 'renew': 3, 'box95qu': 3, 'unsub': 3, '08715705022': 3, '542': 3, 'ladi': 3, 'kick': 3, 'euro2004': 3, 'daili': 3, 'postcod': 3, '20': 3, 'work': 3, 'textoper': 3, 'listen': 3, '4t': 3, 'pari': 3, 'citi': 3, 'skilgm': 3, 'ever': 3, 'life': 3, 'w45wq': 3, '3qxj9': 3, '9ae': 3, 'alfi': 3, 'moon': 3, 'children': 3, 'song': 3, '08701417012': 3, 'profit': 3, 'cust': 3, 'five': 3, 'ibiza': 3, 'ppm': 3, 'address': 3, 'male': 3, 'cheap': 3, 'compani': 3, '3g': 3, 'videophon': 3, 'videochat': 3, 'wid': 3, 'java': 3, 'dload': 3, 'nolin': 3, 'rentl': 3, 'f': 3, 'peopl': 3, 'cant': 3, 'sipix': 3, 'receipt': 3, 'bore': 3, 'yesterday': 3, 'mani': 3, 'let': 3, 'futur': 3, 'jordan': 3, '84128': 3, 'set': 3, 'jamster': 3, 'origin': 3, '3gbp': 3, 'harri': 3, 'photo': 3, 'arsen': 3, 'pod': 3, 'alon': 3, '09066362231': 3, '07xxxxxxxxx': 3, 'high': 3, 'shortli': 3, 'stay': 3, 'london': 3, 'eeri': 3, '82242': 3, '50': 3, 'sorri': 3, 'connect': 3, 'ticket': 3, 'comput': 3, 'abta': 3, 'right': 3, 'person': 3, 'well': 3, '09050090044': 3, 'toclaim': 3, 'pobox334': 3, 'stockport': 3, 'max10min': 3, 'provid': 3, 'freefon': 3, 'box97n7qp': 3, 'men': 3, 'offici': 3, 'ip4': 3, '5we': 3, 'cross': 3, 'also': 3, '88066': 3, '80082': 3, 'spook': 3, 'sky': 3, 'adult': 3, '09066612661': 3, 'sept': 3, '28': 3, 'king': 3, 'super': 3, 'littl': 3, '50p': 3, 'deliveredtomorrow': 3, 'save': 3, 'callback': 3, '200': 3, '7': 3, 'nat': 3, 'goal': 3, '30': 3, 'fa': 2, 'tkt': 2, '87121': 2, 'darl': 2, 'chg': 2, 'rcv': 2, 'co': 2, 'six': 2, 'team': 2, 'sptv': 2, 'advis': 2, 'simpli': 2, 'password': 2, 'mix': 2, 'verifi': 2, 'k52': 2, '45239': 2, '350': 2, 'q': 2, 'countri': 2, 'ansr': 2, '82277': 2, 'tyron': 2, '69888': 2, 'hardcor': 2, 'randi': 2, '08700621170150p': 2, 'arrang': 2, 'uniqu': 2, 'enough': 2, 'august': 2, 'dream': 2, 'soon': 2, 'horo': 2, 'sign': 2, 'sam': 2, '125gift': 2, '69698': 2, 'mk45': 2, '2wt': 2, 'qualiti': 2, 'pay': 2, 'sim': 2, '021': 2, 'blind': 2, '82468': 2, 'smart': 2, '08002986906': 2, 'fix': 2, '0844': 2, '861': 2, '85': 2, 'prepay': 2, 'lifetim': 2, 'shag': 2, 'avail': 2, '4mth': 2, 'mobilesdirect': 2, '08000938767': 2, 'or2stoptxt': 2, 'true': 2, 'box334sk38ch': 2, '80086': 2, 'lover': 2, 'name1': 2, 'name2': 2, 'mobno': 2, 'adam': 2, '07123456789': 2, 'yahoo': 2, 'txtno': 2, 'ave': 2, 'purpos': 2, 'tenant': 2, 'refus': 2, '0207': 2, '153': 2, 'juli': 2, 'dave': 2, '09061743806': 2, 'box326': 2, 'error': 2, 'cha': 2, '08717898035': 2, '24hr': 2, '08718738001': 2, 'web': 2, 'call09050000327': 2, '2000': 2, '08712402050': 2, '10ppm': 2, 'ag': 2, 'promo': 2, 'kept': 2, 'result': 2, '83222': 2, 'textbuddi': 2, 'search': 2, '89693': 2, '40533': 2, 'rstm': 2, 'sw7': 2, '3ss': 2, 'premium': 2, 'sue': 2, 'old': 2, 'email': 2, 'nokia6650': 2, '81151': 2, 'ctxt': 2, 'helplin': 2, '08706091795': 2, '40': 2, 'around': 2, 'premier': 2, '88039': 2, 'tscs087147403231winawk': 2, '0578': 2, 'commun': 2, 'subpoli': 2, '08718727870': 2, 'm263uz': 2, 'cashto': 2, '08000407165': 2, 'getstop': 2, '88222': 2, 'php': 2, '08002888812': 2, 'wed': 2, '434': 2, 'sk3': 2, '8wp': 2, 'world': 2, 'discreet': 2, 'suppli': 2, 'virgin': 2, '41685': 2, 'till': 2, '10k': 2, 'liverpool': 2, '09058094565': 2, 'remind': 2, 'cheaper': 2, 'peak': 2, '88600': 2, 'lux': 2, 'filthi': 2, 'valid12hr': 2, '09063458130': 2, 'polyph': 2, 'somebodi': 2, 'secretli': 2, 'datebox1282essexcm61xn': 2, 'ls15hb': 2, 'euro': 2, 'flower': 2, '84025': 2, 'lot': 2, '09050003091': 2, 'c52': 2, 'p': 2, '09061790121': 2, 'speedchat': 2, '08000776320': 2, 'wish': 2, 'forget': 2, 'request': 2, '4fil': 2, 'ralli': 2, 'energi': 2, 'celeb': 2, 'voicemail': 2, 'choic': 2, '87021': 2, 'txtin': 2, '4info': 2, 'complet': 2, 'hungri': 2, 'feel': 2, 'lion': 2, 'lionm': 2, 'lionp': 2, 'potter': 2, 'phoenix': 2, 'among': 2, 'reader': 2, 'balanc': 2, 'sauci': 2, 'bear': 2, 'upload': 2, '08718730666': 2, 'textpod': 2, 'clair': 2, 'luci': 2, 'hubbi': 2, 'fri': 2, 'leav': 2, '80488': 2, 'jsco': 2, 'sing': 2, '7250i': 2, '7250': 2, 'british': 2, 'sw73ss': 2, 'respons': 2, 'sell': 2, 'g': 2, 'cam': 2, 'msg150p': 2, '2rcv': 2, 'hlp': 2, '08712317606': 2, '08712405022': 2, 'wiv': 2, 'marri': 2, '81303': 2, 'hard': 2, '121': 2, 'biggest': 2, 'wow': 2, 'boy': 2, '2007': 2, 'tour': 2, 'chosen': 2, 'bahama': 2, 'buy': 2, 'press': 2, '0': 2, 'purchas': 2, 'big': 2, 'excit': 2, '3100': 2, 'straight': 2, 'wet': 2, '89555': 2, 'g696ga': 2, 'pm': 2, 'upto': 2, '12mth': 2, '18yr': 2, '326': 2, 'total': 2, '80182': 2, '08452810073': 2, '09066358152': 2, 'prompt': 2, 'mind': 2, 'done': 2, '61610': 2, 'yo': 2, 'tsc': 2, 'aom': 2, 'gender': 2, 'yer': 2, 'eng': 2, 'box39822': 2, 'w111wx': 2, 'hol': 2, 'med': 2, 'satisfi': 2, 'home': 2, 'pix': 2, 'ref': 2, 'respond': 2, '300p': 2, 'heard': 2, 'u4': 2, 'rude': 2, '8552': 2, '88877': 2, 'lost': 2, 'upd8': 2, '21870000': 2, 'mailbox': 2, '09056242159': 2, 'retriev': 2, 'pub': 2, 'street': 2, 'duchess': 2, 'cornwal': 2, '008704050406': 2, 'halloween': 2, 'score': 2, 'town': 2, 'babi': 2, 'thing': 2, 'slo': 2, '24': 2, 'acl03530150pm': 2, 'brought': 2, 'bx420': 2, 'amaz': 2, 'picsfree1': 2, 'instruct': 2, 'knock': 2, 'norm': 2, '69696': 2, 'nyt': 2, '3lp': 2, 'includ': 2, 'fastest': 2, 'grow': 2, '2stoptxt': 2, 'luxuri': 2, 'canari': 2, 'island': 2, 'burger': 2, 'interflora': 2, 'everyon': 2, 'sinc': 2, 'warm': 2, 'bring': 2, 'sound': 2, '88888': 2, 'realiti': 2, 'yet': 2, 'drive': 2, 'improv': 2, 'lotr': 2, '08708034412': 2, 'lookatm': 2, '09061221066': 2, 'fromm': 2, 'pobox45w2tg150p': 2, 'truli': 2, 'wo': 2, 'movi': 2, 'bank': 2, 'granit': 2, 'issu': 2, 'explos': 2, 'nasdaq': 2, 'symbol': 2, 'cdgt': 2, 'thur': 2, 'sat': 2, 'unabl': 2, 'class': 2, 'iscom': 2, 'blu': 2, 'wml': 2, 'spanish': 2, 'indic': 2, 'accid': 2, '2find': 2, 'explicit': 2, 'sec': 2, '02073162414': 2, '89070': 2, 'mnth': 2, '86888': 2, '3hr': 2, 'txtstop': 2, 'support': 2, '08718726270': 2, 'warner': 2, 'villag': 2, 'henri': 2, 'donat': 2, 'wallpap': 2, 'due': 2, 'mayb': 2, '09061213237': 2, 'm227xi': 2, '2p': 2, '21st': 1, '08452810075over18': 1, 'tb': 1, 'receivea': 1, 'kl341': 1, '08002986030': 1, 'csh11': 1, '6day': 1, 'tsandc': 1, ...})
from collections import Counter
Counter(spam_corpus).most_common(30)
[('call', 311), ('free', 186), ('2', 154), ('txt', 139), ('text', 122), ('ur', 119), ('u', 115), ('mobil', 110), ('stop', 108), ('repli', 103), ('claim', 96), ('4', 95), ('prize', 78), ('get', 73), ('new', 64), ('servic', 64), ('send', 60), ('tone', 59), ('urgent', 56), ('award', 55), ('nokia', 54), ('contact', 53), ('phone', 52), ('cash', 50), ('pleas', 50), ('week', 48), ('win', 46), ('min', 45), ('c', 43), ('guarante', 42)]
from collections import Counter
pd.DataFrame(Counter(spam_corpus).most_common(30))
0 | 1 | |
---|---|---|
0 | call | 311 |
1 | free | 186 |
2 | 2 | 154 |
3 | txt | 139 |
4 | text | 122 |
5 | ur | 119 |
6 | u | 115 |
7 | mobil | 110 |
8 | stop | 108 |
9 | repli | 103 |
10 | claim | 96 |
11 | 4 | 95 |
12 | prize | 78 |
13 | get | 73 |
14 | new | 64 |
15 | servic | 64 |
16 | send | 60 |
17 | tone | 59 |
18 | urgent | 56 |
19 | award | 55 |
20 | nokia | 54 |
21 | contact | 53 |
22 | phone | 52 |
23 | cash | 50 |
24 | pleas | 50 |
25 | week | 48 |
26 | win | 46 |
27 | min | 45 |
28 | c | 43 |
29 | guarante | 42 |
from collections import Counter
import seaborn as sns
import matplotlib.pyplot as plt
import pandas as pd
# Assuming spam_corpus is a list of words
spam_counter = Counter(spam_corpus)
most_common_30 = pd.DataFrame(spam_counter.most_common(30), columns=['word', 'count'])
# Plotting the barplot with keyword arguments for x and y
sns.barplot(x='word', y='count', data=most_common_30)
plt.xticks(rotation='vertical')
plt.show()
ham_corpus = []
for msg in data[data['target'] == 0]['transformed_text'].tolist():
for word in msg.split():
ham_corpus.append(word)
len(ham_corpus)
35940
from collections import Counter
import seaborn as sns
import matplotlib.pyplot as plt
import pandas as pd
# Assuming spam_corpus is a list of words
ham_counter = Counter(ham_corpus)
most_common_30 = pd.DataFrame(ham_counter.most_common(30), columns=['word', 'count'])
# Plotting the barplot with keyword arguments for x and y
sns.barplot(x='word', y='count', data=most_common_30)
plt.xticks(rotation='vertical')
plt.show()
4. Model Building¶
convert text into vectors by using bag of words (CountVectorizer)
from sklearn.feature_extraction.text import CountVectorizer,TfidfVectorizer
tfidf = TfidfVectorizer(max_features = 3000)
cv = CountVectorizer()
- 1. TF-IDF (Term Frequency-Inverse Document Frequency) is a technique that measures the importance of a word in a document relative to a collection of documents. It assigns higher scores to words that appear frequently in a document but are rare across other documents, highlighting important terms.
- 2. CountVectorizer turns text into numbers by counting how often each word appears in a document. This helps in analyzing and comparing text data in a structured way.
S = data['transformed_text']
S
0 go jurong point crazi avail bugi n great world... 1 ok lar joke wif u oni 2 free entri 2 wkli comp win fa cup final tkt 21... 3 u dun say earli hor u c alreadi say 4 nah think goe usf live around though ... 5567 2nd time tri 2 contact u pound prize 2 claim e... 5568 ü b go esplanad fr home 5569 piti mood suggest 5570 guy bitch act like interest buy someth els nex... 5571 rofl true name Name: transformed_text, Length: 5157, dtype: object
len(data['transformed_text'])
5157
Z = tfidf.fit_transform(data['transformed_text'])
Z
<Compressed Sparse Row sparse matrix of dtype 'float64' with 36874 stored elements and shape (5157, 3000)>
This description is of a sparse matrix in the Compressed Sparse Row (CSR) format:
<Compressed Sparse Row sparse matrix of dtype 'float64'>
: This indicates that the matrix is stored in a format that saves space by only storing non-zero elements and their positions. The values are of typefloat64
, which means they are floating-point numbers with double precision.with 36874 stored elements
: The matrix contains 36,874 non-zero values. The rest of the entries are zeroes and are not stored to save memory.shape (5157, 3000)
: The matrix has 5,157 rows and 3,000 columns. Each row represents a document, and each column represents a word from the vocabulary.
In simple terms, this matrix efficiently represents text data with a lot of zeroes, storing only the important (non-zero) parts.
R = X = tfidf.fit_transform(data['transformed_text']).toarray()
R
array([[0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], ..., [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.]])
toarray()
converts a sparse matrix (which stores only non-zero values to save memory) into a regular 2D array that contains all values, including zeros. This makes the data easier to read and work with for further analysis.
R.shape
(5157, 3000)
S.shape
(5157,)
Z.shape
(5157, 3000)
X = tfidf.fit_transform(data['transformed_text']).toarray()
X
array([[0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], ..., [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.]])
Here’s a step-by-step breakdown of the code X = tfidf.fit_transform(data['transformed_text']).toarray()
in simple language:
data['transformed_text']
:- This is a column in your dataset that contains the text data you want to analyze. Each entry is a document (which could be a sentence, paragraph, or longer text).
tfidf.fit_transform()
:tfidf
is an instance of theTfidfVectorizer
, a tool used to convert text data into numerical form based on word importance.fit
: First, it reads through all the documents and learns the vocabulary (all unique words) and computes the IDF (Inverse Document Frequency) for each word.transform
: It then calculates the TF (Term Frequency) for each word in every document and multiplies it by the IDF to get the final TF-IDF score for each word.- The result is a matrix where each row represents a document, and each column represents a word. The values in the matrix are the TF-IDF scores.
.toarray()
:- The
fit_transform
method returns a sparse matrix (to save memory), buttoarray()
converts this matrix into a regular 2D array (a grid of numbers), which is easier to work with.
- The
X
:- The result,
X
, is a 2D array where:- Rows represent documents.
- Columns represent words.
- Each value in the array is the TF-IDF score, showing how important a word is in that document.
- The result,
In short: The code is transforming your text data into a matrix where each word has a score indicating its importance in each document.
X.shape
(5157, 3000)
y = data['target'].values
y
array([0, 0, 1, ..., 0, 0, 0])
from sklearn.model_selection import train_test_split
x_train,x_test,y_train,y_test = train_test_split(X,y,test_size=0.2,random_state=2)
We use these algorithms because they each have specific strengths depending on the nature of the data and the problem:
GaussianNB:
- This algorithm is used when the features are continuous and assumed to follow a Gaussian (normal) distribution. It calculates probabilities based on the mean and variance of each feature for each class, making it suitable for datasets where feature values vary continuously.
- Used when features are continuous and approximately follow a normal distribution. It’s simple and works well when you can assume that feature values vary in a predictable, bell-curve manner.
MultinomialNB:
- This algorithm is ideal for text classification where the features are counts or frequencies, such as the number of times a word appears in a document. It calculates probabilities based on the multinomial distribution, making it effective for problems where features are discrete and represent counts or occurrences.
- Ideal for text classification tasks where features are counts or frequencies. It performs well when features are discrete, like word counts in documents, and it handles large vocabularies efficiently.
BernoulliNB:
- This algorithm is used when the features are binary, indicating the presence or absence of something (e.g., whether a specific word is in a document or not). It calculates probabilities based on a Bernoulli distribution, which is useful for text classification tasks where you work with binary features (e.g., word presence/absence).
- Best for problems where features are binary, such as whether a word appears or not. It’s effective in scenarios where the presence or absence of features is more important than their frequency.
Each algorithm is chosen based on the type of features and the specific requirements of the classification problem, allowing for more accurate and efficient modeling.
from sklearn.naive_bayes import GaussianNB, MultinomialNB, BernoulliNB
from sklearn.metrics import accuracy_score, confusion_matrix, precision_score
gnb = GaussianNB()
mnb = MultinomialNB()
bnb = BernoulliNB()
gnb.fit(x_train,y_train)
y_pred1 = gnb.predict(x_test)
print(accuracy_score(y_test,y_pred1))
print(confusion_matrix(y_test,y_pred1))
print(precision_score(y_test,y_pred1))
0.8672480620155039 [[785 120] [ 17 110]] 0.4782608695652174
mnb.fit(x_train,y_train)
y_pred2 = mnb.predict(x_test)
print(accuracy_score(y_test,y_pred2))
print(confusion_matrix(y_test,y_pred2))
print(precision_score(y_test,y_pred2))
0.9709302325581395 [[905 0] [ 30 97]] 1.0
bnb.fit(x_train,y_train)
y_pred3 = bnb.predict(x_test)
print(accuracy_score(y_test,y_pred3))
print(confusion_matrix(y_test,y_pred3))
print(precision_score(y_test,y_pred3))
0.9835271317829457 [[903 2] [ 15 112]] 0.9824561403508771
We have two options:¶
- one is go with mnb (tfidf)
- second is bnb (CountVectorizer)
x_test
array([[0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], ..., [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.], [0., 0., 0., ..., 0., 0., 0.]])
data['text'][100]
"Please don't text me anymore. I have nothing else to say."
from textblob import TextBlob
# Sample text
#text = "The movie was amazing and the performances were fantastic! I loved it."
a = data['text'][100]
# Create a TextBlob object
blob = TextBlob(a)
# Perform sentiment analysis
sentiment = blob.sentiment
print(sentiment)
Sentiment(polarity=0.0, subjectivity=0.0)
data['text'][100]
"Please don't text me anymore. I have nothing else to say."
from vaderSentiment.vaderSentiment import SentimentIntensityAnalyzer
# Initialize VADER sentiment analyzer
analyzer = SentimentIntensityAnalyzer()
# Sample text
b = data['text'][100]
# Perform sentiment analysis
sentiment_scores = analyzer.polarity_scores(b)
print(sentiment_scores)
{'neg': 0.0, 'neu': 0.813, 'pos': 0.187, 'compound': 0.3182}
polarity_scores
in sentiment analysis refers to the numerical output that measures the positivity, negativity, and neutrality of a text, often providing a compound score summarizing the overall sentiment.
The output will include:
Positive, Negative, Neutral Scores: Shows the relative sentiment breakdown. Compound: A single score that combines the overall sentiment from -1 (very negative) to +1 (very positive).
from vaderSentiment.vaderSentiment import SentimentIntensityAnalyzer
# Initialize VADER sentiment analyzer
analyzer = SentimentIntensityAnalyzer()
# Sample text
text = "Please don't text me anymore. I have nothing else to say."
# Perform sentiment analysis
sentiment_scores = analyzer.polarity_scores(text)
print(sentiment_scores)
{'neg': 0.0, 'neu': 0.813, 'pos': 0.187, 'compound': 0.3182}
- Sentiment analysis identifies the emotional stance in text, labeling it as positive, negative, or neutral. It applies algorithms to gauge how the text conveys feelings or opinions.
- VADER (Valence Aware Dictionary and sEntiment Reasoner) is a tool that analyzes text to determine its sentiment, providing scores for positive, negative, and neutral emotions. It uses a pre-built dictionary of words with sentiment values and adjusts for context like punctuation and capitalization.
- TextBlob is a Python library for processing textual data that can perform tasks like sentiment analysis, text classification, and translation. It simplifies text manipulation with easy-to-use functions for analyzing and understanding text.
- ‘neg’: The proportion of negative sentiment in the text.
- ‘neu’: The proportion of neutral sentiment in the text.
- ‘pos’: The proportion of positive sentiment in the text.
- ‘compound’: The overall sentiment score, combining positive and negative sentiments into a single value.