datbrandonlxx1987
datbrandonlxx1987
My Blog
401 posts
Don't wanna be here? Send us removal request.
datbrandonlxx1987 · 5 years ago
Text
javascript game code
index.html
<!DOCTYPE html><html lang="en"><head>    <title>Game</title>    <link rel="stylesheet" href="style.css"></head><body>    <!--        1. HTML        2. CSS        3. div.background 1200x800        4. div.hero 50x50        5. move left / right (bonus: move up/down)  (bonus: move hero with mouse)        6. fire 17x47        7. game loop        8. div.enemy        9. enemy objects / enemy movement        10. collision detection    -->    <div id="background">        <div id="hero"></div>        <div id="missiles"></div>        <div id="enemies"></div>    </div>     <script>        var hero = {            left: 575,            top: 700        };         var missiles = [];         var enemies = [            { left: 200, top: 100 },            { left: 300, top: 100 },            { left: 400, top: 100 },            { left: 500, top: 100 },            { left: 600, top: 100 },            { left: 700, top: 100 },            { left: 800, top: 100 },            { left: 900, top: 100 },            { left: 200, top: 175 },            { left: 300, top: 175 },            { left: 400, top: 175 },            { left: 500, top: 175 },            { left: 600, top: 175 },            { left: 700, top: 175 },            { left: 800, top: 175 },            { left: 900, top: 175 }        ];                 document.onkeydown = function(e) {                        if (e.keyCode === 37) {                // Left                hero.left = hero.left - 10;            }            if (e.keyCode === 39) {                // Right                hero.left = hero.left + 10;            }            if (e.keyCode === 32) {                // Spacebar (fire)                missiles.push({                    left: hero.left + 20,                    top: hero.top - 20                 });                drawMissiles()            }            drawHero();        }         function drawHero() {            document.getElementById('hero').style.left = hero.left + 'px';            document.getElementById('hero').style.top = hero.top + 'px';        }         function drawMissiles() {            document.getElementById('missiles').innerHTML = ""            for(var i = 0 ; i < missiles.length ; i++ ) {                document.getElementById('missiles').innerHTML += `<div class='missile1' style='left:${missiles[i].left}px; top:${missiles[i].top}px'></div>`;            }        }         function moveMissiles() {            for(var i = 0 ; i < missiles.length ; i++ ) {                missiles[i].top = missiles[i].top - 8            }        }         function drawEnemies() {            document.getElementById('enemies').innerHTML = ""            for(var i = 0 ; i < enemies.length ; i++ ) {                document.getElementById('enemies').innerHTML += `<div class='enemy' style='left:${enemies[i].left}px; top:${enemies[i].top}px'></div>`;            }        }         function moveEnemies() {            for(var i = 0 ; i < enemies.length ; i++ ) {                enemies[i].top = enemies[i].top + 1;            }        }         function collisionDetection() {            for (var enemy = 0; enemy < enemies.length; enemy++) {                for (var missile = 0; missile < missiles.length; missile++) {                    if (                         missiles[missile].left >= enemies[enemy].left  &&                        missiles[missile].left <= (enemies[enemy].left + 50)  &&                        missiles[missile].top <= (enemies[enemy].top + 50)  &&                        missiles[missile].top >= enemies[enemy].top                    ) {                        enemies.splice(enemy, 1);                        missiles.splice(missile, 1);                    }                }            }        }         function gameLoop() {            setTimeout(gameLoop, 1000)            moveMissiles();            drawMissiles();            moveEnemies();            drawEnemies();            collisionDetection();        }                gameLoop()     </script></body></html>
style.css
div#background {    width: 320px;    height: 288px;    background-image: url('assets/background.png');    position: absolute;} div#hero {    width: 50px;    height: 50px;    background-image: url('assets/hero.png');    position: absolute;    left: 575px;    top: 700px; } div#missiles {    width: 1200px;    height: 800px;    position: absolute;} div.missile1 {    width: 10px;    height: 28px;    background-image: url('assets/missile1.png');    position: absolute;} div#enemies {    width: 1200px;    height: 800px;    position: absolute;} div.enemy {    width: 50px;    height: 50px;    background-image: url('assets/enemy.png');    position: absolute;} 
you also need a folder called assets and you need an image in there called background.png and an image in there called hero.png
0 notes
datbrandonlxx1987 · 5 years ago
Text
Java Programming Code
create a Board.java file
package com.zetcode; press alt enter
import java.awt.Color; import java.awt.Dimension; import java.awt.Graphics; import java.awt.Image; import java.awt.Toolkit; import java.util.Timer; import java.util.TimerTask; import javax.swing.ImageIcon; import javax.swing.JPanel;
public class Board extends JPanel  {
   private final int B_WIDTH = 350;    private final int B_HEIGHT = 350;    private final int INITIAL_X = -40;    private final int INITIAL_Y = -40;        private final int INITIAL_DELAY = 100;    private final int PERIOD_INTERVAL = 25;
   private Image star;    private Timer timer;    private int x, y;
   public Board() {
       initBoard();            }
   private void loadImage() {
       ImageIcon ii = new ImageIcon("src/resources/8bitme.png");        star = ii.getImage();            }
   private void initBoard() {
       setBackground(Color.BLACK);        setPreferredSize(new Dimension(B_WIDTH, B_HEIGHT));
       loadImage();
       x = INITIAL_X;        y = INITIAL_Y;
       timer = new Timer();        timer.scheduleAtFixedRate(new ScheduleTask(),                INITIAL_DELAY, PERIOD_INTERVAL);            }
   @Override    public void paintComponent(Graphics g) {        super.paintComponent(g);
       drawStar(g);    }
   private void drawStar(Graphics g) {
       g.drawImage(star, x, y, this);        Toolkit.getDefaultToolkit().sync();    }
   private class ScheduleTask extends TimerTask {
       @Override        public void run() {
           x += 1;            y += 1;
           if (y > B_HEIGHT) {                y = INITIAL_Y;                x = INITIAL_X;            }
           repaint();        }    } }
create a Application.java file
package com.zetcode;
import java.awt.EventQueue; import javax.swing.JFrame;
public class Application extends JFrame {
   public Application() {
       initUI();    }
   private void initUI() {
       add(new Board());
       setSize(500, 500);
       setTitle("Application");        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);        setLocationRelativeTo(null);    }    
   public static void main(String[] args) {
       EventQueue.invokeLater(() -> {            Application ex = new Application();            ex.setVisible(true);        });    } }
create a SwingTimerEx.java file
package com.zetcode;
import java.awt.EventQueue; import javax.swing.JFrame;
public class SwingTimerEx extends JFrame {
   public SwingTimerEx() {
       initUI();    }
   private void initUI() {
       add(new Board());
       setResizable(false);        pack();
       setTitle("Star");        setLocationRelativeTo(null);                setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);    }
   public static void main(String[] args) {
       EventQueue.invokeLater(() -> {            SwingTimerEx ex = new SwingTimerEx();            ex.setVisible(true);        });    } }
create a UtilityTimerEx.java
package com.zetcode;
import java.awt.EventQueue; import javax.swing.JFrame;
public class UtilityTimerEx extends JFrame {
   public UtilityTimerEx() {
       initUI();    }
   private void initUI() {
       add(new Board());
       setResizable(false);        pack();
       setTitle("Star");        setLocationRelativeTo(null);        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);            }
   public static void main(String[] args) {
       EventQueue.invokeLater(() -> {            JFrame ex = new UtilityTimerEx();            ex.setVisible(true);        });    } }
0 notes
datbrandonlxx1987 · 6 years ago
Text
Guitar numbers
Guns n Roses Sweet Child Of Mine 30 beats The Sex Pistols God Save The Queen 10 beats
0 notes
datbrandonlxx1987 · 6 years ago
Text
guitar practicing beats per minute stuff
acdc hells bells 97 beats per minute
taylor swift love story 62 beats per minute 
George strait 41 beats per minute
speed picking 65
0 notes
datbrandonlxx1987 · 6 years ago
Text
taylor swift love story
gain of 5 treble 7 presence 7 mids 7 bass 2 fender bass man C3 on the vox stomp lab 2G taylor swift sound maybe on the bridge pick up, pick under the neck pickup
0 notes
datbrandonlxx1987 · 6 years ago
Text
ACDC settings
rat pedal gain of 5, amp settings treble 10 mids 10 bass 10 presence 10, orange amp dirt channel, dirty volume 3 or 4 gain of 2 vox stomp lab 2g volume I have it maxed, max guitar volume,  max guitar tone volume neck pickup
0 notes
datbrandonlxx1987 · 6 years ago
Text
chord sound
I don't know what these amp settings are bass 5 mids 5 treble 7 presence 7, neck pickup, lower the left tone to 0 volume to 5 for right tone
0 notes
datbrandonlxx1987 · 6 years ago
Text
Van Halen sound
LN 8.0, G8 amp max gain on the amp so like max distortion, amp volume 4, bass 10, mids 10, treble 10, presence 10, manual wah, gain manual set to 5.5, level or resonance set to 0, E3 delay a echo delay 4.5 for the gain or the time, the level is 4.5 is the mix, spring reverb 3 for the gain or the time, maxed for the level or the mix, noise reduction maxed, fllanger gain of 1 or the speed and a level of 2 that’s the resonance
0 notes
datbrandonlxx1987 · 6 years ago
Text
country chicken picking
treble 7 bass maxed mids 0 reverb 2 for the time gain and the level is the mix compressor 4 for the gain is the sensitivity and the level you do an up pick bring the guitar string up the guitar pick is facing down 3 on the high e 3 on the b 0 on the g slapback delay 1.2 for the time or the gain 6 for the mix or the level, amp gain set to 1, G2 amp gain of the amp 1, amp volume 4, middle pick up pick near the middle pick up, I maxed the noise reduction
0 notes
datbrandonlxx1987 · 6 years ago
Text
last girl that rejected me on twitter part 2
@Marrisa74008059      = 508 girl’s
@preancadas      = 509 girl’s
@StellaSerah      = 510 girl’s
@deleonflora1      = 511 girl’s 
@donyacheng      = 512 girl’s
@ElisabethFrieda      = 513 girl’s
@Melisa45351725      = 514 girl’s
@Kate28869358      = 515 girl’s
@vivian02william      = 516 girl’s
@FelicityCoope15      517 girl’s
@Bianca73073999      518 girl’s
@yvonnetom010      519 girl’s
@AlissonsLauren1      520 girl’s
@PeytonHodge8      521 girl’s
@willkat92      522 girl’s
@sharons83457793      523 girl’s
@free__me      524 girl’s
@AlissonParker07      525 girl’s
@tenealbroccado      526 girl’s
@Chloe07588866      527 girl’s
@Melissa81800649      528 girl’s
@DonnaSara7      529 girl’s
@Maryjoh02294158      530 girl’s
@MentorMaria      531 girl’s
@lindajo02116166      532 girl’s
@clarawi26256317      533 girl’s
@LaurieRussel10      534 girl’s
@LanaMike1      535 girl’s
@Juliana72103119      536 girl’s
@Mandy06961439      537 girl’s
@ToriTowill      538 girl’s
@marygreenlief      539 girl’s
@Jessica15980553      540 girl’s
@LoveStreamTG      541 girl’s
@DorothyThulin      542 girl’s
@Linda25344963      543  girl’s
@rachel46218637      544 girl’s
@tifanny_jones      545 girl’s
@MaryNea15012403      546 girl’s
@sklarer21      547 girl’s
@MissYjw1        548 girl’s
@SmithHannh      549 girl’s
@Helen94198766      550 girl’s
@jmoisio      551 girl’s
@FundzRt      552 girl’s 
@Alexand41594146      553 girl’s
@AshleyW70701271      554 girl’s
@StoneAlexandra7      555 girl’s
@Rebecca92138265      556 girl’s 
@SarahSm38756345      557 girl’s
@Mattiej515      558 girl’s 
@MaggieValenti0      559 girl’s
@Victori30891461      560 girl’s 
@SelenaMark9      561 girl’s
@Cynthia40305647     562 girl’s
@Db_83_      563 girl’s
@linda60021377  564 girl’s
@Hailey01447365      565 girl’s
@mercy35763115      566 girl’s
@JulianMark14      567 girl’s
@witneyanny21      568 girl’s 
@Jessicaella11      569 girl’s
@ElisaWillam      570  girl’s
@KristiCarlos2 571 girl’s
@KellySeal      572 girl’s
@Melissa83131501      573 girl’s
@Kimberl75760448      574 girl’s
@madelainejley      575 girl’s 
@cleaningkenny      576 girl’s 
@ginarob11311819     577 girl’s 
@TMaryBerry1    578 girl’s
@morasee 579 girl’s 
@SexxyLorry 580 girl’s
@queenkayyj 581 girl’s 
@Asiri_Ocean 582 girl’s
@nycgirl811 = 583 girl's
@AllisonWoody = 584 girl's
@mysunnyday_ = 585 girl’s
@JoeyNova4 = 586 girl’s
@camgirlsonam4 = 587 girl’s
@palmer_twins = 588 girl’s
@audreybitonix = 589 girl’s
@devon_lovely = 590 girl’s
@bonnaaaay = 591 girl’s
@NatashaNixx = 592 girl’s
@bootyfull_k = 593 girl’s
@msxxmxs = 594 girl’s
@jpattch = 595 girl’s
@Alicia69420374 = 596 girl’s
@Slinkyka = 597 girl’s 
@ArielKing69xoxo = 598 girl’s
@EmptyDeity = 599 girl’s
@SloanePeterso15 = 600 girl’s
@saramills631= 601 girl’s
@RachelRoh = 602 girl’s
@golddusttori = 603 girl’s
@suziemarie29 = 604 girl’s
@RosyyRozay = 605 girl’s
@MistyBenz = 606 girl’s 
@NaeStuck = 607 girl’s 
@CuteladyAlison = 608 girl’s
@JanieCMorrison1 = 609 girl’s
@belinda99292807 = 610 girl’s
@Morgan79715938 = 611 girl’s
@KittyElaine2 = 612 girl’s 
@20somethingggg = 613 girl’s 
@VictoriaQ242 = 614 girl’s 
@kimberl51493296 = 615 girl’s 
0 notes
datbrandonlxx1987 · 6 years ago
Text
Dutch Defense i played against myself game 1
1. D4 f5 2. Bf4 nf6 3. Nf3 e6 4. E3 be7 5. C4 0-0 6. Bd3 d6 7. 0-0 h6 8. H3 nc6 9. A3 b6 10. Qa4 bb7 11. Nc3 g5 12. Bg3 nh5 13. Bh2 nf6 14. D5 exd5 15. Cxd5 ne5 16. Bxe5 dxe5 17. Bxf5 e4 18. Ne5 bc8 19. Bxe4 bd6 20. 20. Nc6 Qd7 21. Nb5 nxe4 22. Qxe4 ba6 nxd6 Qxd6 24. Rfd1 rae8 25. Qa4 be2 26. Rd2 b5 27. Qxa7 ra8 28. Qd4 bh5 29. Qe4 bf7 30. H4 rfe8 31. Qf3 gxh4 32. Rd4 ra4 33. E4 rxd4 34. Nxd4 bg6 35. Nxb5 Qc5 36. Nc3 rf8 37. Na4 Qd4 38. Qg4 kh7 39. Qxh4 Qxa4 40. Rc1 Qb5 41. Rxc7+ rf7 42. Rxf7+ bxf7 43. Qe7 kg6 44. Qd6+ kg7 45. Qe5+ kg6 46. F3 Qb6+ 47. Kf1 Qe3 48. A4 Qc1+ 49. Kf2 Qc2+ 50. Kg3 Qxa4 51. F4 Qb3+ 52. Kh2 Qd1 53. F5+ kh7 54. Qe7 kg7 55. 55. D6 Qd4 56. D7 Qd2 57. d8=Q Qxd8 58. Qxd8 bh5 59. F6+ kg6 60. Qe8+ kxf6 61. Qxh5 kg7 62. Qf5 h5 63. Kg3 kh6 64. Kh4 kg7 65. Kxh5 kg8 66. Kg6 kh8 67. Qc8# white wins
0 notes
datbrandonlxx1987 · 6 years ago
Text
this might lead to me getting rejected
I'm on bumble. Which makes for a better relationship? Passion or dedication. follow me if you want your answers to be private
I don't have a job. I live with my mom. I'm trying to make money off of chess
playr.org
0 notes
datbrandonlxx1987 · 6 years ago
Text
French defense checkmate
1.e4 e6 2.d4 d5 3.Nd2 Nf6 4. e5 Nfd7 5.Bd3 c5 6.c3 Nc6 7.Ngf3 Be7 8.O-O g5 9.h3 h5 10.g4 Qb6 11.Qb3 Qc7 12.Qd1 b6 13.a3 Bb7 14.b4 cxd4 15.cxd4 hxg4 16.hxg4 Ndxe5 17.dxe5 Nxe5 18.Bb5+ Kf8 19.Bb2 d4 20.Re1 Nxf3+ 21.Nxf3 Qf4 22.Qxd4 Rh1+ 23.Kxh1 Qxf3+ 24.Kh2 Qg2#0-1
0 notes
datbrandonlxx1987 · 7 years ago
Text
Who is droppin 30's in the NBA?
Andrew wiggins dropped a 30 1 time against the Oklahoma city thunder December 23, 2018
Anthony davis dropped a 44 1 time against the Oklahoma city thunder December 12, 2018
Anthony davis dropped a 48 2 times against the dallas mavericks December 28, 2018
Anthony davis dropped a 38 against the cavs January 9th, 2019
blake griffin dropped a 34 1 time against the timberwolves December 19, 2018
damian lillard dropped a 33 1 time against the cavs January 16, 2019
demar DeRozan dropped a 30 1 time against the Denver nuggets December 26,2018
Donovan Mitchell dropped a  33 against the Orlando magic January 10, 2019
Giannis antetokounmpo dropped a 30 1 time against the Brooklyn nets December 29, 2018
Gordon Hayward dropped a 35 1 time against the timberwolves January 3rd, 2019  
jamal murray dropped a 31 1 time against the spurs December 29, 2018
jamal murray dropped a 36 1 time against the sacremento kings January 3, 2019 
james harden dropped a 41 1 time against the pelicans December 29, 2018
james harden dropped a 43 2 time against the grizzlies December 31st, 2018
james harden dropped a 44 3 times against the warriors January 4, 2018
james harden dropped a 61 4 times against the knicks January 23, 2019
james harden dropped a 43 5 times against the Utah jazz February 2nd, 2019
joel embiid dropped a 42 1 time against the phoenix suns January 3, 2019
joel embiid dropped a 37 1 time against the lakers February 10, 2019
kawhi leonard dropped a 45 1 time against the Utah jazz January 1st, 2019
kawhi leonard dropped a 30 against milwaukee January 5th, 2019
klay Thompson dropped a 44 against the lakers January 21, 2019
kyle kuzma dropped a 41 against the Detroit pistons January 10, 2019
kyrie irving dropped a 38 against the Grizzlies January 18, 2019
lamarcus Aldridge dropped a 32 1 time against the Celtics January 4, 2019
lamarcus Aldridge dropped a 56 2 times against the Oklahoma city thunder January 10, 2019
lou Williams dropped a 36 1 time against the lakers December 28, 2018
luka doncic dropped a 30 1 time against the phoenix suns January 10, 2019
nikola jokic dropped a 39 1 time against the hornets January 5, 2019
paul George dropped a 37 1 time against the trailblazers Jan 5, 2019
0 notes
datbrandonlxx1987 · 7 years ago
Text
last girl that rejected me on twitter part 1
@MsDanaHamilton 1 girl
@smithkatty22 ‏ 2 girl’s
@MagnusLynne ‏ 3 girl’s
@itsabriee ‏ 4 girl’s
@NicoleMelinda4 ‏ 5 girl’s
@Barbie_lucyh ‏ 6 girl’s
@xo_Pebbles_xo 7 girl’s
@JennyEv68812302 8 girl’s
@Jesha8877 ‏ 9 girl’s
@kate99580474  10 girl’s
@Jennife11213324 11 girl’s
@PalamosKate 12 girl’s
@Its_Amiee_OKAY 13 girl’s
@AdwinAmeen 14 girl’s
@kupk8kes 15 girl’s
@katrina86435034 16 girl’s
@motangue 17 girl’s
@j_grotjan ‏ 18girl’s
@NaomiGWright1 19 girl’s
@TeresaM63816032 20 girl’s
@EllenRo98686191 ‏ 21 girl’s
@erinhealey9 ‏ 22girl’s
@Kimberl11812871 23 girl’s
@Richmommy0 24 girl’s
@fabel_diana 25 girl’s
@bellaviares 26 girl’s
@KatherineEldri6 27 girl’s
@Ag88Lydia ‏ 28 girl’s
@Jessica55619187 29 girl’s
@LisaGTamez1 30 girl’s
@LindaBe67303808 31 girl’s
@Florenc80615046 32 girl’s
@srishti17mandre 33 girl’s
@sarahTammy1 34 girl’s
@CarolynRWhite3 35 girl’s
@Esther05193988 36 girl’s
@MarySan84195748 37 girl’s
@Olabisi25624098 ‏ 38girl’s
@isabeldanicich 39 girl’s
@techladyallison 40 girl’s
@jenerous 41 girl’s
@shanboody 42 girl’s
@Ashlynnicole57 43 girl’s
@lafemmelarents 44 girl’s
@shmisarah ‏ 45 girl’s
@Mary73470981 46 girl’s
@rhondabarb ‏ 47 girl’s
@AStarevic 48 girl’s
@Rachael10071018 49 girl’s
@Rosemarry231 50 girl’s
@HanaTippets 51 girl’s
@lemmingqueen 52 girl’s
@Suzanne88937786 53 girl’s
@Theresawilli4 54 girl’s
@Jacquel93692704 55 girl’s
@JamieAndrea9 56 girl’s
@parrywillam4541 57 girl’s
@jennagerald3 58 girl’s
@AlexandraWills6 59 girl’s
@BristolBella 60 girl’s
@KBerris 61 girl’s
@Kayla22981782 62 girl’s
@Brownsonbright1 63 girl’s
@SandraG43644916 64 girl’s
@janson_lucy 65 girl’s
@jeanny20743564 66 girl’s
@Cherry66210317 67 girl’s
@vanedwyne 68 girl’s
@Sandral40343800 69 girl’s
@mindfulproblog 70 girl’s
@esme32801910 ‏ 71girl’s
@VlastuinSherri 72 girl’s
@SherryM46098409 73 girl’s
@janetcomenos 74 girl’s
@Juliaco93078819 75 girl’s
@JerrieSimpson6 76 girl’s
@Lollymomma1 77 girl’s
@MHeskette 78 girl’s
@Janet82935316 79 girl’s
@SherryQueenTho1 80 girl’s
@Lili80655553  81 girl’s
@AndreaLTyrell 82 girl’s
@rosebeautyrose9 83 girl’s
  @EmilyPh02820779 84 girl’s
@henriquetiffan2 85 girl’s
@Gracia39212895 86 girl’s
@Virgini52301599 87 girl’s
@juliet49422213 88 girl’s
@shitvicosays 89 girl’s
@tessalanecandy 90 girl’s
@JMiller96931804 91 girl’s
@Abigail19658578 92 girl’s
@mlevram 93 girl’s
@Deborah94773973 94 girl’s
@Morgan51881733 95 girl’s
@clarawood1245 96 girl’s
@GarnerRhoda01��97 girl’s
@Faye_Cannon11 98 girl’s
@CaldinaSmile 99 girl’s
@Carmen6Russell 100 girl’s
@Whatevah_Amy 101 girl’s
@Rumblerawwr 102 girl’s
@lisafer55053998 103 girl’s
@JanethW81205258 104 girl’s
@DorothyHebert20 105 girl’s
@allanapratt 106 girl’s
@vanessa89773456 107 girls
@ella30120785 108 girl’s
@Beverly60303080 109 girl’s
@Cheryl92023574 110 girl’s
@Isabell07629027 111 girl’s
@jxcksxn_beth 112 girl’s
@JamieAndrea1705 113 girl’s
@MommyChristy007 114 girl’s
@MsDanaHamilton 115 girl’s
@Areardonstacy2 116 girl’s
@LeesRae 117 girl’s
@JackiiDakota 118 girl’s
@Victori79861698 119 girl’s
@sandra28185203 120 girl’s
@Janetfana 121 girl’s
@Temmy24278512 122 girl’s
@Jessicalola20 123  girl’s
@AFrerrara 124 girl’s
@Rose_beauty30 ‏ 125 girl’s
@ElenCynthia1 126 girl’s
@RazanQraini 127 girl’s
@LizzyMartinson 128 girl’s
@monicaw48361810 129 girl’s
@TinaFra63780060 130 girl’s
@Jessica26895648 131 girl’s
@GloriaW04941506 132 girl’s
@JessicaCooks7 133 girl’s
@Lonasims4 134 girl’s
@debbie_sophia 135 girl’s
@stuffducky_ 136 girl’s
@mommy_lizaa 137 girl’s
@CrownRusell 138 girl’s
@Danihelah16 139 girl’s
@HaydenJefferso4 140 girl’s
@Theresa18350021 141 girl’s
@jess_hazard 142 girl’s
@Kimberl64798280 143 girl’s
@LucasRoseline1 ‏ 144 girl’s
@AudreyPittenger 145 girl’s
@AlvinaBash 146 girl’s
@kimberlyCooks3 147 girl’s
@RachelM66471880 148 girl’s
@LindaDa13298472 149 girl’s
@bennetta_h 150 girl’s
@Joyce54982675 151 girl’s
@DebbyRhodes5 152 girl’s
@Jennife07719392 153 girl’s
@AnnDeMarie1 154 girl’s
@kathycox256 155 girl’s
@happysushi_ 156 girl’s
@CretserAudrey 157 girl’s
@nicole94862117 158 girl’s
@FrankiiWatson 159 girl’s
@SweetMe22260503  160 girl’s
@moral28431585 161 girl’s
@virtualloveblog 162 girl’s
@azim72_ 163 girl’s
@AFrerrara 164 girl’s
@Naomi82576264      165 girl’s
@BajkowskiPeggy 166 girl’s 
@Lydia92208594      167 girl’s
@FabulousNicole5 168 girl’s
@WendyJTaylor2      169 girl’s
@Krryssi3      170 girl’s
@MatinzSandra      171 girl’s
@Kerryan58284054      172 girl’s
@sophiacares12      173 girl’s
@Connieharley4      174 girl’s
@sallie_sue      175 girl’s
@BritneyWilloug1      176 girl’s
@Michell11328259      177 girl’s
@Linda36690876      178 girl’s
@Kelly92204035      179 girl’s
@coridal500      180 girl’s
@Julliet02312075      181 girl’s
@Helen79196790      182 girl’s
@KyeLillian      183 girl’s
@jozeyv1      184 girl’s
@Jessica65151867      185 girl’s
@JaniceAgnesWil1      186 girl’s
@ShellUK_1985      187 girl’s
@Mary08975993      188 girl’s 
@St3amPunkHarl3y      189 girl’s
@alimatu006      190 girl’s
@IvyAdjei6      191 girl’s
@steenellen2      192 girl’s
@HagertMarie      193 girl’s
@emilyhittner      194 girl’s
@Fangy11792427      195 girl’s
@MariaRo48734995      196 girl’s
@DerbieTaylor      197 girl’s 
@iKnowlespets      198 girl’s
@MarieLash7      199 girl’s
@Kkantro      200 girl’s
@GillhamDavis  201 girl’s
@LadyKitKatie      202 girl’s
@GianaDollNow      203 girl’s
@MantheyEva      204 girl’s
@SierraCortney8      205 girl’s
@PattisonCandy      206 girl’s
@chickiesel      207 girl’s
@lyndsay_newett      208 girl’s
@Angelsbridals      209 girl’s
@RoseQueenSophie      210 girl’s
@MichealJanet7      211 girl’s
@Actual_Yasi      212 girl’s
@Linda73727803      213 girl’s
@davidhutt65      214 girl’s
@mandystadt      215 girl’s
@wangxinlu0413      216 girl’s
@Taylor89637421      217 girl’s
@ColbertChelsey      218 girl’s
@RogezDiana      219 girl’s
@GraceeKyler      220 girl’s
@missrudolph_      221 girl’s 
@Suzy26929844      222 girl’s
@BrumwellClaire      223 girl’s
@M_L_A_Z      224 girl’s
@AmyBarone8      225 girl’s
@mlle_elle      226 girl’s
@vibhuti_wange      227 girl’s
@AyoIkoi      228 girl’s
@willienson      229 girl’s
@AlanaLerer      230 girl’s
@naughtybrunett1      231 girl’s
@princilar1      232 girl’s
@LastGirlKneelin      233 girl’s
@gabrielabalboni      234 girl’s
@Sunshineglory01      235 girl’s
@TeresaMcNaught1      236 girl’s
@KatieLiam2      237 girl’s
@Aliyah17527457      238 girl’s
@mommy_christy27      239 girl’s
@LindaSm98945429      240 girl’s
@Kimmey___      241 girl’s
@katejohan06      242 girl’s
@unrecord      243 girl’s
@aliceantonia1      244 girl’s
@RoseEsqueda2      245 girl’s
@BethanyClub      246 girl’s
@Kally38506514      247 girl’s
@UdayBha62687601      248 girl’s
@Galina09492926      249 girl’s
@IssaDate_      250 girl’s
@Da_queen_b46      251 girl’s
@Mary24645987      252 girl’s
@dbruslady      253 girl’s
@gracep96574706      254 girl’s
@olivia90051426      255 girl’s
@SharonKennyx      256 girl’s
@leticia22510720      257 girl’s
@Greeniecain7      258 girl’s
@terall2324      259 girl’s
@AlexcameronQxo      260 girl’s
@SandraJoel11      261 girl’s
@Hargrea41064909      262 girl’s
@KentuckyLaural      263 girl’s
@Keaton77434941      264 girl’s
@michelleb0519      265 girl’s
@cvillemegan      266 girl’s
@Geneva89900832      267 girl’s
@Alwayscares101      268 girl’s
@IAM_SEXYLOLA      269 girl’s
@JoshuannaT      270 girl’s
@Claudia63108109      271 girl’s
@KateLolaHam1      272 girl’s
@kirsten_hill      273 girl’s
@HagertMarie      274 girl’s
@boundrant      275 girl’s
@SidVina      276 girl’s
@zayaka_pr      277 girl’s
@OLDonlinedating      278 girl’s
@BoanKimberly      279 girl’s
@beckyklynn      280 girl’s
@Fasila10538461      281 girl’s
@LisaMcD80496185      282 girl’s
@Safura57336061      283 girl’s
@PamelaFalk      284 girl’s
@Valenti23876637      285 girl’s
@MilanMelissa2      286 girl’s
@IvyAdjei6      287 girl’s
@Melende40956267      288 girl’s
@AliceAs52188130      289 girl’s
@Estherb11424932      290 girl’s
@AlessaNelson      291 girl’s
@NinaHil24873800      292 girl’s
@berryslim32      293 girl’s
@Bellaso63383595      294 girl’s
@MaeTruitt6      295 girl’s
@beatric45013847      296 girl’s
@hooker_natalie      297 girl’s
@Hillary69359791      298 girl’s
@kramerkelly5      299 girl’s
@SmithSa61210073      300 girl’s
@novaruu_      301 girl’s
@IamlolaAdams      302 girl’s
@Doris00137062      303 girl’s
@MaryJosephClin1      304 girl’s
@KennyKey4twin      305 girl’s
@Donna90379094      306 girl’s 
@RebecaW08467589      307 girl’s 
@mlle_elle      308 girl’s
@lizsdean      309 girl’s
@NotoriousTIB      310 girl’s
@natashamestrada      311 girl’s
@MsDanaHamilton      312 girl’s
@ellmcgirt      313 girl’s
@SarahKHeck      314 girl’s
@jdulski      315 girl’s
@calamityjaz      316 girl’s
@isabeldanicich      317 girl’s
@techladyallison      318 girl’s
@meowmalie      319 girl’s
@jenerous      320 girl’s
@solestria      321 girl’s 
@shanboody      322 girl’s
@larentsamour      323 girl’s
@lisahopeking      324 girl’s
@sarahaines      325 girl’s 
@melaniemignucci      326 girl’s
@wendyzuk      327 girl’s 
@SahajKohli      328 girl’s
@augustafalletta      329 girl’s
@KassieBrabaw      330 girl’s
@taylortrudon      331 girl’s
@jaypugz      332 girl’s
@jameelajamil      333 girl’s
@thechicagolite      334 girl’s
@melmatonti      335 girl’s
@JessiTaylorRO      336 girl’s
@haley      337 girl’s
@eekshecried      338 girl’s
@kathleenliu3      339 girl’s
@stephapelvis      340 girl’s
@BauerJournalism      341 girl’s
@mehreenkasana      342 girl’s
@aliciacohn      343 girl’s
@maggieserota      344 girl’s
@eliza_relman      345 girl’s
@KatieMinard      346 girl’s
@ChelseaJulian      347 girl’s
@jennierunk      348 girl’s
@_caramelitoo_      349 girl’s
@Alison_Kinney      350 girl’s
@natalierosegil      351 girl’s
@LeaRoseEmery      352 girl’s
@izzygrinspan      353 girl’s 
@ZoeTillman      354 girl’s 
@girlsreallyrule      355 girl’s
@thistallawkgirl      356 girl’s
@annaesilman      357 girl’s
@PhilanthropyGal      358 girl’s 
@KrystynaHutch      359 girl’s
@JanetTtrotter1      360 girl’s
@Bellaire00      361 girl’s 
@Kitty70270848      362 girl’s 
@Tabitha31100975      363 girl’s
@kirstenggreen      364 girl’s
@deniz_april      365 girl’s
@Marywil18241303      366 girl’s
@Rachael81944860      367 girl’s
@Betty62249657      368 girl’s
@clarajanet7      369 girl’s
@MissVickyyyyy      370 girl’s
@JodiWuest3      371 girl’s
@Marybra99318364      372 girl’s
@KroliczekK      373 girl’s
@Lindylockwood1      374 girl’s
@Maggiecruzp1      375 girl’s
@RubyPamelaIsab1      376 girl’s
@ZikhonaMgweba      377 girl’s
@sireenahquaye      378 girl’s
@JhazmineKylie      379 girl’s
@Evalovia0      380 girl’s
@shelbykeating21      381 girl’s
@ClaraWi18642124      382 girl’s
@Elina42253343      383 girl’s
@rothschild471      384 girl’s
@codieprevest      385 girl’s
@TinaTommyHarri1      386 girl’s
@KhalifaCallista      387 girl’s
@NancyLo18321959      388 girl’s 
@LisaPet52424791      389 girl’s
@Rosa06857173      390 girl’s
@WilliamsKlara3      391 girl’s
@xodoeeyesxo      392 girl’s
@SHARON25096829      393 girl’s
@Rebecca76483262      394 girl’s
@DaltonMary6      395 girl’s
@Whitney_stam      396 girl’s
@marktonny6      397 girl’s
@DeanalugardDowd      398 girl’s
@Lizaa39076603      399 girl’s
@CINDY23264382      400 girl’s 
@OlivaDa12044767      401 girl’s
@SingleDatingDiv 402 girl’s
@AsmanJosephine      403 girl’s
@Rose19692245      404 girl’s
@christi82026510      405 girl’s
@Carolin74996636      406 girl’s
@Lexis03736955      407 girl’s
@KaliRos88948838      408 girl’s
@djjojodancer      409 girl’s
@Julian29587277 410 girl’s
@DjLitwak      411 girl’s
@Lena63606224      412 girl’s
@kate71058240      413 girl’s
@lora47839558      414 girl’s
@munSofia_Mayer      415 girl’s
@laurencuthell1      416 girl’s
@TheresaRoselin1      417 girl’s
@Garycar26046718      418 girl’s
@Kyla87096522      419 girl’s
@Chiccup      420 girl’s 
@Nanah74415209      421 girl’s
@jenstrong04      422 girl’s
@AngelineVaron19      423 girl’s
@KellyyMaee      424 girl’s 
@MorrisMuntian      425 girl’s
@ATWYSingle 426 girl’s
@AmabelBowman      427 girl’s
@ShephanieColli1      428 girl’s 
@GrahmannRachel      429 girl’s
@OzmaSommers      430 girl’s
@SheryllRotter      431 girl’s
@Temmy214      432 girl’s 
@TammyHembrow16      433 girl’s
@PaulitaPappel      434 girl’s
@MaryMoo94216270      435 girl’s
@Elizabe23697394      436 girl’s 
@RichardsAnna2      437 girl’s
@NancyOr73890014      438 girl’s
@MaryScottJosep1      439 girl’s
@AbigailWislon 440 girl’s 
@Lindaro09399806      441 girl’s
@GraceMa45504693      442 girl’s
@LorentaKelly      443 girl’s
@Nesly24756790      444 girl’s
@diane_northrop      445 girl’s
@Blackmoon232      446 girl’s
@Williamsklara12 447 girl’s
@BlessingAllah      448 girl’s
@AnnaEdw63543317      449 girl’s 
@RhodaHeal      450 girl’s 
@MaryPar97610582      451 girl’s
@Anne_Cohen_      452 girl’s
@Laura57003566      453 girl’s
@Brittan63131632      454 girl’s
@Natasha48866958      455 girl’s
@GalvezeMargaret      456 girl’s 
@vivianduncan981      457 girl’s
@GoldenheartEva      458 girl’s
@Sherrywills15      459 girl’s 
@shilohantonio      460 girl’s
@sandra_dixson      461 girl’s
@Debra18246910      462 girl’s
@jessica90614444      463 girl’s
@Teresa55095919      464 girl’s
@JulianS89917587      465 girl’s
@dari_cher      466 girl’s 
@alcsaki      467 girl’s
@Angela56370652      468 girl’s
@LopezAxella      469 girl’s
@SandraA56148452      470 girl’s
@Frances20580763      471 girl’s 
@Christi93324642      472 girl’s
@JaneWil40067037      473 girl’s
@JessaAnderson4      474 girl’s
@grace1323007841      475 girl’s 
@Sophiabj01      476 girl’s 
@ShawLucky4      477 girl’s 
@ashleeyilmaz  478 girl’s
@mellyjoyjoy      479 girl’s
@Bella13257202      480 girl’s
@Esther42346618      481 girl’s
@AnnaEdw63543317      482 girl’s
@Jennife58207835      483 girl’s
@camrabier      484 girl’s 
@JenifferMercer2      485 girl’s
@ela_bear      486 girl’s
@MelissaHobleyNY 487 girl's
@inLaurasWords 488 girl's
@SandraJ64243941      489 girl’s 
@Audrey81027475      490 girl’s
@Josephi00817664      491 girl’s
@NicoleB88716024      492 girl’s
@Caseybunnell1      493 girl’s
@kyliedustice      494 girl’s
@donnazach032919      495 girl’s
@PamelaPasindo      496 girl’s 
@jennyDonald8      497 girl’s
@Keisha60074774      498 girl’s
@lovekeanureeves      499 girl’s
@vicencio_marisa      500 girl’s 
@Margie46488169      501 girl’s
@Teresabrandy1 502 girl’s
@Awesomeheart1      503 girl’s 
@Jessica51579729      504 girl’s
@Mary00732874      505 girl’s
@ChrystineLeona2      506 girl’s
@stellaforlove1      507 girl’s
0 notes
datbrandonlxx1987 · 7 years ago
Text
dating questions and answers
Which makes for a better relationship? passion or dedication
answer: passion
Would you prefer good things happened, or interesting things?
answer: Good
Do you smoke?
answer: no
Are you currently employed?
answer:  No
Is jealousy healthy in a relationship?
answer:  No
Do you like scary movies?
answer: Yes
Would you date someone who was always optimistic?
answer: No
Could you date someone who was really messy?
answer: yes
Do you feel obligated to help your fellow human beings?
answer: No
Are you really into Anime (Japanese Animation) movies?
answer: Yes
Do you enjoy discussing politics? answer: yes
 When men show extra courtesy toward women (opening doors, pulling out chairs, etc.), this is: 
 answer: Admirable and desirable. Chivalry's not dead. 
 How often are you open with your feelings? answer: Always 
 Do you feel a need to own the most up-to-date electronic gadgets? answer: Sometimes. 
 How frequently do you bathe or shower? answer: 
At least once a day. Do you ever eat in bed? answer: no 
 Do you believe in the accuracy of horoscopes? answer: yes 
 Do you have a current passport? answer: no 
 Willing to pay the extra $1 for guac? answer: yes 
 Do you ever feel socially awkward? answer: yes 
 Could you date someone who does drugs? answer: no 
 Do you consider yourself to be a picky eater? answer: no 
 Would you date someone who kept a gun in the house? answer: yes
 Are you looking for a partner to have children with? answer: yes 
 How do you think your sex drive compares to what is typical for other people of your age and gender? answer: My sex drive is about average. 
 Which is bigger the earth or the sun? answer: the sun Do you like using party drugs like MDMA/molly? answer: Nope, not at all 
 Do you like to cuddle? answer: yes 
 Is astrological sign at all important in a match? answer: yes
 How does the idea of being slapped hard in the face during sex make you feel? answer: Horrified
 Would you ever consider cutting a partner (who asked for it) in sexual play? answer: no 
 Are you a fan of professional wrestling? answer: yes 
 You wake up 20 minutes before your alarm is scheduled to go off. What do you do? answer: Go back to sleep till the alarm goes off 
 Do spelling mistakes annoy you? answer: no 
Are you a morning person? answer: no 
 Which makes for a better first date coffee and chit chat or drinks and making out? answer: coffee and chit chat 
 If you had your own private hot tub, would you go nude in it? answer: Yes, but only when alone or with someone special. 
 Would you need to sleep with someone before you considered marrying them? answer:  No 
 Would you rather answer: sometimes be tied up, sometimes do the tying Is intelligence a turn on? answer: Intelligence turns me off. 
 Which event sounds most appealing? music festival or sci-fi convention or anime convention
 Is smoking disgusting? Answer: yes 
 Do you believe in karma? Answer: Yes
Are you a cat person or a dog person? Answer: both
Have you ever traveled around another country alone? Answer: no
Would you ever eat something out of the trash? Answer: no
Choose the better romantic activity Kissing in paris Kissing in a tent in the woods Answer: kissing in paris
how frequently do you bathe or shower? Answer: at least once a day
Would you consider dating someone a LOT more sexually experienced than you? answer: yes
How often do you watch automobile racing?
answer: Occasionally
would you rather be normal or weird?
answer: weird
Are you a Buddhist?
answer: no
What's your relationship with marijuana?
answer: never smoked it
For people who are in exclusive relationships, is masturbation a form of infidelity?
answer: no
Do you believe that regular sex is necessary in maintaining a healthy relationship?
answer: yes or no
How open are you to trying new things in bed?
answer: Hesitant, but it might happen. 
Do you enjoy intellectual debates on topics like politics, religion, science, or philosophy?
answer: I'm not smart enough.
Once you're intimate, how often would you and your significant other have sex?
answer: About every other day 
Are you an Atheist?
answer: no
Do you believe in God?
answer: yes
Do you like the taste of beer?
answer: no
0 notes
datbrandonlxx1987 · 7 years ago
Text
rolling nfl teams
eagles = 1
saints = 1
0 notes