bayes_classifier 0.0.1.1
Sign up to get free protection for your applications and to get access to all the features.
- checksums.yaml +7 -0
- data/.gitignore +3 -0
- data/.rspec +2 -0
- data/Gemfile +4 -0
- data/Gemfile.lock +34 -0
- data/LICENSE.txt +22 -0
- data/README.md +55 -0
- data/Rakefile +1 -0
- data/bayes_classifier.gemspec +25 -0
- data/lib/bayes.rb +3 -0
- data/lib/bayes/category.rb +67 -0
- data/lib/bayes/classifier.rb +55 -0
- data/lib/bayes/string.rb +107 -0
- data/lib/bayes/test.rb +81 -0
- data/lib/bayes_classifier.rb +2 -0
- data/lib/bayes_classifier/version.rb +3 -0
- data/spec/category_spec.rb +144 -0
- data/spec/classifier_spec.rb +191 -0
- data/spec/data/negative +394 -0
- data/spec/data/positive +386 -0
- data/spec/spec_helper.rb +4 -0
- metadata +125 -0
@@ -0,0 +1,144 @@
|
|
1
|
+
require "spec_helper"
|
2
|
+
|
3
|
+
describe Bayes::Category do
|
4
|
+
subject{ Bayes::Category.new }
|
5
|
+
|
6
|
+
let(:min_score){ Bayes::Category::MIN_SCORE }
|
7
|
+
|
8
|
+
describe "#initialize" do
|
9
|
+
it "should reset category" do
|
10
|
+
Bayes::Category.any_instance.should_receive(:reset)
|
11
|
+
subject
|
12
|
+
end
|
13
|
+
end
|
14
|
+
|
15
|
+
describe "#train" do
|
16
|
+
it "should split string to words and add them to words hash" do
|
17
|
+
subject.instance_variable_set("@words", { "word1" => 5, "word4" => 4 })
|
18
|
+
subject.instance_variable_set("@words_count", 9)
|
19
|
+
|
20
|
+
string = double(:string)
|
21
|
+
string.should_receive(:word_hash).and_return({ "word1" => 2, "word2" => 4, "word3" => 3 })
|
22
|
+
|
23
|
+
subject.train string
|
24
|
+
subject.instance_variable_get("@words").should == { "word1" => 7, "word2" => 4, "word3" => 3, "word4" => 4 }
|
25
|
+
subject.instance_variable_get("@words_count").should == 18
|
26
|
+
end
|
27
|
+
end
|
28
|
+
|
29
|
+
describe "#forget" do
|
30
|
+
it "should split string to words and remove them from words hash" do
|
31
|
+
subject.instance_variable_set("@words", { "word1" => 7, "word2" => 4, "word3" => 3, "word4" => 4 })
|
32
|
+
subject.instance_variable_set("@words_count", 18)
|
33
|
+
|
34
|
+
string = double(:string)
|
35
|
+
string.should_receive(:word_hash).and_return({ "word1" => 2, "word2" => 4, "word3" => 3 })
|
36
|
+
|
37
|
+
subject.forget string
|
38
|
+
subject.instance_variable_get("@words").should == { "word1" => 5, "word4" => 4 }
|
39
|
+
subject.instance_variable_get("@words_count").should == 9
|
40
|
+
end
|
41
|
+
end
|
42
|
+
|
43
|
+
describe "#apply_weighting" do
|
44
|
+
it "should apply weighting for top words" do
|
45
|
+
top_words = ["top","words","ever"]
|
46
|
+
|
47
|
+
subject.should_receive(:top_words).and_return(top_words)
|
48
|
+
top_words.each{ |word| subject.should_receive(:apply_weighting_for).with(word, 11) }
|
49
|
+
|
50
|
+
subject.apply_weighting(11)
|
51
|
+
end
|
52
|
+
end
|
53
|
+
|
54
|
+
describe "#apply_weighting_for" do
|
55
|
+
before :each do
|
56
|
+
subject.instance_variable_set("@words", { "word1" => 5, "word4" => 4 })
|
57
|
+
subject.instance_variable_set("@words_count", 9)
|
58
|
+
end
|
59
|
+
|
60
|
+
context "if requestsed word exists" do
|
61
|
+
it "should multiple weight of requested word" do
|
62
|
+
subject.apply_weighting_for "word1", 11
|
63
|
+
subject.instance_variable_get("@words")["word1"].should == 55
|
64
|
+
subject.instance_variable_get("@words_count").should == 59
|
65
|
+
end
|
66
|
+
end
|
67
|
+
|
68
|
+
context "if requestsed word does not exist" do
|
69
|
+
it "should do nothing" do
|
70
|
+
subject.apply_weighting_for "word2", 11
|
71
|
+
subject.instance_variable_get("@words")["word2"].should be_nil
|
72
|
+
subject.instance_variable_get("@words_count").should == 9
|
73
|
+
end
|
74
|
+
end
|
75
|
+
end
|
76
|
+
|
77
|
+
describe "#top_words" do
|
78
|
+
it "should return requested number of words with maximum weights" do
|
79
|
+
subject.instance_variable_set "@words", { "word1" => 1, "word2" => 3, "word3" => 4, "word4" => 2 }
|
80
|
+
subject.top_words(2).should == ["word3", "word2"]
|
81
|
+
end
|
82
|
+
end
|
83
|
+
|
84
|
+
describe "#reset" do
|
85
|
+
it "should reset words hash and words count" do
|
86
|
+
subject.instance_variable_get("@words").should == {}
|
87
|
+
subject.instance_variable_get("@words_count").should == 0
|
88
|
+
end
|
89
|
+
end
|
90
|
+
|
91
|
+
describe "#score_for" do
|
92
|
+
context "if words count is zero" do
|
93
|
+
before(:each){ subject.instance_variable_set("@words_count", 0) }
|
94
|
+
|
95
|
+
it "should return negative infinity" do
|
96
|
+
subject.score_for("the string").should == -Float::INFINITY
|
97
|
+
end
|
98
|
+
end
|
99
|
+
|
100
|
+
context "if words count is not zero" do
|
101
|
+
before :each do
|
102
|
+
subject.instance_variable_set "@words", { "word1" => 1, "word2" => 2, "word3" => 3, "word4" => 4 }
|
103
|
+
subject.instance_variable_set "@words_count", 10
|
104
|
+
end
|
105
|
+
|
106
|
+
it "should return sum of logarithms of word weight to words count ratios" do
|
107
|
+
subject.score_for("word1 word3 word2").should ==
|
108
|
+
Math.log(0.1) + Math.log(0.3) + Math.log(0.2)
|
109
|
+
end
|
110
|
+
|
111
|
+
context "and some words does not exist" do
|
112
|
+
it "should use weight MIN_SCORE for these words" do
|
113
|
+
subject.score_for("word1 word5 word2 word 6").should ==
|
114
|
+
Math.log(0.1) + Math.log(min_score/10) + Math.log(0.2) + Math.log(min_score/10)
|
115
|
+
end
|
116
|
+
end
|
117
|
+
|
118
|
+
context "and there are no good words in provided string" do
|
119
|
+
it "should return rate for a non existing word" do
|
120
|
+
subject.score_for("q w e r t y").should == Math.log(min_score/10)
|
121
|
+
end
|
122
|
+
end
|
123
|
+
|
124
|
+
context "and array of words is provided instead of string" do
|
125
|
+
it "should work well" do
|
126
|
+
subject.score_for(%W{word1 word3 word2}).should ==
|
127
|
+
Math.log(0.1) + Math.log(0.3) + Math.log(0.2)
|
128
|
+
end
|
129
|
+
end
|
130
|
+
end
|
131
|
+
end
|
132
|
+
|
133
|
+
describe "#blank?" do
|
134
|
+
context "if words count is zero" do
|
135
|
+
before(:each){ subject.instance_variable_set("@words_count", 0) }
|
136
|
+
it("should return true"){ subject.blank?.should be_true }
|
137
|
+
end
|
138
|
+
|
139
|
+
context "if words count is zero" do
|
140
|
+
before(:each){ subject.instance_variable_set("@words_count", 1) }
|
141
|
+
it("should return true"){ subject.blank?.should be_false }
|
142
|
+
end
|
143
|
+
end
|
144
|
+
end
|
@@ -0,0 +1,191 @@
|
|
1
|
+
require "spec_helper"
|
2
|
+
|
3
|
+
describe Bayes::Classifier do
|
4
|
+
subject{ Bayes::Classifier.new }
|
5
|
+
|
6
|
+
let(:categories){{
|
7
|
+
"category_one" => double(:category1),
|
8
|
+
"category_two" => double(:category2),
|
9
|
+
"category_three" => double(:category3)
|
10
|
+
}}
|
11
|
+
|
12
|
+
describe "#initialize" do
|
13
|
+
it "should initialize empty categories hash" do
|
14
|
+
subject.instance_variable_get("@categories").should == {}
|
15
|
+
end
|
16
|
+
end
|
17
|
+
|
18
|
+
describe "#categories" do
|
19
|
+
it "should return categories" do
|
20
|
+
subject.instance_variable_set("@categories", categories)
|
21
|
+
subject.categories.should == categories
|
22
|
+
end
|
23
|
+
end
|
24
|
+
|
25
|
+
describe "#train" do
|
26
|
+
it "should train requested category with provided text" do
|
27
|
+
category = double(:category)
|
28
|
+
|
29
|
+
subject.should_receive(:ensure_category).with("the_category_name").and_return(category)
|
30
|
+
category.should_receive(:train).with("lorem ipsum dolor")
|
31
|
+
|
32
|
+
subject.train "the_category_name", "lorem ipsum dolor"
|
33
|
+
end
|
34
|
+
end
|
35
|
+
|
36
|
+
describe "#ensure_category" do
|
37
|
+
let(:category){ double(:category) }
|
38
|
+
before(:each){ subject.instance_variable_set("@categories", { "the_category_name" => category }) }
|
39
|
+
|
40
|
+
context "if category exists" do
|
41
|
+
it "should return requested category" do
|
42
|
+
subject.ensure_category("the_category_name").should == category
|
43
|
+
end
|
44
|
+
end
|
45
|
+
|
46
|
+
context "if category does not exist" do
|
47
|
+
it "should create category and return it" do
|
48
|
+
new_category = double(:new_category)
|
49
|
+
Bayes::Category.should_receive(:new).and_return(new_category)
|
50
|
+
subject.ensure_category("another_category_name").should == new_category
|
51
|
+
subject.instance_variable_get("@categories")["another_category_name"].should == new_category
|
52
|
+
end
|
53
|
+
end
|
54
|
+
end
|
55
|
+
|
56
|
+
describe "#train_with_array" do
|
57
|
+
it "should train requested category with each item from provided array" do
|
58
|
+
subject.should_receive(:train).with("the_category_name", "test line 1")
|
59
|
+
subject.should_receive(:train).with("the_category_name", "test line 2")
|
60
|
+
subject.should_receive(:train).with("the_category_name", "test line 3")
|
61
|
+
|
62
|
+
subject.train_with_array "the_category_name", ["test line 1", "test line 2", "test line 3"]
|
63
|
+
end
|
64
|
+
end
|
65
|
+
|
66
|
+
describe "#train_with_file" do
|
67
|
+
it "should train requested category with lines from provided file" do
|
68
|
+
File.should_receive(:read).with("filename.txt").and_return("test line 1\ntest line 2\r\ntest line 3")
|
69
|
+
|
70
|
+
subject.should_receive(:train_with_array).with("the_category_name", ["test line 1", "test line 2", "test line 3"])
|
71
|
+
|
72
|
+
subject.train_with_file "the_category_name", "filename.txt"
|
73
|
+
end
|
74
|
+
end
|
75
|
+
|
76
|
+
describe "#train_with_csv" do
|
77
|
+
it "should train categories from csv file with appropriate string" do
|
78
|
+
content = double(:content)
|
79
|
+
csv = [
|
80
|
+
["test line 1", "category_one"],
|
81
|
+
["test line 2", "category_one"],
|
82
|
+
["test line 3", "category_two"],
|
83
|
+
["test line 4", "category_one"],
|
84
|
+
["test line 5", "category_two"]
|
85
|
+
]
|
86
|
+
|
87
|
+
File.should_receive(:read).with("filename.csv").and_return(content)
|
88
|
+
CSV.should_receive(:new).with(content, col_sep: "||", quote_char: "§").and_return(csv)
|
89
|
+
csv.each do |row|
|
90
|
+
subject.should_receive(:train).with(row[1], row[0])
|
91
|
+
end
|
92
|
+
|
93
|
+
subject.train_with_csv "filename.csv", separator: "||"
|
94
|
+
end
|
95
|
+
end
|
96
|
+
|
97
|
+
describe "#apply_weighting" do
|
98
|
+
it "should apply weighting to requested category" do
|
99
|
+
category = double(:category)
|
100
|
+
subject.should_receive(:ensure_category).with("the_category_name").and_return(category)
|
101
|
+
category.should_receive(:apply_weighting).with(11)
|
102
|
+
|
103
|
+
subject.apply_weighting "the_category_name", 11
|
104
|
+
end
|
105
|
+
end
|
106
|
+
|
107
|
+
describe "#classify" do
|
108
|
+
it "should calculate score for each category and return one with the biggest score" do
|
109
|
+
subject.instance_variable_set "@categories", categories
|
110
|
+
|
111
|
+
categories["category_one"].should_receive(:score_for).with(%W{lorem ipsum dolor}).and_return(-10)
|
112
|
+
categories["category_two"].should_receive(:score_for).with(%W{lorem ipsum dolor}).and_return(-5)
|
113
|
+
categories["category_three"].should_receive(:score_for).with(%W{lorem ipsum dolor}).and_return(-15)
|
114
|
+
|
115
|
+
subject.classify("lorem ipsum dolor").should == "category_two"
|
116
|
+
end
|
117
|
+
end
|
118
|
+
|
119
|
+
describe "#pop_unused" do
|
120
|
+
it "should delete blank categories" do
|
121
|
+
subject.instance_variable_set "@categories", categories
|
122
|
+
|
123
|
+
categories["category_one"].should_receive(:blank?).and_return(false)
|
124
|
+
categories["category_two"].should_receive(:blank?).and_return(false)
|
125
|
+
categories["category_three"].should_receive(:blank?).and_return(true)
|
126
|
+
|
127
|
+
subject.pop_unused
|
128
|
+
subject.instance_variable_get("@categories").should == {
|
129
|
+
"category_one" => categories["category_one"],
|
130
|
+
"category_two" => categories["category_two"]
|
131
|
+
}
|
132
|
+
end
|
133
|
+
end
|
134
|
+
|
135
|
+
describe "#flush" do
|
136
|
+
it "should reset each category" do
|
137
|
+
subject.instance_variable_set "@categories", categories
|
138
|
+
categories.each{ |name, cat| cat.should_receive(:reset) }
|
139
|
+
subject.flush
|
140
|
+
end
|
141
|
+
end
|
142
|
+
|
143
|
+
describe "#flush_all" do
|
144
|
+
it "should remove all categories" do
|
145
|
+
subject.flush_all
|
146
|
+
subject.instance_variable_get("@categories").should == {}
|
147
|
+
end
|
148
|
+
end
|
149
|
+
|
150
|
+
# Some "live" tests ------------------------------------------------------------------------------
|
151
|
+
|
152
|
+
let(:positive_arr){ File.read(File.expand_path("../data/positive",__FILE__)).split("\n") }
|
153
|
+
let(:negative_arr){ File.read(File.expand_path("../data/negative",__FILE__)).split("\n") }
|
154
|
+
|
155
|
+
it "should perform better (f1) with more examples" do
|
156
|
+
results = []
|
157
|
+
(0.1..1.0).step(0.1).each do |percent|
|
158
|
+
subject.train_with_array :positive, positive_arr.sample(positive_arr.size*percent)
|
159
|
+
subject.train_with_array :negative, negative_arr.sample(negative_arr.size*percent)
|
160
|
+
|
161
|
+
results << {percent: percent}.merge(
|
162
|
+
Bayes::Stats.error_analysis(subject, :positive, positive_arr, negative_arr)
|
163
|
+
)
|
164
|
+
|
165
|
+
subject.flush
|
166
|
+
end
|
167
|
+
|
168
|
+
Bayes::Stats.to_csv(results, name: "examples")
|
169
|
+
|
170
|
+
results.last[:f_score].should > results.first[:f_score]
|
171
|
+
end
|
172
|
+
|
173
|
+
it "should perform better recall with weighting" do
|
174
|
+
results = []
|
175
|
+
(1..20).step(2) do |weight|
|
176
|
+
subject.train_with_array :positive, positive_arr
|
177
|
+
subject.train_with_array :negative, negative_arr
|
178
|
+
subject.apply_weighting(:negative, weight)
|
179
|
+
|
180
|
+
results << {weight: weight}.merge(
|
181
|
+
Bayes::Stats.error_analysis(subject, :positive, positive_arr, negative_arr)
|
182
|
+
)
|
183
|
+
|
184
|
+
subject.flush
|
185
|
+
end
|
186
|
+
|
187
|
+
Bayes::Stats.to_csv(results, name: "weights")
|
188
|
+
|
189
|
+
results.last[:recall].should > results.first[:recall]
|
190
|
+
end
|
191
|
+
end
|
data/spec/data/negative
ADDED
@@ -0,0 +1,394 @@
|
|
1
|
+
Apple iPhone 5 - 16GB Black and Slate (AT&T) Smartphone (MD638LL/A) Clean IMEI
|
2
|
+
Apple MacBook Pro - 2.4 GHz Laptop A1229 w/ 17" LCD
|
3
|
+
Samsung Galaxy Note II GT-N7100 - 16GB - Marble White - International Version
|
4
|
+
32 GB iPhone 4S
|
5
|
+
BUNDLE Nexus 4 - 16GB - Black (Unlocked) with cases and wireless charger
|
6
|
+
star wars xbox 360 Bundle
|
7
|
+
Apple iPad 3rd Generation 16GB, Wi-Fi, 9.7in - WHITE - BRAND NEW! LOOK HERE!
|
8
|
+
ASUS NEXUS7ASUS-1B32-4G NEXUS7 ASUS-1B32-4G TEGRA3 1.2G 1GB 32GB 7IN BT 2.1 AN..
|
9
|
+
NEVER USED!!! Samsung Galaxy S III SGH-T999 16GB White (T-Mobile)
|
10
|
+
Playstation 3 Slim 250 GB w 22+ Games and Extras
|
11
|
+
Apple MacBook Air 11.6" Laptop - MC968LL/A (July, 2011)
|
12
|
+
Apple iPad mini 16GB, Wi-Fi, 7.9in - Black / MPN: MD528LL/A (Latest Model)
|
13
|
+
BRAND NEW VERIZON SAMSUNG GALAXY NEXUS SCH-i515 16GB GRAY 5MP WI-FI PHONE !!
|
14
|
+
Lot of 5 - iPhone 3GS AT&T 16GB Black
|
15
|
+
Apple iPad 2 16GB, Wi-Fi, 9.7in - White (MC989LL/A)
|
16
|
+
NEVER USED!! Samsung Galaxy S III S3 16GB - Marble White (T-Mobile)
|
17
|
+
Vox AC15C1 Limited Edition Red
|
18
|
+
Lot of 7 iPod Touch 4th Gen 8GB 16GB 32GB For parts / Repair
|
19
|
+
Nexus 10 32GB, 10in - Black gt-p8110havxar New In factory sealed box
|
20
|
+
1992 1993 1994 1995 Honda civic si eg ek Integra Full Coilover Suspension kits
|
21
|
+
Apple iPhone 3G - 8GB - Black (AT&T) Smartphone (MB046LL/A)
|
22
|
+
NEW HTC One M7 Unlocked 32GB Silver Android v 4.1.2 WiFi 4G LTE 4.7" Touchscreen
|
23
|
+
Nintendo Wii U (Latest Model) - Deluxe Set 32 GB Black Console
|
24
|
+
Fujifilm X100 12.3 MP Mirrorless Digital Camera
|
25
|
+
Apple iPad 4th Generation with Retina Display 16GB, Wi-Fi 9.7in - White...
|
26
|
+
Apple iMac Core 2 Duo 2.66GHz 20"-8GB RAM-320GB HDD-Mt. Lion|MB417LL/A(2009)
|
27
|
+
Apple iPhone 4S - 16GB - White (Sprint) Smartphone MD378LL BRAND NEW BAD ESN
|
28
|
+
Apple Mac Mini Core i5 2.5GHz -4GB RAM-500GB HDD-Mt. Lion|MC816LL/A(2011)
|
29
|
+
NEW Samsung Galaxy S 4 GT-I9500 16GB - White Frost (Unlocked) Free Ship no Res.
|
30
|
+
HTC One X - 16GB - Black (AT&T) Smartphone Unlocked
|
31
|
+
Apple iPod touch 5th Generation Black 64GB Latest Model w/Warranty till May 2014
|
32
|
+
Apple iPad 2 64GB, Wi-Fi, Black - 1 Year Warranty
|
33
|
+
Google Chromebook Pixel 64GB SSD, Wifi/LTE from Google IO I/O 2013
|
34
|
+
T-MOBILE SAMSUNG GALAXY S II SGH-T989 GREY/SILVER 4G SMARTPHONE + EXTRAS
|
35
|
+
New SEALED Amazon Kindle Fire HD 8.9 64GB Wi-Fi + 4G LTE (AT&T), 8.9in - Latest
|
36
|
+
7 unlocked Iphone wholesale lot 3g, 3gs and I phone 4
|
37
|
+
Nice 15" Apple MacBook Pro 2.53GHz Core i5 8GB RAM 500GB HD Office 11 MC372LL/A
|
38
|
+
Oldsmobile : Cutlass GLS Sedan 4-Door 1997 oldsmobile cutlass gls sedan 4 door 3.1 l
|
39
|
+
Special Listing - Multiple Travel Gear Items
|
40
|
+
Apple TV 2 Jailbroken Untethered XBMC, Icefilms, 1Channel, Navi-X, Adult Content
|
41
|
+
Black Asus Nexus 7 Inch Tablet Google Android PC Computer Laptop Pad 32GB Wi-Fi
|
42
|
+
NEW 5.9 MOPAR DODGE MAGNUM JEEP CYLINDER HEADS 360 RAM DAKOTA VAN CHEROKEE
|
43
|
+
SPHEREFACTOR: Awesome Large DINOSAUR Dino Poop Fossil COPROLITE Sphere
|
44
|
+
Apple MacBook Pro 15.4" Laptop with Retina Display - MC975LL/A (June, 2012) (Lat
|
45
|
+
Gold Plated Wildlife Series .. Wolf .. Grizzly ..Cougar .. Moose .. Antelope
|
46
|
+
NEAR MINT CONDITION LOT 5 Verizon Motorola Droid X MB810 Android 8.0 MP Camera
|
47
|
+
Tenyo Ultra tube elevator Coins Super Stick
|
48
|
+
Ikelite Housing for Canon 5d Mark II
|
49
|
+
New Samsung Galaxy Note 2 16GB N7100 Gray Unlocked
|
50
|
+
Nintendo DS Lite Black Pokemon Gameboy SP Red Blue Yellow Diamond Platinum Games
|
51
|
+
Nokia Lumia 920 - 32GB - Black (AT&T) Smartphone Excellent Condition
|
52
|
+
Nintendo 3DS XL Animal Crossing Limited Edition Bundle with Game
|
53
|
+
Macbbok Air 13"
|
54
|
+
APPLE MACBOOK PRO(13" M09) CORE 2 DUO 2.53GHZ 4GB-RAM 250GB HDD DVDRW 13.3"
|
55
|
+
Allen and Heath Xone 92
|
56
|
+
Lot of 10 Apple iPod nano 6th Generation (8 GB) Defective Broken AS IS
|
57
|
+
Nikon D7000 16.2 MP Digital SLR Camera - Black (Kit w/ 18-105mm Lens)
|
58
|
+
BRAND NEW - Samsung Nexus S 4G (Sprint) CLEAN ESN - 16GB - Black - SPH-D720
|
59
|
+
Super-Capacity Battery for MOTOROLA HW4X SNN5892 SNN5892A ATRIX 2 Droid Bionic
|
60
|
+
NIKON D90 12.3MP DIGITAL SLR CAMERA BODY/3-YEAR WARRANTY/USED
|
61
|
+
NINTENDO 64DD System Console & Nintendo 64 System & 7 Software Rare!
|
62
|
+
Kyosho GP Blizzard DF-300 w/ GS15R - KYO31854B
|
63
|
+
BlackBerry Z10 (Latest Model) - 16GB - Black (Unlocked)
|
64
|
+
New, Open Box Apple iPhone 5 (Latest Model) 32GB Black & Slate (AT&T) Smartphone
|
65
|
+
LG 60LN6150 60-Inch 1080p 120Hz LED-LCD Smart HDTV
|
66
|
+
Radiola Antique Radiola II 2 AR 800 Radio Tube 1st Portable Radio Produced
|
67
|
+
Apple iPhone 5 (Latest Model) - 64GB - Black & Slate (Factory Unlocked)...
|
68
|
+
All Parts BASS NECK VINTAGE ROSEWOOD FENDER JAZZ PRECISION BLOCK INLAY BIND
|
69
|
+
NICE! *** Microsoft Zune HD 64 Black (64 GB) Digital Media Player *** GREAT!
|
70
|
+
Canon EOS 5D 12.8 MP Digital SLR Camera - Black (Body Only)
|
71
|
+
New Unlocked HTC Desire 600 606h 4.5" Android Beats Cell Phone- Black -Free Ship
|
72
|
+
Samsung Nexus 10 In Perfect Shape! In Box w/ EVERYTHING! Used One Week!
|
73
|
+
LOT of 10 ★ Raspberry Pi Model B v2.0 ★512 MB! ★ WITH CASES ★ FAST SHIPPING
|
74
|
+
Brand NEW HP Touchpad 32gb AT&T Wifi+4G with Charging Dock and Case
|
75
|
+
NEW DELL XPS 8300 i7-2600 3.4GHz Quad Core 8GB 1TB HD6870 HDMI DVDRW Desktop PC
|
76
|
+
Apple iPad 2 32GB, Wi-Fi + 3G (Verizon), 9.7in - Black (MC763LL/A)
|
77
|
+
Canon EOS 60D 18.0 MP Digital SLR Camera - Body, Grip, Battery, Bag + more
|
78
|
+
(PS2) SYSTEMS BROKEN LOT OF 15 Big & 10 Slim
|
79
|
+
RED Apple iPhone 4s 64gb AT&T with Otterbox and many extras! NO RESERVE!
|
80
|
+
BRAND NEW IN BOX HTC EVO 4G LTE - 16GB - White (Sprint) Smartphone CLEAN ESN
|
81
|
+
Apple A1083 Cinema HD Display 30" Widescreen LCD
|
82
|
+
Ping G20 Iron Set 4-PW, Custom Ghaphite TFC 169 Senior Flex Shaft, 1 1/2 Over.
|
83
|
+
Canon VIXIA HF G10 XA10 1080p Pro Camcorder-64GB,Extended Batteries,Charger, Car
|
84
|
+
20 x ULTRA SLIM THIN CASE COVER FOR KINDLE PAPERWHITE Light Blue
|
85
|
+
Brand New Canon EF 17-40mm f/4L USM For Canon 5D Mark III/ 7D/ 60D/ 650D / 600D
|
86
|
+
Sony PS Vita Bundle 19 Games Cradle Best Condition Persona Metal Gear Marvel
|
87
|
+
Pebble ePaper Smart Watch - Kickstarter Edition - Black - iOS and Android
|
88
|
+
NEW Sony VAIO VPCL211FX/B All-in-One Desktop PC 24" Touchscreen i5 6GB 1TB
|
89
|
+
New Unlocked Samsung Captivate i897 Galaxy S smart phone Shipped from Canada
|
90
|
+
HTC ThunderBolt Verizon Wireless 4G Android 8GB WiFi 8.0 MP Camera Cell Phone
|
91
|
+
Apple iPhone 4S - 16GB - White (AT&T) Smartphone Used
|
92
|
+
Nikon D600 24.3 MP Digital SLR Camera - Black (Body Only)
|
93
|
+
Samsung Google Nexus S i9020T - 16GB - Black (Unlocked) Smartphone
|
94
|
+
Lot of 9 80GB Apple iPod Classic 6th Gen Black/A1238/MP3 Player
|
95
|
+
Michael Kors Women's MK5716 'Paris Limited Edition Runway' Rose-goldtone Watch
|
96
|
+
Snow Brothers (Nintendo, 1991) NES Super Rare. BOx and Cart looks Amazing
|
97
|
+
Like New GoPro HERO3 Black Edition WiFi used only 1 day with lots of extras
|
98
|
+
Apple Macpro dual quad Core 2.8 ghz 4 GB 500 GB Snow Leo 2008 MAC PRO 8 core
|
99
|
+
Canon EOS 7D 18.0 MP Digital SLR Camera - Black (W/ 55-250mm Lens)
|
100
|
+
Apple iPhone 4 - 8GB - White Smartphone - NEW SEALED - GSM FACTORY UNLOCKED
|
101
|
+
ASUS Transformer Pad Infinity TF700T 32GB,10.1in - Champagne Gold with Keyboard
|
102
|
+
Apple Thunderbolt MC914LL/A 27" Widescreen LCD Monitor
|
103
|
+
Beseler 23C II B&W Enlarger + Complete Pro Darkroom
|
104
|
+
NEW - FACTORY SEALED Samsung Galaxy S2 - SII (16GB/4G) Steel Grey for T-Mobile
|
105
|
+
Samsung 23" Series 7 Intel i5-3470T 2.9GHz All-in-One PC | DP700A3D-A01US
|
106
|
+
Early 1979 Heavy Relic Fullerton Fender Strat Stratocaster Body 4 Bolt Converted
|
107
|
+
Lightly Used! - Microsoft Surface Pro (Windows 8) 128GB with Complete Warranty!
|
108
|
+
Apple iPhone 4S - 16GB - Black (Verizon) Smartphone
|
109
|
+
Canon EOS Rebel T2i / 550D 18.0 MP Digital SLR Camera - Black (Kit w/ EF-S IS...
|
110
|
+
Nikon D700
|
111
|
+
NEW HTC Sensation XL 16GB 3G 1.5 GHz 4.7'' S-LCD Android V2.3 8MP SMARTPHONE
|
112
|
+
Apple iMac 27" - MB953LL/A (October 2009) 16GB Ram and Accessories SELLING AS IS
|
113
|
+
Game Boy Color Pokemon Yellow Pikachu Edition System New Sealed VGA 85+
|
114
|
+
Microsoft Surface (RT) 64GB, Wi-Fi, 10.6in - Black (Bundled w/Touch Cover)
|
115
|
+
Sg129, SCARCE £1 brown-lilac, good used. Cat £4500. WMK MALTESE CROSS. PERFIN HH
|
116
|
+
Perrin 02-07 Subaru Impreza WRX STi Catback Exhaust System Black
|
117
|
+
Samsung Galaxy S III SGH-T999 - 16GB - Titanium gray (T-Mobile) Smartphone
|
118
|
+
2007-2011 07-11 Toyota Camry JBL Amplifier Amp OEM LKQ
|
119
|
+
Canon EOS Rebel T3i / 600D 18MP Digital SLR Camera Kit w/ EF-S IS 18-55mm 32GB
|
120
|
+
Nikon D40 6.1 MP Digital SLR Camera - Black (Kit w/ 18-55mm Lens)
|
121
|
+
Nike Air Jordan 5 Retro V QS Black Grapes 7.5UK Aqua Lebron Kobe Adidas KD
|
122
|
+
Nikon D3100 14.2 MP Digital SLR Camera Black (Kit w/ AF-S DX 18-55mm VR Lens)
|
123
|
+
Akrapovic Titanium Headers for any Porsche 3.6 liter Turbo
|
124
|
+
Black Lotus: Unlimited (SGC Authenticated and Graded)
|
125
|
+
90*USB Wall Travel Home AC Power Charger Adapter For Amazon Kindle Touch
|
126
|
+
LOT OF 4! Bitcoin Block Erupter USB - ASIC miner (NOT BFL OR AVALON)
|
127
|
+
Dell Latitude XT2 Convertable Laptop/Tablet 128GB SSD
|
128
|
+
HTC Droid DNA - 16GB - Black (Verizon) Smartphone
|
129
|
+
Google Nexus 4 16GB Factory UNLOCKED GSM Android 4.2 Smartphone LG-E960
|
130
|
+
Motorola Droid RAZR HD - White Verizon EXCELLENT IN BOX Works Great
|
131
|
+
Earthbound in Box with Guide - complete with Scratch & Sniff cards. RARE!
|
132
|
+
Gillette Double Ring Safety Razor 1905 Very Good Condition + 10 Blades
|
133
|
+
NHL Pro Stock hockey Bauer APX Skates 9D Detroit Red Wings Canadian made
|
134
|
+
Apple iPhone 5 (Latest Model) - 16GB - Black & Slate (Verizon) FACTORY UNLOCKED!
|
135
|
+
Microsoft Xbox 360 S Limited Edition Halo 4 Bundle 320 GB Glowing Blue
|
136
|
+
Microsoft Xbox 360 Slim Holiday Bundle 250 GB Black Console (NTSC)
|
137
|
+
Nexus 7 8GB with a Toshiba Excite 10.1, Wi-Fi, 7in - Black
|
138
|
+
LUKE BRYAN " CRASH MY PARTY " AUTOGRAPHED NATURAL ACOUSTIC GUITAR! COA! PROOF!
|
139
|
+
Alienware m17-r1 17" notebook, Quad CPU Q9300 @ 2.53GHz X2, 256gb X2
|
140
|
+
LOT OF (6) Broken Motorola XOOM MZ602 (Verizon), 10.1in - Black, AS-IS
|
141
|
+
Apple MacBook Air Core i5 1.6GHz 11"-4GB RAM-128GB SSD-Mt. Lion|MC969LL/A(2011)
|
142
|
+
Motorola ATRIX HD At&T ( MOCD7 )
|
143
|
+
Nikon D5100 16.2 MP Digital SLR Camera - Black (Kit w/ AF-S 18-55mm VR Lens)
|
144
|
+
Squier by Fender MEDIUM SCALE JV Jazz Bass Japan c1984 Ca
|
145
|
+
Nikon 24-85mm f/3.5-4.5G ED AF-S VR Lens for Nikon D800 D600 D3200 D5100 D7100
|
146
|
+
ACER ICONIA W700-6607 i3-3217U 1.80GHz 64GB SSD WINDOWS 8 11.6" 1920x1080 TABLET
|
147
|
+
LOT OF 17 CRACKED OR BROKEN Apple iPhone 3GS & 3G AT&T 16GB 8GB 32GB SOLD AS IS
|
148
|
+
HTC Droid Incredible 4G LTE - 8GB - Black (Verizon) Smartphone
|
149
|
+
Nexus 4 - 16GB - Black (Unlocked) and Nexus 7 16GB with BONUS AND INSURANCE!
|
150
|
+
2011 Gibson USA Les Paul 60s Studio BODY & NECK Project P-90 Route Cherryburst
|
151
|
+
Apple 27" Thunderbolt Widescreen LED Cinema Display MC914LL/B
|
152
|
+
NIB With Accessories - New Canon PowerShot S95 10.0 MP Digital Camera NEW!
|
153
|
+
100g 3.3m wide Multi lengths weed control fabric ground cover membrane landscape
|
154
|
+
Samsung Chromebook Series 5 XE550C22 12.1" (16 GB, Intel Celeron, 1.3 GHz, 4...
|
155
|
+
Lot Of 33 PlayStation 3(PS3) & Move Games.COD Black Ops 2,FarCry 3,Skyrim,LA
|
156
|
+
Rare vintage Rolex solid band 19mm 78350/19 557 100% Rolex factory very NICE !
|
157
|
+
1873~Pictures by Sir A.W. Callcott~James Dafforne~RARE
|
158
|
+
2004-D Kennedy Half Dollar PCGS Graded as MS68 SL1909
|
159
|
+
Apple MacBook Pro 15.4" - 2.66 i7/4GB - HiRes/Nonglare MC373LL/A (April, 2010)
|
160
|
+
Dell Inspiron 1545 15.6" Notebook - Customized
|
161
|
+
PS4PreOrder Launch Day Edition+Free Shipping!
|
162
|
+
NEW & UNOPENED SONOS PLAY 5 WIRELESS -Black overnight ship
|
163
|
+
Motorola Droid RAZR MAXX HD - 32GB - MINT (Verizon) Smartphone
|
164
|
+
Apple MacBook Air 13.3" Laptop - MD231LL/A with AppleCare Protection Plan
|
165
|
+
BROKEN Lot of 8 Apple iPod Touch 4th Generation 8 GB White and Red MP3 Players
|
166
|
+
Iphone 4S 16GB AT&T model A1387+ iPhone 4 16gb AT&T+ iPhone3G 16GB +Extras
|
167
|
+
Supreme Skateboard Deck John Baldessari SET Box Logo NEW hirst koons condo kaws
|
168
|
+
Canon EOS 5D Mark II 21.1 MP Digital SLR Camera - Black (Body Only) (2764B003)
|
169
|
+
NIB Nook Sleep Pebble Pure Crib Mattress In Cloud (Coconut And Latex)
|
170
|
+
BlackBerry PlayBook 16GB, Wi-Fi, 7in - Black
|
171
|
+
★BRAND NEW★ APPLE iPhone 4S - 16GB - BLACK (VERIZON) Sealed in box -1 DAYS ONLY
|
172
|
+
LPS Collection Littlest Pet Shop LOT - 325+ Pets / Houses / Tons of Accessories
|
173
|
+
Synology DS412+ Diskless System High-Performance 4 Bay All In One 3.5" NAS
|
174
|
+
New Apple 512GB SSD for MacBook Pro 15" & 13" Retina Display 2012 Models
|
175
|
+
Craps Table
|
176
|
+
RARE 17 SNES SUPER NINTENDO EMPTY BOX ONLY LOT/ 20 MANUALS EXCELLENT CONDITION
|
177
|
+
At@t Apple iPhone 4S - 16GB - Black (Unlocked) Smartphone
|
178
|
+
Lot of THREE - Nexus 7 16GB, Wi-Fi, 7in - Black, all in great shape!
|
179
|
+
Art Nouveau Loving Cup by David Veazey for Liberty & Co number 010: c 1905
|
180
|
+
Canon EOS 50D 15.1 MP Digital SLR Camera - Black (Body Only)
|
181
|
+
The NEW Arduino Robot
|
182
|
+
Ascend FS128T Sit-On-Top Angler Kayak - Camo
|
183
|
+
apple iphone 5. the latest 6mos. old. 16GB 4G 2 vary nice cond AT.T
|
184
|
+
DT Systems - SPT 2422 - 2 Dog System -SPT2422
|
185
|
+
ZEISS 35MM T* f 2 ZE LENS CANON EOS MOUNT L carl 5D MKII MKIII 1D 1ds 1dx 6D
|
186
|
+
Microsoft Xbox 360 S with Kinect 250 GB Glossy Black Console (NTSC)
|
187
|
+
NEW SAMSUNG GALAXY TAB 2 10.1 P5110 16GB WHITE WI-FI TABLET PC
|
188
|
+
NEW! Las Vegas Set Outdoor Patio 7pc with Sectional Wicker Sofa Furniture Lightb
|
189
|
+
K2 Spice "Synthetic Marijuana" Drug Test "Dip-Card" (Lot of 100 Test) #FEC
|
190
|
+
2011 Trek Lexa SL WSD Carbon Fork Road Bike Full Shimano Tiagra Mint ! 56cm
|
191
|
+
TiVo HD XL with lifetime subscription model TCD658000 DVR
|
192
|
+
Bioshock Infinite Cook and Becker art
|
193
|
+
Nikon Nikkor 28mm f/3.5 for Leica screw mount LTM L39 RARE fit CLE/M3/M4/M6/M9
|
194
|
+
Nikon D80 Digital SLR Camera 10.2 MP & EN-EL3e Battery Pack & Screen Protector
|
195
|
+
STR601 WHEELS STAGGERED SET OF 19X8.5 & 19X9.5 GOLD 5X120/5X4.75 19" BMW
|
196
|
+
Pioneer Elite KURO projector PRO-FPJ1 - No Reserve!
|
197
|
+
GoogleGlassRetailers.com Website Domain Name Sale Popular Google Glass Glasses!!
|
198
|
+
ASUS Transformer Prime TF201 10.1-Inch 64GB Tablet (Amethyst Gray) and Keyboard
|
199
|
+
Canon EOS Digital Rebel XT / 350D 8.0 MP Digital SLR Camera - Silver + Extras
|
200
|
+
Five Mullard 12AX7/ECC83 LP 1958 F91 tests high dual post round getter
|
201
|
+
Nikon D3100 14.2 MP Digital SLR Camera - Black (Kit w/ 18-55mm and 55-300mm...
|
202
|
+
Nikon D200 digital SLR camera
|
203
|
+
NEW! Amazon Kindle DX / Large Ebook Reader / Really Good for PDF's / Frust Free
|
204
|
+
Fitbit Flex Wireless Activity + Sleep Wristband TWO BRAND NEW!
|
205
|
+
Google Nexus 10 32GB, 10in - Black Samsung, Case Included
|
206
|
+
Nikon D Series D7000 16.2 MP Digital SLR Camera - Black (Body Only) (25468)
|
207
|
+
Dell Latitude E6410 Laptop 2.66 GHz, 4 GB RAM, 128 GB HDD
|
208
|
+
Lego Batman 7783 The Batcave Penguin and Mr Freeze Invasion, NEW IN BOX
|
209
|
+
Canon EOS Rebel T4i / 650D 18.0 MP Digital SLR Camera - Black (Body Only)...
|
210
|
+
4 x Sony PlayStation 3 60G Piano Console System NTSC PS3 Backwards PS2 CECHA01
|
211
|
+
DAMAGED ITEM Apple MacBook Pro 15.4" (Early 2011) for Parts/Repair AS IS
|
212
|
+
Apple MacBook Pro Core i7 2.7 GHz 13" 2011 I7-2620M (MC724LL/A) 8GB 500GB A
|
213
|
+
iRobot Roomba 780 Robotic Cleaner
|
214
|
+
Vitamix Professional Series 750 Blender - Brushed Stainless - NEW IN THE BOX
|
215
|
+
Apple iPad 2 64GB Black WiFi FC916E/A - Mint Condition
|
216
|
+
Tiffany & Co Bracelet Paloma Picasso Double Loving Heart Cuff Sterling Silver
|
217
|
+
MATCHED QUAD AMPEREX LONG PLATE 12AX7 / ECC83 - D FOIL GETTER AUDIO TUBE
|
218
|
+
Asus Zenbook UX31A 13.3 (refurbished) Ultrabook with Intel Core i5 Processor
|
219
|
+
Antique Limoge Cocaine Apothecary Jar
|
220
|
+
Sony Xperia Tablet Z Black SGP311, 16GB, WiFi, WATERPROOF! Must See! New!
|
221
|
+
Lot of 11 Barnes & Noble NOOK Simple Touch eReaders
|
222
|
+
Nikon D70s 6.1 MP Digital SLR Camera (kit w/AF 18-70mm & AF 70-300mm Zoom lens)
|
223
|
+
Canon 40D Camera
|
224
|
+
SUPER MARIO SUNSHINE NINTENDO GAMECUBE STORE DISPLAY POSTER GIANT 8 PIECE LOT
|
225
|
+
ROLAND TD-12 V-DRUM ELECTRONIC DRUM MODULE
|
226
|
+
Technics SL-1200MK2 Turntable. Standard of excellence
|
227
|
+
Lenovo X1 Carbon 14" 256 GB, Intel Core i7, 2 GHz, 4 GB RAM Ultrabook - 3460-24U
|
228
|
+
Dell T7400 Eight Core 2x Xeon QC 2.66GHz E5420 16GB 300GB SAS 15K 500GB SATA
|
229
|
+
Lot of 5 - Apple Airport Extreme Base Station (5th Generation) A1408 - Nice!
|
230
|
+
BRAND NEW SEALED WHITE Apple iPad Mini 32gb WIFI
|
231
|
+
ASUS G50Vt Gaming Notebook - Customized
|
232
|
+
Sony PlayStation, PS Vita - Black Handheld
|
233
|
+
POWER BRAKE BOOSTER ASSY 98 99 00 01 02 03 04 05 LEXUS GS300
|
234
|
+
Miele 15" Tepan Yaki Combiset - CS 1327 viking cook top
|
235
|
+
Two New Jawbone Up 2 Wristbands - Black/Onyx, 1 Medium & 1 Large
|
236
|
+
Monster Beats by Dr. Dre Pro Headband Headphones - Silver
|
237
|
+
21633 auth HERMES Potiron orange Veau Chamonix leather Etui Hmmm Condom Case NEW
|
238
|
+
Nvidia GTX 670 4GB Video Card For Apple Mac Pro 2008~2010
|
239
|
+
Apple iPhone 4S 16GB Black AT&T Factory Unlocked 4 5 S3 S4
|
240
|
+
LOT OF 8 Apple iPhone 3GS 8GB Black (Factory Unlocked) Smartphone 100% WORKING!!
|
241
|
+
8mm f/3.5 Sigma EX DG fisheye lens for Nikon AF D boxed MINT
|
242
|
+
❀MINT-❀ Contax T3 35mm Point and Shoot Film Camera w/ 35/f2.8 Titan Black
|
243
|
+
For HTC Inspire 4G/Desire HD Hard Cover Rubberized Case 2D Zebra Purple Black
|
244
|
+
HP ZR30W 30" Widescreen LCD Monitor 1.5 year warranty left -pickup only
|
245
|
+
Genuine Boulevard Brewing Beer Neon Sign Merchandising Pale Ale Wheat IPA L@@K
|
246
|
+
Mitsubishi Brand New Lancer 4G63 EVO 4 5 6 Intercooler Piping Kit
|
247
|
+
CHARMING BAKER "DIGNITY RIDES A TRICKY PONY"
|
248
|
+
FENTON SILVER CREST MILK GLASS PUNCH BOWL SET RARE !!!!!
|
249
|
+
Dr. Seuss "Tower of Babel" -Secret Art- signed/numbered silkscreen 2002
|
250
|
+
LikeNew Alienware m17x | p8600 2.4-3.1GHz | 4G DDR3 | GTX 260m | 250G 7200RPM
|
251
|
+
Hitachi 55" LE55U516 1080P 120Hz ROKU ready LED LCD HDTV DISCOUNT!
|
252
|
+
ScubaPro BCD Buoyancy comp W/ air2, MK2, R190 dual regulators, n pressure gauge
|
253
|
+
YAMAHA YSP4100BL DIGITAL SOUND PROJECTOR with YAMAHA YST-FSW150 SUBWOOFERS
|
254
|
+
Jawbone Big Jambox -- Limited Edition Rockstar
|
255
|
+
Brand New Apple iPhone 5 (Latest Model) 16GB Black & Slate (AT&T) Smartphone
|
256
|
+
Nexus 4 - 8GB - Black Smartphone
|
257
|
+
New LG Optimus G PRO E980 AT&T 32GB GSM Android Smartphone New Open Box
|
258
|
+
BALL ENGINEER MASTER-II AUTOMATIC MEN’ S WATCH
|
259
|
+
Apple TV2 2nd Gen 5.0.2 Untethered Jailbroken XBMC, 1Channel, Project Free Tv
|
260
|
+
Vintage LEONARDO NUNES Soprano Ukulele with felt case
|
261
|
+
Ray Ban USA Aviator B&L 50th Anniversary The General Vintage Sunglasses
|
262
|
+
Omega Seamaster Professional - Famous James Bond 007 Watch
|
263
|
+
20" DODGE RAM 1500 FACTORY CHROME OEM WHEELS RIMS 2013
|
264
|
+
BRAND NEW IN BOX VITAMIX CIA PROFESSIONAL SERIES BLENDER PLATINUM 1363
|
265
|
+
Apple iPad 2 64GB WiFi + 3G (AT&T) White-MC984LL/A in Great Condition!
|
266
|
+
Samsung Galaxy Note 10.1 16GB Wifi White Unlocked
|
267
|
+
Leica 24mm Bright Line Finder 12 019 For Leica M9, M, M8
|
268
|
+
Leica Summicron-R50mm F/2.0 E55 Lens 3 cam r50 35 90 leica m9 m35 24 60 180 180
|
269
|
+
SCT Performance 9625 Computer Programmer Livewire Xtreme Ford 6.4L Diesel & Pipe
|
270
|
+
SanDisk Extreme 480 GB,Internal,2.5" (SDSSDX-480G-G25) (SSD) Solid State Drive
|
271
|
+
Holman Conveyor Oven for Pizza or Sandwich shop
|
272
|
+
Sony Action Cam with Wi-Fi Camcorder HDR-AS15 - PLUS ALL ACCESSORIES~!
|
273
|
+
ipad mini 64gb
|
274
|
+
Brand New - Ni no Kuni: Wrath of the White Witch Wizard's Edition (USA)
|
275
|
+
3 DAYS ONLY !!!! **** HTC Droid DNA - 16GB - Black (Verizon) Smartphone
|
276
|
+
Lot of 5 Blackberries Bold 9930 8GB and Blackberry Torch 9860 Black
|
277
|
+
Samsung Galaxy S2 Skyrocket (ATT) Black (for 3 Phones)
|
278
|
+
99HMN007-00 HTC Desire S Android Mobile Phone with HTC Sense 3.7 inch WVGA Touch
|
279
|
+
Texas Instruments TI-89 Titanium Scientific Calculator LOT OF TEN - with cables
|
280
|
+
SONOS Play:3 with Bridge included!
|
281
|
+
Cube 3D Printer 2nd Generation ( Brand New Sealed)
|
282
|
+
BRAN NEW
|
283
|
+
FRISBEE DISC GOLF HISTORIC $50,000 DISC GOLF MEMORABILIA FROM THE WINNER!
|
284
|
+
New Platinum Motorola Droid Razr M 4G LTE - 8GB - Verizon Smartphone - XT907S
|
285
|
+
Brande New Maschine MK2 with Wood Siding
|
286
|
+
HTC ONE V 4GB US CELLULAR ANDROID 4.0 WIFI SMARTPHONE LOT OF 5 NEW
|
287
|
+
2013 TOPPS TRIBUTE WORLD BASEBALL CLASSIC WBC 4X BOX SEALED INNER CASE WOW
|
288
|
+
NORTHERN SOUL 45 - WIL COLLINS & WILLPOWER - ANYTHING I CAN DO - BAREBACK - RARE
|
289
|
+
Canon EOS 20D 8.2MP Digital DSLR Camera EF-S 18-55mm
|
290
|
+
samsung galaxy s3 Sprint
|
291
|
+
*NEW FACTORY UNLOCKED* HTC Windows Phone 8X 16GB 4G LTE Verizon ANY SIM GSM CDMA
|
292
|
+
Huge Lot of 125 Blu Ray's Movies (Lot # 1)
|
293
|
+
Samsung Focus Flash i677 Hard Case Snap On White Phone Cover Colorful Zebra
|
294
|
+
Nike Zoom Stefan Janoski PR Premium Digi Floral Skate Boarding Shoes 482972-900
|
295
|
+
MB404LL/A APPLE 13" MACBOOK BLACK 2.4GHZ 2GB RAM 250GB 2008 ED W/WARRANTY
|
296
|
+
Asus Eee PC 1225B-BU17-BK 11.6" Netbook 1.65GHz 4GB 320GB Windows 7 Pro
|
297
|
+
Datacard Group 150i ID Credit Card Embosser Mag Stripe Printer
|
298
|
+
Apple Mac Mini 2.0GHz Core 2 Duo 120GB HD 2GB RAM MB463LL + Warranty + BT + WIFI
|
299
|
+
Nice old large bronze Tibetan head of Buddha mask
|
300
|
+
Dell Inspiron Mini 1012
|
301
|
+
Alden Shell Cordovan Chukka Boot, Cigar Shell 10 D, Brand New
|
302
|
+
ASUS Eee Pad Tablet TF101
|
303
|
+
ZTEX 1.15y Quad FPGA Mining Rig Over 800Mh/s - Immediate delivery - Bitcoin
|
304
|
+
mid-century CONANT BALL Russel Wright DESK AND CHAIR with Free Shipping!
|
305
|
+
Lot of 2 HTC Droid Incredible 2 (Flashed to Straight Talk) Smartphone
|
306
|
+
Lot of 7 IBM ThinkPad T61 T60P T60 R61 Core Duo Laptops 2GHz 2GB DVDRW TESTED
|
307
|
+
BlackBerry Bold 9900 - 8GB - Black (AT&T) UNLOCKED BRAND NEW IN BOX
|
308
|
+
Giant Trance 4 Dual Suspension Mountain Bike
|
309
|
+
DELL 469-3915 OPTIPLEX 7010 MT i5 3550 QC 3.3GHZ 4GB RAM 500GB HDD W7P64
|
310
|
+
LVL IIIA Ballistic KEVLAR Helmet - Ops-Core FAST style - DEVGRU OPS
|
311
|
+
Oliver Vari Slicer Bakery Bread Slicer Model 2003 Variable 3/8" - 1 1/2" Slice
|
312
|
+
BRAND NEW NIKE FUEL BAND X-LARGE XL BLACK DIGITAL DISPLAY WATCH FITNESS WRISTBAN
|
313
|
+
Lot of 75 Amazon Kindle Keyboard eBook Readers D00901 AS IS
|
314
|
+
Charizard 4/102 1st Edition First Ed Shadowless Base Set Holo Foil Pokemon Card
|
315
|
+
Nikon Nikkor 80-200mm F/2.8 AF-S D IF ED Lens D700,D800,D800E,D3,D3S,D7100,D7000
|
316
|
+
Nikon D50, Two Flash; Sb600/SB800, Three lenses; 18-55mm,18-135mm,70-300mm
|
317
|
+
Nintendo Gamecube Game Lot 29 Games Mario Party Zelda Resident Evil Bonus Stuff
|
318
|
+
Barnes & Noble NOOK Tablet ***DEMO MODE BUNDLE 8X + 2X COLOR***
|
319
|
+
Apple MacBook Pro 2008-17 inch/8 GB RAM/ SuperDrive/ 500GB HD/ New Battery
|
320
|
+
Canon EOS 1D Mark III 10.1 MP Digital SLR Camera - With 50mm 1.4 lens
|
321
|
+
NEW 2.0 FORD FOCUS CYLINDER HEAD FITS 2000 - 2004 SOHC
|
322
|
+
Slave 1 studioscale hull. Boba Fett, Star Wars.
|
323
|
+
Apple iPad 2 16GB, Wi-Fi, 9.7in - White (MC979LL/A) Cracked Screen Works Great!
|
324
|
+
Antique Odd Fellows Peek Hole Lodge Door Peep Hole Cast Iron w/ Copper FLT IOOF
|
325
|
+
Ricoh GR-1v 35mm Film Camera with Soft case,Manual(Japan)
|
326
|
+
Samsung PN51E6500EF 51" Full 3D 1080p HD Plasma Internet TV w/ WiFi
|
327
|
+
New Apple iPhone 4 Unlocked GSM T Mobile Solave Staright Talk AT&T International
|
328
|
+
Canon PowerShot G10 14.7 MP Digital Camera - Black
|
329
|
+
Samsung Series 9 15" (128 GB, Intel Core i5, 1.7 GHz, 8 GB) Ultrabook NP900X4C
|
330
|
+
HASSELBLAD 500C 500 C F= 80M 1:2.8 PLANNAR CARL ZEISS LENS WITH
|
331
|
+
Nikon Monarch 8-32x50ED SF Rifle Scope
|
332
|
+
HTC Rezound - 32GB - Smartphone and Beats headphones by Dre. Bundle.
|
333
|
+
Military Standard Rugged Android 4.1 Phone "Rhino" - 4.3 Inch Screen, Waterproof
|
334
|
+
Lot of 46 Texas Instruments TI-83 Plus Graphic Calculator Parts Repair
|
335
|
+
NEW Logitech UE 9000 Headphones, Travel Case and charger/cables included
|
336
|
+
Nokia Lumia 820 8 GB BLACK (UNLOCKED) BRAND NEW, UNUSED,BOXED +12MONTHS WARRANTY
|
337
|
+
Samsung Galaxy S II Epic 4G Touch SPH-D710 16GB White (FLASHED TO BOOST MOBILE)
|
338
|
+
HTC EVO V 4G Prepaid Android Phone (Virgin Mobile)
|
339
|
+
Samsung Galaxy S III SGH-I747M - 16GB - Marble White Virgin Mobile New
|
340
|
+
Lobster 401 Tournament Tennis Training Machine Professional Model
|
341
|
+
samsung Galaxy S III SGH-I747 Pebble Blue WITH NO BOX unlocked 16GB
|
342
|
+
NEW Dell PowerEdge T310 Quad Core X3440 2.5GHz 1GB PERC H200 1x146GB 15K SAS 2PS
|
343
|
+
American Girl McKENNA DOLL & Bk and + MCKENNA'S BALANCE BEAM & BAR SET NEW
|
344
|
+
Samsung Galaxy Tab GT-P7510 32GB, Wi-Fi, 10.1in - Metallic Gray
|
345
|
+
WOW Logitech Squeezebox Duet WiFi Internet Radio Player
|
346
|
+
Toshiba Satellite L755D-S5204 Quad Core Windows 7 Ultimate Office 2010 Adobe CS5
|
347
|
+
Pokemon Fire Red Leaf Green Sealed Booster Box Nintendo USA
|
348
|
+
Canon EF 50 mm F/1.4 USM Lens
|
349
|
+
Final Fantasy 7 VII Advent Children Complete Action Figure Set by Play Arts
|
350
|
+
Help Me Buy A Laptop For School
|
351
|
+
LEICA M3 DS CHROME CAMERA RANGEFINDER BODY Sn.739452 CLA'd
|
352
|
+
140U-K6D3-D40 Allen Bradley 480v 400Amp Breaker
|
353
|
+
Focusrite Scarlett 18i20 Audio Interface MXL 550 Mics Headphones 18i 20 18 i20
|
354
|
+
ATARI 2600 Spy Hunter Complete in Box with Ultra rare Dual Control Module LOOK!
|
355
|
+
USED PANASONIC Lumix DMC-GH2 Camera Body BLACK *MINT*
|
356
|
+
Microsoft XBOX 360 Elite Slim 250gb with 2 Controllers, Kinect, 19 games.
|
357
|
+
Playseat Evolution w/ Logitech G27 Racing Wheel (includes gearshift holder)
|
358
|
+
Nikon D5000 12.3 MP Digital SLR Camera - Black (Kit w/ AF-S DX VR 18-55mm Lens)
|
359
|
+
halibrand kidney bean 15 x 4.5 new aluminum real rodders wheels gasser hot rod
|
360
|
+
Kegco K199SS-2 Kegerator Beer Cooler - Double Faucet - D System - Stainless Door
|
361
|
+
HOBART 2912 AUTOMATIC FOOD MEAT CHEESE SLICER 12" loc. pick-up
|
362
|
+
Gaming PC - Quad-Core i5 @ 4.6GHz, 8GB RAM with Monitor/Mechanical Keyboard/Mous
|
363
|
+
MERCURY MARINE 26 PITCH BRAVO THREE STAINLESS STEEL BOAT PROPS
|
364
|
+
Lenovo ThinkPad X220 Ci5 2.5GHz 8GB 320GB Win 7 Pro64 WiFi 12.5" Laptop Notebook
|
365
|
+
NEW SEALED Apple iPhone 5 32GB White & Silver Factory Unlocked
|
366
|
+
APPLE POWERBOOKS - MAC LOVER LOT
|
367
|
+
Apple MacBook Pro 15 Inch Laptop with Retina Display (April, 2013)
|
368
|
+
Oculus Rift VR Development Kit Sealed BNIB No Reserve Free Shipping
|
369
|
+
RESIDENT EVIL NEMESIS TYPE 1,2 &3
|
370
|
+
Samsung Infuse 4G i997 Case Phone Snap On Hard Cover Pink Bling
|
371
|
+
2005 Cannondale Prophet Lefty Mountain Bike Medium
|
372
|
+
Apple iMac 24" 3.06GHz Intel Core 2 Duo 4GB RAM 500GB HD MB325LL/A
|
373
|
+
Apple iPhone 5 (Latest Model) - 32GB - White & Silver (Factory Unlocked)...
|
374
|
+
1742 MODEL INFANTRY HANGER/ SWORD
|
375
|
+
1879-O Morgan Silver Dollar - PCGS MS 64 - Bright White 20391795
|
376
|
+
Fender Classic Player Jazzmaster Special Electric Guitar Black + Gigbag
|
377
|
+
Air Yeezy 2 Size 10 US Brand New White Snow
|
378
|
+
Sennheiser S1 Premium Passive Aviation Headset
|
379
|
+
Sprint iPhone 5 16G used, Sprint iPhone 4 used, and Galaxy Nexus by Samsung used
|
380
|
+
Fender Made in USA Bullet Bass Deluxe
|
381
|
+
Line 6 Variax 700 Acoustic Electric Modeling Guitar W/ Gig Bag
|
382
|
+
Samsung Series 5 Chromebook - XE550C22-H01US - 4 GB RAM - 16 GB SSD - Verizon-3G
|
383
|
+
2013 Macbook Air, iPod Touch, Airport Express, Magic Mouse, Blu tooth Keyboard..
|
384
|
+
StairMaster 4600PT Freeclimber Stepper Used RECONDITIONED
|
385
|
+
2010 SIDESHOW MARVEL COMICS PREMIUM FORMAT STATUE X-MEN'S GAMBIT RARE MIB
|
386
|
+
Sony Cyber-shot DSC-RX100 20.2 MP Digital Camera + Extras!
|
387
|
+
Sonos PLAYBAR Sound Bar New - Open Box, Free Shipping!
|
388
|
+
Nikon D7000 Digital SRL BODY
|
389
|
+
Starboard 12Ft Big Easy Stand Up Paddleboard Wind-SUP Windsurf Combo
|
390
|
+
Game of Thrones Blue-Ray Seasons 1 & 2 Deluxe Box Set Not Sold in Stores
|
391
|
+
World Of Warcraft Burning Crusade, Wrath, Cataclysm, Pandaria Collectors Edition
|
392
|
+
ANTIQUE FRENCH BEEHIVE CLOCK
|
393
|
+
Apple MacBook Pro 13.3" Laptop - MD313LL/A (October, 2011)
|
394
|
+
HP PAVILION P7-1400T Desktop PC, i3 2130 3.4GHz, 6GB, 1TB, 1GB Video, WiFi, W8
|