Note: The db usage in my case may not be typical.
did not work well for me:
administration tools are not user friendly
could not quite figure out how to load data from a file
Nice adminstration tools
Deployment is very simple and well explained in documentation
Speed: in my case slower than MySQL
* Preferered choice in my case
Very nice db, but deployment is rather heavy
I was considering HSQLDB as my primary choice of in memory database. After reading its history on http://en.wikipedia.org/wiki/HSQLDB :
HSQLDB is a relational database management system written in Java. It is based on Thomas Mueller's discontinued Hypersonic SQL Project.[1] He later developed H2 as a complete rewrite.
I decided to give H2 a try. Bellow is the benchmark from the H2's website, which looks quite nice. Hopefully my application will achieve similar results.
My application. I am currently running my algorithm on the top of Taste recommender engine using MySQL. A complete set of experiments for my algorithm and existing to produce results takes 3 days on a Core2 Duo machine. I need to try more than 20 different settings = 60 days. So I decided to try to speed it up. In addition I don't have permission to install db on the supercomputing cluster at my university so in memory db hopefully will solve both of my problems.
Since memory's I/O is much faster than disk I/O this should translate into significant speed up (assuming your db can fit in memory)
Could be run in embeded mode -- all you need is java and you can run it locally inside of your application (no additional sotware needs to be installed on the server etc.).
Note: I am using this setup for explorative learning algorithm; it is not a typical usage of the recommender system.
Single pass: 138 - 3,819 ms (depending on configuration)
# Create Table
CREATE TABLE taste_preferences (
user_id VARCHAR(10) NOT NULL,
item_id VARCHAR(10) NOT NULL,
preference FLOAT NOT NULL,
time_stamp VARCHAR(10),
PRIMARY KEY (user_id, item_id)
)
# Create Indexes
CREATE INDEX IDX_USER_ID ON TASTE_PREFERENCES ( USER_ID )
CREATE INDEX IDX_ITEM_ID ON TASTE_PREFERENCES ( ITEM_ID )
CREATE INDEX IDX_PREFERENCE ON TASTE_PREFERENCES ( PREFERENCE )
# Load data from file
INSERT INTO TASTE_PREFERENCES SELECT * FROM CSVREAD('/home/neil/tmp/u.txt');
see AL_CF.java for more details
Some parts of code are not well documented; the javadoc seems to be out of sync. Had to browse for this one for a while, untill found it.
// Create DB Connection
// H2
String driverName = "org.h2.Driver";
String url = "jdbc:h2:~/test";
String user = "sa";
String pwd = "";
org.h2.jdbcx.JdbcDataSource db = new org.h2.jdbcx.JdbcDataSource();
db.setUser(user);
db.setPassword(pwd);
db.setURL(url);
java.util.NoSuchElementException: Can't retrieve more due to exception: org.h2.jdbc.JdbcSQLException: The result set is not scrollable and can not be reset. You may need to use conn.createStatement(ResultSet.TYPE_SCROLL_INSENSITIVE, ResultSet.CONCUR_READ_ONLY). [90128-66]
Changed com.planetj.taste.impl.model.jdbc.AbstractJDBCDataModel
* NEIL -- Modified ResultSetUserIterator to fix the following Exception:
* TODO: Do it in a better way
org.h2.jdbc.JdbcSQLException: Syntax error in SQL statement INSERT INTO TASTE_PREFERENCES SET[*] USER_ID=?, ITEM_ID=?, PREFERENCE=? ON DUPLICATE KEY UPDATE PREFERENCE=? ; expected ., (, DEFAULT, VALUES, (, SELECT, FROM; SQL statement:
INSERT INTO taste_preferences SET user_id=?, item_id=?, preference=? ON DUPLICATE KEY UPDATE preference=? [42001-66]
at org.h2.message.Message.getSQLException(Message.java:89)
at org.h2.message.Message.getSQLException(Message.java:93)
at org.h2.message.Message.getSyntaxError(Message.java:103)
at org.h2.command.Parser.getSyntaxError(Parser.java:454)
at org.h2.command.Parser.parseSelectSimple(Parser.java:1445)
at org.h2.command.Parser.parseSelectSub(Parser.java:1366)
at org.h2.command.Parser.parseSelectUnion(Parser.java:1249)
at org.h2.command.Parser.parseSelect(Parser.java:1237)
at org.h2.command.Parser.parseInsert(Parser.java:826)
at org.h2.command.Parser.parsePrepared(Parser.java:343)
at org.h2.command.Parser.parse(Parser.java:265)
at org.h2.command.Parser.parse(Parser.java:241)
at org.h2.command.Parser.prepareCommand(Parser.java:209)
at org.h2.engine.Session.prepareLocal(Session.java:213)
at org.h2.engine.Session.prepareCommand(Session.java:195)
at org.h2.jdbc.JdbcConnection.prepareCommand(JdbcConnection.java:970)
at org.h2.jdbc.JdbcPreparedStatement.<init>(JdbcPreparedStatement.java:1206)
at org.h2.jdbc.JdbcConnection.prepareStatement(JdbcConnection.java:161)
at org.apache.commons.dbcp.PoolingDataSource$PoolGuardConnectionWrapper.prepareStatement(PoolingDataSource.java:302)
at com.planetj.taste.impl.model.jdbc.AbstractJDBCDataModel.setPreference(AbstractJDBCDataModel.java:420)
at com.planetj.taste.impl.recommender.AbstractRecommender.setPreference(AbstractRecommender.java:81)
at org.hrstc.taste.al.AL_CF.evaluate(AL_CF.java:243)
at org.hrstc.taste.al.AL_CF.main(AL_CF.java:80)
Solution:
INSERT INTO TASTE_PREFERENCES SET USER_ID='22', ITEM_ID='378', PREFERENCE='5.0' ON DUPLICATE KEY UPDATE PREFERENCE='5.0'
Was giving the above exception. Replaced it with:
INSERT INTO TASTE_PREFERENCES (user_id, item_id, preference) VALUES ('22', '378', '5.0') ON DUPLICATE KEY UPDATE PREFERENCE='4.0'
Then ... ON DUPLICATE KEY UPDATE PREFERENCE='4.0' part was not a standard SQL syntax (perhaps specific to MySQL).
A better way would be to use an ANSI/ISO standard command MERGE ( instead of other db specific variants ) e.g.:
MERGE INTO TASTE_PREFERENCES(user_id, item_id, preference) key(user_id,item_id) VALUES ('22', '378', '4.0')
wrote H2JDBCDataModel.java
I finaly got H2 to run (most of the changes where migrating incompatible SQL from MySQL to standard SQL)
The performance of it was rather slow:
INFO: It took ms: 2,119,766
Used memory-only mode http://www.h2database.com/html/features.html#memory_only_databases
INFO: It took ms: 140,568
Thats a 10 fold improvement
Let JVM use more memory; let db use more memory
Did not help
Installed TPTP for eclipse but does not work; could not figure out why
Using NetBeans to do profiling; is throwing some of the old error for some reason.
Fix: The problem with error was that class in jar was not correctly overwritten by NetBeans
For some reason when running from NetBeans userNeighbourhood.size = 0; but when running from command line the same files it is not
Fix: The problem with error was that class in jar was not correctly overwritten by NetBeans
Surprisingly the peformance of MySQL MyISAM and MEMORY engine are almost identical.
Performance of H2 is 10x slower than MySQL. The difference of code between two implementations is that for
H2: MERGE INTO
MySQL: INSERT ... ON DUPLICATE KEY UPDATE
INFO: It took ms: 20,574
Mar 24, 2008 11:05:09 AM org.hrstc.taste.al.AL_CF <init>
INFO: log running..
943
Mar 24, 2008 11:05:11 AM org.hrstc.taste.al.AL_CF getTestUsers
INFO: Selected userID: 421
Mar 24, 2008 11:05:11 AM org.hrstc.taste.al.AL_CF evaluate
INFO: AL Type: random
Mar 24, 2008 11:05:13 AM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}]
Mar 24, 2008 11:05:13 AM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 1577
Mar 24, 2008 11:05:34 AM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}, {MAE=0.8614681}]
Mar 24, 2008 11:05:34 AM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 20574
CREATE TABLE `taste`.`taste_preferences` (
`user_id` varchar(10) NOT NULL,
`item_id` varchar(10) NOT NULL,
`preference` float NOT NULL,
PRIMARY KEY (`user_id`,`item_id`),
KEY `user_id` (`user_id`),
KEY `item_id` (`item_id`)
) ENGINE=MyISAM DEFAULT CHARSET=latin1
INFO: It took ms: 19,781
Mar 24, 2008 2:55:58 PM org.hrstc.taste.al.AL_CF <init>
INFO: log running..
943
Mar 24, 2008 2:56:00 PM org.hrstc.taste.al.AL_CF getTestUsers
INFO: Selected userID: 421
Mar 24, 2008 2:56:00 PM org.hrstc.taste.al.AL_CF evaluate
INFO: AL Type: random
Mar 24, 2008 2:56:02 PM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}]
Mar 24, 2008 2:56:02 PM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 1522
Mar 24, 2008 2:56:22 PM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}, {MAE=0.760892}]
Mar 24, 2008 2:56:22 PM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 19781
Mar 24, 2008 2:56:38 PM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}, {MAE=0.760892}, {MAE=0.86437464}]
Mar 24, 2008 2:56:38 PM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 16243
CREATE TABLE `taste`.`taste_preferences` (
`user_id` varchar(10) NOT NULL,
`item_id` varchar(10) NOT NULL,
`preference` float NOT NULL,
PRIMARY KEY (`user_id`,`item_id`),
KEY `user_id` (`user_id`),
KEY `item_id` (`item_id`)
) ENGINE=MEMORY DEFAULT CHARSET=latin1
INFO: It took ms: 214,899
Mar 24, 2008 3:01:21 PM org.hrstc.taste.al.AL_CF <init>
INFO: loaded data
943
Mar 24, 2008 3:01:23 PM org.hrstc.taste.al.AL_CF getTestUsers
INFO: Selected userID: 421
Mar 24, 2008 3:01:23 PM org.hrstc.taste.al.AL_CF evaluate
INFO: AL Type: random
Mar 24, 2008 3:01:24 PM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}]
Mar 24, 2008 3:01:24 PM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 1865
Mar 24, 2008 3:04:59 PM org.hrstc.taste.al.AL_CF evaluate
INFO: User's Stats:
[{MAE=5.0}, {MAE=0.7894972}]
Mar 24, 2008 3:04:59 PM org.hrstc.taste.al.AL_CF evaluate
INFO: It took ms: 214899
Starting DB: java -cp ./lib/hsqldb.jar org.hsqldb.Server -database.0 file:mydb -dbname.0 xdb
java -cp ./lib/hsqldb.jar org.hsqldb.util.DatabaseManager
keywords: hsqldb load data file csv
Use Text Table ; also see src/org/hsqldb/sample/load_binding_lu.sql
Error: table not found in statement [SET TABLE SOURCE] / Error Code: -22 / State: S0002
Possible Reason: Text Tables cannot be created in memory-only databases (databases that have no script file).
Tried example from src/org/hsqldb/sample/load_binding_lu.sql
CREATE TEXT TABLE binding_tmptxt (
id integer,
name varchar(12)
);
Error: Database is memory only in statement [CREATE TEXT TABLE binding_tmptxt] / Error Code: -63 / State: S1000
Solution: this statement is not allowed for in memory database; start server db instance
When trying sudo a server [org.hsqldb.util.DatabaseManager] get the following error:
java.sql.SQLException: socket creation error
Solution: none
Performance of H2 is 10x slower than MySQL. The difference of code between two implementations is that for
H2: MERGE INTO
MySQL: INSERT ... ON DUPLICATE KEY UPDATE
Changed it but did not make a difference.
Disabled/Enabled Connection pooling but did not produce significant affect either.
Since performance still is not good rewrote code for the methods that take too long; and wrote new classes optimized for my task as seen in the next blog posting ....
http://www.h2database.com/html/features.html#trace_options
TRACE_LEVEL_SYSTEM_OUT=3
Do also java code generation; this way can benchmark it against MySQL and see where the problem is.
Turn on logging finest
See performance for my AL method and optimize for it - since it is the slowest one anyway.
If performance still is not good may need to rewrite code for the methods that take too long; or write new classes optimized for my task
For example: may compute user neighborhood only for the specific items; since I need to get estimates for only a few items, etc.
HSQLDB memory mode
MySQL's MEMORY (HEAP) Storage Engine http://dev.mysql.com/doc/refman/5.0/en/memory-storage-engine.html
Comments
Zero Rate Balance Transfers
Very Nice Site! Thanx!
http://besr-cdit-now.cn/improvement-best-home-card.html >best home improvement card
http://cardsperks-offer.cn/instant-credit-00000-card.html >$5 000.00 credit card instant
http://carditsfastdecision-top.cn/national-premier-first-bank.html >first premier national bank
Zero Percent Apr On Transfers
Very Nice Site! Thanx!
http://carditsinstantapprover-now.cn/discovery-locations-credit-office.html >discovery credit card office locations
http://besrt-criet-now.cn/capital-hassles-review-one.html >review capital one no hassles
http://bestdealscrediit-now.cn/checking-freedom-credit-coupon.html >chase freedom credit checking coupon code
Good Rates For Balance Transfers
Very Nice Site! Thanx!
http://dobblemoneycards-offer.cn/fixed-chase-rate-visa.html >fixed rate chase visa
http://cardsimmidetly-info.cn/airline-tickets-credit.html >airline credit tickets
http://besrt-crebit-now.cn/mileage-credit-annual-point.html >mileage point credit cards no annual fees
0 Interest Free Balance Transfers
Very Nice Site! Thanx!
http://cards-immeadiate-top.cn/american-improve-history-express.html >how to improve credit history american express
http://amazingcredite-now.cn/cheapest-credit-fixed-cards.html >cheapest fixed rate on credit cards
http://inminutescardit-now.cn/american-express-reviews-credit.html >blue cash from american express credit card reviews
Transfer Balance 0% 15 Months
Very Nice Site! Thanx!
http://cardainstane-now.cn/lowest-credit-card-who.html >who has the lowest fix credit card apr
http://amazing-carrd-now.cn/card-finder-credit.html >card finder credit
http://bestdeals-cardscredit-now.cn/interest-travel-cards-0.html >0 % interest travel cards
0 Fees Balance Transfer
Very Nice Site! Thanx!
http://bestdeals-ceidt-now.cn/transfer-balance-life-card.html >balance transfer for life of card
http://cardite-instank-best.cn/credit-cards-rated-cash.html >cash back credit cards rated best
http://immediately-cardas-now.cn/credit-rebate-card-fuel.html >credit card rebate fuel gas
Low Unlimited Term Balance Transfer
Very Nice Site! Thanx!
http://loyaltyprogramscard-offer.cn/miles-discover-0.html >miles discover 0%
http://crardpositive-now.cn/interest-offers-rate-low.html >low interest rate offers
http://instantresults-cards-now.cn/credit-people-income-cards.html >credit cards for people with fixed income
Lifetime Balance Transfer 3.9%
Very Nice Site! Thanx!
http://insatnt-cardf-now.cn/credit-limit-cards-good.html >good credit limit cards
http://cardfs-instaint-top.cn/discovery-september-credit-record.html >discovery credit card record september 2004
http://besr-creadir-now.cn/transfer-rewards-dollars-rewards.html >how to transfer disney rewards dollars to rewards card
Balance Transfer Promotion Best
Very Nice Site! Thanx!
http://bestdealsceidit-now.cn/available-credit-cards-best.html >best rate of credit cards available
http://amazing-cords-now.cn/miles-offer-blue-free.html >blue sky free miles offer
http://carditinstan-info.cn/educators-educators-discover-credit.html >discover educators credit card educators
Best Deal On Balance Transfers
Very Nice Site! Thanx!
http://rewardprogram-credit-offer.cn/ticket-credit-delta-free.html >free delta ticket with credit card
http://carditeinstank-top.cn/extension-need-visa-i.html >i need a visa extension
http://bestcredit-creditcar-now.cn/0-apr-card-12-month.html >0 apr card 12 month
Transfer Balances Fixed Rate
Very Nice Site! Thanx!
http://cardbenefit-offer.cn/capitol-cards-0apr-visa.html >0%apr visa cards capitol one
http://insecondes-card-now.cn/credit-cards-cash-card.html >credit cash card cards
http://bestdealscredid-now.cn/purchase-instant-credit-apply.html >apply instant credit purchase
No Payment Balance Transfers
Very Nice Site! Thanx!
http://besrtcrdut-now.cn/furniture-finger-credit.html >finger furniture credit
http://crdetcood-now.cn/credits-cards-000-10.html >$10 000 credits cards
http://benefit-creditcards-offer.cn/discover-credit-limits-low.html >discover credit limits low
12 Months Zero Balance Transfer
Very Nice Site! Thanx!
http://amazingcrard-now.cn/airline-credit-cards-top.html >top ten airline credit cards
http://advantages-creditcards-offer.cn/programs-credit-reward-hotel.html >hotel credit card reward programs
http://cardainstantapprobal-now.cn/490-apr-visa.html >4.90 apr visa
Longest 0% Balance Transfer
Very Nice Site! Thanx!
http://bestdeals-tcard-now.cn/travel-cards-with-fees.html >travel cards with no fees
http://credit-cardrewards-offer.cn/extraordinary-rewards-program-master.... >chase bank master charge extraordinary rewards program
http://insatnt-cardite-now.cn/catalog-credit-online-card.html >how to get a catalog credit card online
Too Many Balance Transfers
Very Nice Site! Thanx!
http://amazingcrediccasd-now.cn/interest-transfer-cards-fees.html >no interest no transfer fees cards
http://bestdealscreidtcard-now.cn/assurance-american-express-buyers.html >american express blue cash buyers assurance
http://besrtchredit-now.cn/premier-credit-offers-credit.html >credit card offers for fair credit first premier bank
0 Interest O Transfer Fees
Very Nice Site! Thanx!
http://amazing-credait-now.cn/credit-months-rates-cards.html >low low rates on credit cards 0% for 15 months
http://bestcreditcredilt-now.cn/review-cash-back-card.html >cash back card review
http://carditeimmediatly-top.cn/credit-limits-cards-very.html >credit cards very high limits
Best Balance Transfer Lob
Very Nice Site! Thanx!
http://instantaprovals-cardact-now.cn/advantage-classic-card.html >classic advantage card
http://bestcreditcardds-now.cn/credit-cards-fixed-best.html >best credit cards with fixed apr
http://besrt-cedit-now.cn/reward-points-hotel-cards.html >hotel reward cards bonus points 15 000
Free Balance Transfer 0% Apr
Very Nice Site! Thanx!
http://carditimmidetly-now.cn/transfer-balance-fixed-card.html >balance transfer card fixed rate for life
http://amazing-cardst-now.cn/lowest-credit-fixed-card.html >lowest fixed apr credit card rate
http://bestcarde-now.cn/centurion-getting-card-tips.html >centurion card tips on getting
Top 10 Balance Transfer
Very Nice Site! Thanx!
http://cardf-instantdecition-info.cn/american-express-credit-cards.html >american express cards for ok credit
http://bestcreditcreddit-now.cn/gasoline-shells-card.html >shells gasoline card
http://cardasinseconds-now.cn/orchard-credit-bank-low.html >orchard bank low apr credit
Bank Offering Balance Transfer
Very Nice Site! Thanx!
http://besrtcarsd-now.cn/promotions-rewards-credit-travel.html >credit card sign promotions chase travel rewards card
http://fastdecision-carda-now.cn/continental-business-offer-chase.html >continental offer code chase business
http://carditinminutes-best.cn/reward-points-chase-bank.html >reward points chase bank one
Rebate For Balance Transfer
Very Nice Site! Thanx!
http://immediatel-cardes-now.cn/credit-credit-cards-build.html >bad credit gas cards to build credit
http://best-cridet-now.cn/cash-card.html >cash card
http://carditsinstantaprovals-now.cn/transfer-balance-delta-miles.html >delta sky miles card balance transfer
Best 0% Transfer Deals
Very Nice Site! Thanx!
http://creditcards-goodies-offer.cn/mastercard-chase-529.html >chase mastercard 529
http://cardite-instank-best.cn/business-credit-small-start.html >credit card small business start up
http://promotioncard-offer.cn/accumulate-credit-cards-miles.html >no fee credit cards to accumulate miles
Zero Apr Transfer Balance
Very Nice Site! Thanx!
http://besrt-credic-now.cn/advantage-dcredit-airmile-card.html >dcredit card with airmile advantage
http://couponscredit-offer.cn/wwwcapitol-one-bank.html >www.capitol one bank
http://creditcards-privilages-offer.cn/reviews-advanta-credit-card.html >reviews of advanta credit card
0$ 0% On Balance Transfer
Very Nice Site! Thanx!
http://card-incentive-offer.cn/american-express-credit-design.html >american express credit card nyc design
http://cardsprizes-offer.cn/american-express-credit-score.html >what kind of credit score do you need to get an american express card
http://cardfs-insecond-best.cn/charity-bonus-cash-back.html >cash back bonus and charity
Balance Transfers With Low
Very Nice Site! Thanx!
http://bestcreditcrediy-now.cn/capital-credit-credit-card.html >capital one credit card good with no credit
http://carditeimidiate-best.cn/rebate-credit-cash-card.html >cash rebate credit card 2%
http://craditcardsperfect-now.cn/agreement-capital-credit-bank.html >capital one bank credit card agreement
Transfer Balances For Life 3.99%
Very Nice Site! Thanx!
http://bestdealscedirt-now.cn/credit-points-thank-bonus.html >credit card thank you bonus points
http://bestdeals-cardd-now.cn/black-what-visa-is.html >what is a black visa
http://amazingcardscredit-now.cn/lowest-points-travel-cards.html >lowest points travel cards
3.9 Apr For Life
Very Nice Site! Thanx!
http://carditeclikandget-now.cn/fixed-life-199-apr.html >1.99% fixed apr for the life
http://besrtcarrds-now.cn/current-card-offers.html >current card offers
http://promotionalcredit-offer.cn/mile-credit-best.html >mile credit best
0 Apr Transferred Balances
Very Nice Site! Thanx!
http://bestcredit-cresit-now.cn/interest-credit-card-rate.html >credit card interest rate of 29
http://fastdecision-cardas-now.cn/transfers-balance-best-card.html >best card on balance transfers
http://credit-dobblemoney-offer.cn/immediate-approval-business-credit.html >immediate credit card approval start using today business
Balance Transfer Rate 3 99
Very Nice Site! Thanx!
http://bestdeals-creedit-now.cn/transaction-transfer-balance-charge.html >no transaction charge on balance transfer cards
http://bestdeals-cardst-now.cn/aadvantage-carlton-points-ritz.html >ritz carlton aadvantage points
http://inmins-cardds-now.cn/signature-freedom-chase-visa.html >$100 chase freedom visa signature
O Interest On Transfer Fees
Very Nice Site! Thanx!
http://promtioncreditcard-offer.cn/saving-credit-yield-earn.html >earn cash high yield saving credit card
http://creditcoolsavings-offer.cn/highest-reward-card-cash.html >reward card highest cash back
http://amazing-credir-now.cn/refund-credit-cards-what.html >what is best refund credit cards
No 3% Transfer Fees
Very Nice Site! Thanx!
http://redeemcard-offer.cn/credit-card-mileage.html >credit card mileage
http://instan-cardd-now.cn/cheapest-credit-cards.html >cheapest credit cards
http://specialpromoscreditcard-offer.cn/jp-morgan-childhood.html >jp morgan childhood
0 Percent For Life Offers
Very Nice Site! Thanx!
http://bestcreditcrdedit-now.cn/hassle-review-miles-no.html >no hassle miles review
http://cardsimmediatly-now.cn/gold-card-concerts.html >gold card concerts
http://cardsflexiblerewards-offer.cn/national-advanta-master-bank.html >national bank advanta master card
No Transfer Fee 0% Interest
Very Nice Site! Thanx!
http://bestdeals-criedit-now.cn/transfer-balance-long-term.html >long term 0% balance transfer card
http://carditsimmediately-top.cn/aadvantage.html >aadvantage
http://card-benifits-offer.cn/credit-credit-cards-score.html >best credit cards for a 660 credit score
2.99 Life Of The Balance
Very Nice Site! Thanx!
http://cards-instan-info.cn/capitol-review-hassle-reward.html >review capitol one no hassle miles reward
http://cardfs-immediately-top.cn/upgrades-airline-credit-card.html >airline credit card upgrades
http://besrtfredit-now.cn/advantage-collision-diamond-damage.html >aaa diamond advantage collision damage
Lowest Rate Life Balance Transfer
Very Nice Site! Thanx!
http://dinersrewards-creditcard-offer.cn/increase-credit-credit-scores.html >credit cards to increase credit scores
http://creditcards-point-offer.cn/wwwadvantacompay.html >www.advanta.com/pay
http://benefitscards-offer.cn/american-platinum-scoring-express.html >credit scoring for american express platinum card
Balance Transfer Fee Calculation
Very Nice Site! Thanx!
http://amazing-cardsw-now.cn/supervisor-capital-numbers-phone.html >capital one supervisor phone numbers
http://imidiate-cardes-now.cn/station-workers-income-gas.html >gas station workers income
http://cardfinsecond-top.cn/credit-cards-best-cash.html >gas credit cards best cash back
Balance Transfers 0% 15 Months
Very Nice Site! Thanx!
http://cardits-instantonline-info.cn/citibank-cash-back.html >citibank cash back
http://cardfinstantapprover-info.cn/cheapest-interest-credit-card.html >cheapest credit card interest rate
http://creditcards-goodies-offer.cn/mastercard-chase-529.html >chase mastercard 529
No Charge Balance Transfer
Very Nice Site! Thanx!
http://bestcredicards-now.cn/credit-card-gas.html >credit card gas
http://besr-crads-now.cn/transfer-balances-best-card.html >best card to transfer balances to
http://cardits-faster-info.cn/credit-cards-rates-apr.html >credit cards apr rates
Balance Transfers And Instant Decisions
Very Nice Site! Thanx!
http://cardd-instantresults-now.cn/introductory-credit-fixed-cards.html >fixed introductory credit cards
http://cardsinstaint-now.cn/transfers-balance-cards-best.html >the best cards for balance transfers
http://cardsincentive-offer.cn/approval-seconds-credit-limit.html >credit card with high limit approval in seconds
O Percent On Account Transfers
Very Nice Site! Thanx!
http://cardits-clikandget-info.cn/transfer-balances-accept-card.html >transfer balances or accept card
http://insecondcarde-now.cn/transfer-balance-cards-fee.html >0% balance transfer no fee cards
http://bestdealscreit-now.cn/interest-credit-fixed-card.html >credit card with low interest fixed rate
Low Fixed Balance Transfer Offers
Very Nice Site! Thanx!
http://creditcard-promotion-offer.cn/advanta-credit-line.html >advanta credit line
http://bestredit-now.cn/platinum-united-card.html >united platinum card
http://besrtcreditcar-now.cn/credit-good-ways-good.html >good ways to get good credit
Life Of Balance Transfer Offer
Very Nice Site! Thanx!
http://bestdealscoard-now.cn/transfer-balance-chase-waive.html >chase waive balance transfer fee
http://immediate-card-now.cn/enterprise-upgrade-double-coupon.html >enterprise rent a car double upgrade coupon
http://bestdeals-cresit-now.cn/transfer-rewards-dollars-rewards.html >how to transfer disney rewards dollars to rewards card
The Best Transfer Balances
Very Nice Site! Thanx!
http://creditcards-redemptions-offer.cn/airlines-reward-credit-delta.html >delta airlines reward credit card
http://bestdealscartds-now.cn/capital-hassles-special-offers.html >capital one visa no hassles special offers
http://carditinmediate-top.cn/firstnational-advantage-merchant-credit.html >the firstnational merchant credit card advantage
O% Interest On Transfer
Very Nice Site! Thanx!
http://inminutes-cardact-now.cn/credit-fixed-card-apr.html >4.9 fixed apr credit card
http://carditsfaster-info.cn/credit-deals-best-card.html >best credit card deals in nyc
http://bestcredit-ccreditcards-now.cn/capital-credit-build-one.html >capital one build credit
Why Get A Balance Transfer
Very Nice Site! Thanx!
http://cardits-instantreply-now.cn/lowest-fixed-rate-apr.html >lowest rate apr fixed
http://besr-carts-now.cn/capital-america-credit-apply.html >apply capital one basic credit card america
http://inseconds-cardds-now.cn/ultimate-reward-chase-cash.html >chase ultimate cash reward card
0% Percent Apr Transfer
Very Nice Site! Thanx!
http://cardsimmediately-now.cn/citibank-verizon-issued-visa.html >verizon visa issued by citibank
http://besr-crerid-now.cn/months-chase-apr-15.html >chase 0 apr 15 months
http://amazing-credyit-now.cn/american-express-apply-black.html >apply for black american express
Effects In Balance Transfer
Very Nice Site! Thanx!
http://cardit-instantonline-top.cn/airline-redeem-credit-ticket.html >how to redeem the miles you had from credit card to airline ticket
http://creditcards-insentives-offer.cn/credit-cash-back-2008.html >cash back 2008 credit
http://reawards-credit-offer.cn/accumulate-miles-card.html >accumulate miles card
0 Balance Transfer Remainder
Very Nice Site! Thanx!
http://cardsinsentives-offer.cn/chasecomunited.html >chase.com.united
http://bestdeals-crediit-now.cn/gasoline-discount-credit-card.html >gasoline discount credit card
http://besr-cre4dit-now.cn/capital-review-hassle-card.html >review capital one no hassle card
0% Transfer Rate 5 Years
Very Nice Site! Thanx!
http://carditimmediately-now.cn/american-express-student-apply.html >american express student blue apply
http://cards-cardrewards-offer.cn/secured-chase-visa-card.html >secured visa card from chase
http://creditbeneifts-offer.cn/chase-best-deals.html >chase best deals
Good Balance Transfer Rate
Very Nice Site! Thanx!
http://erwards-card-offer.cn/capital-credit-cards-rate.html >capital one credit cards low rate
http://carditsinstaint-best.cn/credit-cards-find-that.html >find credit cards that pay you back
http://immediatelcarda-now.cn/interest-months-cards-more.html >low interest cards for more the 15 months