-
Notifications
You must be signed in to change notification settings - Fork 217
/
anemone.as
1809 lines (1615 loc) · 158 KB
/
anemone.as
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
//Encountered via Boat (unless a new Under-Lake area is
//unlocked)
//NPC details (proto-codex): Giant, colorful freshwater
//anemones; mutated by factory runoff into hermaphroditic
//humanoid creatures that feed off of sexual fluids instead
//of fish. They have dark blue-black skin while idle but get
//lighter as they become active. Anemones have a svelte,
//feminine body shape with B-cup breasts and a smooth face
//with opaque eyes of a lighter cast than their usual skin
//tone. A pair of pale gills drape over their breasts.
//Simple-minded, their most common expression is a facile,
//open-mouthed grin which they assume when presented with
//any creature capable of giving them the fluids they
//cherish. They have a great mass of long tentacles atop
//their head that stretches instinctively toward whatever
//they're currently trying to capture, a cock-like branch on
//their base near the 'groin' with a head flanged by
//diminutive writhing tentacles, and a deep-blue vagina
//underneath with small feelers ringing the entrance.
//game content:
//initial encounter:
//anemone combat:
//-fights through lust
//-raises lust at initial encounter
//-main attack is a sweep of tentacles that inflicts lust and temp loss of speed/str if it connects
//imilar to tentacle monsters but more genteel; 100% chance of escaping from combat as long as PC is not distracted by lust > 60
//-very high HP but very low speed means they do not dodge or hit often; however, see below
//-direct attacks cause PC to touch tentacles with a high probability, getting a shock of venom that lowers speed/str and inflames lust
//-drops [TF item] and maybe some other lake- or factory-related item
const TIMES_MET_ANEMONE:int = 453;
const ANEMONE_KID:int = 454;
const KID_ITEM_FIND_HOURS:int = 455;
const ANEMONE_WATCH:int = 456;
const ANEMONE_WEAPON:int = 457;
const KID_A_XP:int = 756;
const KID_SITTER:int = 757; //0 = no sitter, 1 = possible, 2 = doing dat shit
const HAD_KID_A_DREAM:int = 758;
function anemonePreg():void {
player.knockUp(10,256,101);
}
function kidAXP(diff:Number = 0):Number {
if(diff == 0) return flags[KID_A_XP];
flags[KID_A_XP] += diff;
if(flags[KID_A_XP] < 0) flags[KID_A_XP] = 0;
if(flags[KID_A_XP] > 100) flags[KID_A_XP] = 100;
return flags[KID_A_XP];
}
function mortalAnemoneeeeee():void {
spriteSelect(4);
outputText("", true);
if(flags[TIMES_MET_ANEMONE] == 0 || hasItem("MinoCum",1)) {
flags[TIMES_MET_ANEMONE]++;
outputText("You step into the boat and begin to slip off the mooring rope when you are distracted by a swirl of bright colors under the surface of the lake. As you peer over the side to get a better look at the oscillating mass of greens and purples, the swirl begins drawing closer to the boat as if reciprocating your interest; it grows larger and brighter as it closes the distance. The cloud parts to reveal an attractive feminine face cast in a deep blue shade. It lightens responsively as its gaze takes you in from the depths of two opaque eyes. The confusing mass of colors resolves itself into tresses of two-inch-thick anemone tentacles sprouting from the head in place of hair!\n\n", false);
outputText("The anemone girl smiles at you flirtatiously as she bobs up to the surface. More out of politeness than anything you smile back, not sure of what to make of her and unused to such unaggressive approaches by the denizens of this place. A bloom of vibrant color offset by the blue outline of her body causes you to lean farther out as your attention refocuses below her waist, where you perceive a smaller ring of tentacles waving at you from behind the head of a hardening penis! Turned on by the attention, the anemone grabs onto the saxboard in an attempt to pull herself up to you, but her added weight on the side overbalances you and pitches you overboard into her waiting tentacles!\n\n", false);
if(hasItem("MinoCum",1)) {
minoCumForAnemonieeeeez();
return;
}
outputText("The initial surprise subsides to wooly-headedness and a feeling of mild arousal as the stingers in her tentacles find exposed flesh. In panic of drowning you pull free of the ropy mass and backpaddle away from the girl until your " + player.feet() + " reassuringly touch the shallows of the lakebed once again and you're far enough above water to be able to fight.\n\n", false);
outputText("You are fighting an anemone!", false);
startCombat(29);
}
else {
flags[TIMES_MET_ANEMONE]++;
//new anemone repeat combat encounter, once player has met one:
outputText("As you unmoor the boat and cast off, you hear a soft bubbling sound coming from amidships. You look around only to see several green tentacles slip over the saxboard and pull down suddenly, pitching the boat and sending you overside into the welcoming embrace of a grinning anemone! She swims alongside and gives you several playful caresses as you struggle back toward shore, already woozy and aroused from the venomous contact.\n\n");
//(typical lust gain and temporary stat damage, start combat)
outputText("You are fighting an anemone!", false);
startCombat(29);
}
//(gain lust, temp lose spd/str)
stats(0,0,0,0,0,0,4,0);
applyVenom(1);
}
//Apply the effects of AnemoneVenom()
function applyVenom(str:Number = 1):void {
//First application
if(player.hasStatusAffect("Anemone Venom") < 0) player.createStatusAffect("Anemone Venom",0,0,0,0);
//Gain some lust
stats(0,0,0,0,0,0,(2 * str),0);
//Loop through applying 1 point of venom at a time.
while(str > 0) {
str--;
//Str bottommed out, convert to lust
if(player.str < 2) stats(0,0,0,0,0,0,2,0);
//Lose a point of str.
else {
strDown.visible = true;
strUp.visible = false;
player.str--;
player.addStatusValue("Anemone Venom",1,1);
}
//Spe bottomed out, convert to lust
if(player.spe < 2) stats(0,0,0,0,0,0,2,0);
//Lose a point of spe.
else {
speDown.visible = true;
speUp.visible = false;
player.spe--;
player.addStatusValue("Anemone Venom",2,1);
}
}
statScreenRefresh();
}
//victory:
function defeatAnemone():void {
outputText("", true);
//Win by HP:
if(monster.HP < 1) outputText("The anemone's knees buckle and she collapses, planting her hands behind her with a splash. You stand over her, victorious.\n\n", false);
//win by lust:
else outputText("The anemone slumps down and begins masturbating, stroking her cock furiously. You think you can detect something like desperation in her opaque eyes. It doesn't look like she'll trouble you anymore.\n\n", false);
if(player.lust >= 33) {
outputText("You could always have your way with her. If you do, which parts do you use to do the deed?", false);
//victory sex choice for males with cock fit 48 or females with clit >7": "her anus"
//(change "If you do, which of your parts" to "If you do, which part" in pre-sex choice menu)
var cockRape:Number = 0
var vaginaRape:Number = 0
var anal:Number = 0;
var eggs:int = 0;
if(player.canOviposit()) eggs = 3849;
if(player.hasVagina() && player.clitLength >= 4) anal = 3818;
else if(player.hasCock() && player.cockThatFits(48) >= 0) anal = 3818;
//Normal male: -requires dick of area < 36
if(player.cockTotal() > 0) cockRape = 2592;
if(player.hasVagina()) vaginaRape = 2591;
var bikiniTits:int = 0;
if(player.hasVagina() && player.biggestTitSize() >= 4 && player.armorName == "lusty maiden's armor") bikiniTits = 3988;
choices("Your Ass",2593,"Your Cock",cockRape,"Your Vagina",vaginaRape,"Her Butt",anal,"Lay Egg",eggs,"",0,"",0,"",0,"B.Titfuck",bikiniTits,"Leave",5007);
}
else eventParser(5007);
}
//anal: -requires butthole
function victoryButtholeRape():void {
spriteSelect(4);
outputText("", true);
outputText("You look over the anemone in front of you. Your attention focuses on her blue shaft; those smaller tentacles should have plenty of pleasing venom in them as well. Stripping off your " + player.armorName + ", you approach her and push her backwards. Her gills slide off her breasts and float at her sides. revealing a pair of cute nipples. You take the opportunity to stroke the shaft of her penis and rub her vagina a bit, soaking up some venom and making your hands tingle.\n\n", false);
outputText("Quite soon you can hardly stand your own arousal and your lover's cock is nice and hard. Straddling the anemone, you position your " + assholeDescript() + " over her colorful shaft and gradually lower yourself towards it. The florid crown slips into your hole, delivering the expected shock, and a gasp from behind you is accompanied by the anemone's hands moving to your hips.", false);
//[butt hymen removal]
if(!buttChange(monster.cockArea(0),true)) outputText(" ", false);
outputText("Despite your anticipatory stiffening you find yourself trembling and your muscles weakening, but by a superb effort you manage to concentrate and lower yourself gently, savoring the slow crawl of the warmth up your " + assholeDescript() + ". You reach the base of the anemone's short shaft soon, and pause for a minute; looking over your shoulder at the anemone, you notice her biting her lower lip impatiently. Making a mental note of her cute expression to fuel your imagination, you turn forward and, putting your hands down for support, you begin to rise and fall on her erect penis.\n\n", false);
outputText("With your " + assholeDescript() + " heated up from the aphrodisiac already, the friction is enough to warm it to fever pitch. Over and over you impale yourself on the girl's rod, dragging trails of venom and heat up and down your rectum.", false);
if(player.cockTotal() > 0) {
outputText(" One hand involuntarily moves to your " + cockDescript(0) + " and begins stroking, smearing the copious pre-cum forced out by the prostate stimulation over " + sMultiCockDesc() + ".", false);
}
//[(if vag and nococks)
else if(player.hasVagina()) {
outputText(" You lift one hand up to your " + vaginaDescript(0) + " and begin jilling yourself off. This works to satisfy you for a while, but eventually you want more and grab a brace of tentacles floating in the water beside you, shoving them into your greedy pussy and smearing them around. This provokes a lusty moan from you and a giggle from your lover.", false);
}
outputText(" And as you work your " + assholeDescript() + " on the tool, something happens to push your peak closer at a startling pace...\n\n", false);
outputText("Your blue lover, restless now and uncontent to simply lie there anymore, begins to use her own hands and hips to pump in time with you, doubling the pace of the fuck. The fervid intensity of her strokes doesn't leave any time for the venom to disperse before the next thrust arrives, making it feel as though your " + assholeDescript() + " is filled with one huge, hot cock that nevertheless slides in and out even as it remains motionless. The sensation pushes you to orgasm quickly, your " + assholeDescript() + " clamping down on the anemone's penis", false);
if(player.cockTotal() > 0) {
outputText(" as " + sMultiCockDesc() + " twitches and ejaculates in a ", false);
if(player.cumQ() < 50) outputText("squirt", false);
else if(player.cumQ() < 250) outputText("spray", false);
else outputText("torrent", false);
outputText(" of semen", false);
//[(if vag and cox)
if(player.hasVagina()) outputText(" and your pussy spasms", false);
}
else if(player.hasVagina()) {
outputText(" and your " + vaginaDescript(0) + " spasms around the tentacles and your fingers", false);
}
outputText(". The anemone must have been right on the edge with you, because after a few more thrusts in your hungry asshole she achieves her own climax and shoots several strings of cool, thick semen into you. You collapse backward against your partner and she idly caresses your " + nippleDescript(0) + ". After several minutes of relaxing in the warm water, you sit up and push yourself off of the anemone's limp penis, which drags a string of semen out of your " + assholeDescript() + " and prompts ", false);
//[(dix)
if(player.totalCocks() > 0 || player.gender == 0) outputText("a ", false);
else if(player.hasVagina()) outputText("another ", false);
outputText(" giggle from the blue girl. Standing up, you gather your gear and blow her a kiss before you leave. She darkens in color, her camouflage reflex causing her to 'blush' in discomfort at this display of affection.", false);
//(pass 1 hour, reduce lust to min)
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
}
function rapeAnemoneWithDick():void {
spriteSelect(4);
outputText("", true);
if(player.cockThatFits(36) >= 0) {
var x:Number = player.cockThatFits(36);
outputText("Rubbing yourself through your " + player.armorName + ", you look over the anemone; your attention wanders down her torso to the blue slit between her legs", false);
//[(lust victory)
if(monster.lust > 99) outputText(", which she's currently diddling with the hand she's not using to stroke her cock", false);
outputText(". Unfastening your garments, you stroke " + sMultiCockDesc() + " to full hardness and approach her. The anemone looks up at you, still somewhat befogged; then, as you stand over her, she leans forward and opens her mouth invitingly.\n\n", false);
outputText("You smile at how eager she is for you, but shake your head. The anemone closes her mouth and looks at you quizzically. <i>\"No?\"</i> she asks. Only then does she follow your gaze down to her pussy. The skin on her face darkens a bit as she realizes your intention... which turns out to be a blush, by the looks of the shy glance she gives you next! <i>\"Umm.\"</i> The anemone's fingers", false);
//[(HP defeat)
if(monster.HP < 1) outputText(" move to the lips of her vagina and", false);
outputText(" pull apart her feathery labia, showing a velvety interior. <i>\"Ok...\"</i> she says haltingly. You accept the invitation in a hurry, kneeling down and holding onto her hips, then guiding your " + cockDescript(x) + " into her.\n\n", false);
outputText("After a moment of savoring the sensation, you push all of the way in, provoking a moan and a widening of the eyes from your partner. ", false);
//[(multicox)
if(player.cockTotal() > 1) {
outputText("As you push all the way into her, your other dick", false);
if(player.cockTotal() > 2) outputText("s", false);
outputText(" rub", false);
if(player.cockTotal() == 2) outputText("s", false);
outputText(" up against the feelers lining her pussy. Unexpectedly, they also contain the venomous nematocysts of her tentacles and in that single stroke " + sMultiCockDesc() + " is throbbing hard and squeezing pre-cum all over her groin. She reaches down and plays with it", false);
if(player.cockTotal() > 2) outputText(", and them,", false);
outputText(" as you start pumping. ", false);
}
outputText("The fuck begins in earnest as you demonstrate all the techniques you know or can imagine; the anemone seems to be more impressed as you go on, cooing and moaning to goad you further while wrapping her hands and hair around your hips for chemical encouragement. Her small tits bounce a little", false);
//[(if PC boobs > A)
if(player.biggestTitSize() >= 1) outputText(" in time with your own", false);
outputText("; here and there one of the bounces will brush her gills away, giving you a tantalizing view of nipple.", false);
//[(if balls)
if(player.balls > 0) outputText(" As your thrusts get faster your " + sackDescript() + " starts to slap into the tickly and quite-venomous feelers fringing her pussy, getting hotter and hotter as the aphrodisiac builds in your " + ballsDescriptLight() + ". Your body answers with swelling, causing your sack to feel bigger and tighter with every slap.", false);
//[(if noballs and clit > 6")
else if(player.clitLength >= 6) outputText(" As your thrusts into the blue girl arouse you, your " + clitDescript() + " begins to swell with blood. Pretty soon it's so erect that a particularly violent thrust mashes it into the feelers at the base of her labia, delivering a shock that almost makes you collapse. The anemone, her reverie interrupted as you temporarily stop pumping, looks down. Noticing the massive girl-cock sticking out of your " + vaginaDescript(0) + ", she reaches between her legs and gives the tip a flick, grinning with sadistic playfulness. Your eyes cross at that, sending her into a spasm of giggling. Irritated but aroused by the abuse of your " + clitDescript() + ", you move your thumb over her own tiny blue button and begin flicking it in revenge as you renew your pumping.", false);
outputText("\n\n", false);
outputText("The anemone's eyes roll back in her head as she reaches her climax first, hips shaking and penis squirting a glob of semen that drools down the side. ", false);
//[(Flexibility cat perk)
if(player.hasPerk("Flexibility") >= 0) outputText("You lean down and take the anemone's cock in your own mouth as she continues orgasming, swallowing the cool, slippery jism -- it tastes not salty and fishy as you'd hoped but somewhat faintly like algae. The anemone, recovering her wits a bit, looks at you blankly, as though she can't fathom why anyone would want to drink <i>her</i> ejaculate instead of the other way around. Your eyes twinkle mirthfully in response as you suck and swallow the last of her jizz. ", false);
outputText("Your own orgasm takes a bit longer, but the convulsing walls of her pussy do their best to help you arrive and the feelers along her labia writhe against your " + multiCockDescriptLight() + " in the same tempo, injecting the last of their venom. With a deep, final thrust, " + sMultiCockDesc() + " erupts in her pussy. ", false);
//[(big skeet)
if(player.cumQ() > 500) {
outputText("You continue to pour into her even after her convulsions stop, stretching her belly", false);
//[(super skeet)
if(player.cumQ() > 2000) outputText(" to enormous dimensions. <i>\"Ohh...\"</i> she moans, as her waist distends to over four times its former slender diameter", false);
outputText(". She looks ", false);
if(player.cumQ() < 2000) outputText("thoroughly", false);
else outputText("monstrously", false);
outputText(" pregnant when you've finished, her little blue dick poking out below a swollen stomach... not a bad look, actually. You get a little turned on at the idea. ", false);
}
outputText("After the last of your cum has been squeezed out, you pull your " + cockDescript(0) + " out and rinse it off in the lakewater. You gather your gear while the anemone holds her belly and smiles placidly, staring into the sky.", false);
//(pass 1 hour, reset lust to min or min+10 if big or greater skeet)
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
}
//Too-big male: -requires cockarea > 36
else {
outputText("Rubbing yourself through your " + player.armorName + ", you look over the anemone; your attention wanders down her torso to the blue slit between her legs", false);
//[(lust victory)
if(player.lust > 99) outputText(", which she's currently diddling with the hand she's not using to stroke her cock", false);
outputText(". Unfastening your garments, you stroke " + sMultiCockDesc() + " to full hardness and approach her. The anemone looks up at you, still somewhat befogged; then, as you stand ", false);
if(player.tallness > 48) outputText("over", false);
else outputText("next", false);
outputText(" her, her eyes widen as she beholds the sheer amount of cock you have.\n\n", false);
outputText("You smile at how stunned she is by you, and waggle your erect " + multiCockDescriptLight() + " from side-to-side. The anemone obediently watches it swing, like a hypnotist's pendulum; her mouth reflexively opens as all her conscious thought is temporarily sidetracked. You push on the shaft with one hand and move the tip down relative to her body, watching bemused as the girl tries to keep her mouth in line with it until it goes too low for her neck and snaps her out of her daze. She closes her mouth and looks at you quizzically. <i>\"No?\"</i> she asks. You answer by pushing forward slightly, bumping the head of your " + cockDescript(0) + " against her <i>mons pubis</i>. The skin on her face darkens a bit as she realizes your intention... which turns out to be a blush, by the looks of the shy glance she gives you next! <i>\"Umm.\"</i> She gives it a moment of concerned study before her natural instincts take over and the anemone's fingers", false);
//[(HP defeat)
if(monster.HP < 1) outputText(" move to the lips of her vagina and", false);
outputText(" pull apart her feathery labia, showing a velvety interior. <i>\"Ok...\"</i> she says, clearly unsure of the wisdom of this. You motion for her to lay back and lift her pussy as high as possible to reduce the angle, then attempt to guide your " + cockDescript(0) + " into her.", false);
//[(PC height > 7' and non-centaur)
if(player.tallness > 84) outputText(" Finally, after having gone so far as to kneel down to bring yourself in line, you begin pushing your way in.", false);
outputText("\n\n", false);
outputText("The first few inches are slow going, as you try to stretch the blue girl's roughly human-sized pussy around your superhuman girth. She sports a worried expression as you struggle to push the crown of your " + cockNoun(0) + " in without bending your shaft. The girl's body proves more elastic than you'd expected, though; with each shove her cunt takes more width without suffering any obvious ill effect. Eventually you get the head of your " + cockDescript(0) + " into her, and you give an experimental thrust to test her depths. You slide surprisingly far into her, your huge " + cockNoun(0) + " making a bump in her pelvis; the anemone has abandoned her worry and is blissfully tweaking her nipples. Taking the anemone's legs under your arms, you begin pumping at her, savoring the sensation of having at least part of your unwieldy tool inside someone. Your blue partner gives out cute moans as you fuck her, prompting a grin from you, but most of your attention is focused on maintaining the angle of your " + cockDescript(0) + ". As you focus on the thrusts, you gradually notice the bump sliding further up her pelvis on each push... it's nearly up to her stomach now! You quickly make up your mind to test her unusual biology, choking up on your grip of her legs and pushing hard with each thrust in. The anemone is now tracking the progress of the bump representing your " + cockNoun(0) + " as intently as you are; as your head pushes up her chest between her breasts she presses them together against the ridge, massaging them against the shaft through her skin.", false);
//[(cocklength > 60")
if(player.cocks[0].cockLength > 60) outputText(" The imagery and the stimulation inspire you to increase your efforts, and you push even harder into her until your " + cockDescript(0) + " slides its way into her throat, expanding her slender neck to twice the normal width. The anemone's mouth gapes open reflexively as if to gag as the pressure forces her head back, but she doesn't stop moaning or rubbing herself against you. This seems to be as deep as you can get; the tip of your cock is now right up against the base of her chin.", false);
outputText("\n\n", false);
outputText("Inordinately pleased at having gotten your " + cockDescript(0) + " so far in, you begin thrusting grandly, alternating huge back-and-forth pumps with hip gyrations that press you against the sides of your partner. The anemone", false);
//[(dick > 60")
if(player.cocks[0].cockLength > 60) outputText(", despite being unable to look anywhere except over her head thanks to the giant ridge running up the front of her body,", false);
outputText(" has clearly been enjoying the treatment; soon she begins twitching in orgasm and her pussy spasms against the base of your " + cockNoun(0) + ", flicking its venomous feelers into it, as she kneads her breasts in her hands. Her body attempts to convulse, bending your " + cockDescript(0) + " slightly, while her neglected dick gives a little squirt of pearly semen which lands on the raised line in the center of her body and makes a little trail as it rolls down. The pressure of her twisting and the sensation of her pussy lapping at your shaft with aphrodisiac is enough to send you over the edge as well. Your " + cockDescript(0) + " twitches as you unload into your blue partner", false);
//[(big skeet)
if(player.cumQ() > 500) outputText(" until it puffs out her cheeks", false);
outputText(".", false);
//[(mega skeet)
if(player.cumQ() > 1500) outputText(" Eventually she can't hold in the sheer volume of your ejaculate, and it erupts from her mouth in a white spray. Spurt after spurt goes into and then out of her, dribbling out of her slack mouth and down her face until her hair is covered with seed.", false);
outputText(" She takes the opportunity to squeeze along the length of your cock, pushing out as much semen as you have to offer as she moans in orgaiastic delight at the fluid injection.", false);
outputText("\n\n", false);
outputText("Eventually both you and she are spent and limp, and you draw your " + cockDescript(0) + " out of her, making an extended, wet sucking noise. As you pull up your gear and make your way up the beach, ", false);
//[(normal/big skeet)
if(player.cumQ() < 500) outputText("her hands are still dazedly playing with the space between her breasts where your cock used to rest.", false);
//[(mega skeet)
else outputText("she continues to sputter and cough up bubbles of your spunk.", false);
//(pass 1 hour, reset lust to min or min+10 if big or greater skeet)
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
}
}
//using pussy:
function rapeAnemoneWithPussy():void {
spriteSelect(4);
outputText("", true);
outputText("As you review your handiwork, the stirrings in your feminine side focus your attention on the anemone's penis. Those smaller tentacles on it should have plenty of pleasing venom in them as well. You make up your mind to put them to use for you.\n\n", false);
outputText("The anemone looks vacantly up at you as you approach. Reaching forward, you take her cock in your hand", false);
//[(lust victory)
if(monster.lust > 99) outputText(" after brushing hers aside", false);
outputText(" and begin to fondle the crown, with its slippery tentacles. As expected, her venom flows into your hand, imparting a sensation of heat that slides up your arm and diffuses into a gentle warmth. After a few rubs, you lean down and carefully take her penis into your mouth. It tastes of the lakewater and heats your mouth as it did your hand; ", false);
//[(HP victory)
if(monster.HP < 1) outputText("you can feel it harden as ", false);
outputText("you caress it with your tongue before pulling it out and giving it a squeeze. The blue girl shivers as a drop of pre-cum is forced out.\n\n", false);
outputText("Next, you take the time to strip off your " + player.armorName + ", making sure to give a good show; the anemone entertains herself by stroking her erect prick and smearing around the pre-cum, grinning as she watches you.", false);
//[(breastrow0>C-cup)
if(player.biggestTitSize() > 2) outputText(" You give special attention to the presentation of your " + breastDescript(0) + ", removing your top with tantalizing slowness, letting each breast slip out and hang between you like fruit ripe to be taken, then making sure to rub them seductively to arouse the both of you further.", false);
//(hipsize=girly or better)
if(player.hipRating > 6) outputText(" You make good use of your " + hipDescript() + ", too, giving a little shimmy to show off your pronounced curves.", false);
outputText(" The anemone's crotch, by the time you're finished, glistens with fluid from both her sexes; it's probably as wet as it was when she was underwater. You lean into the anemone and give her a deep kiss, ", false);
//[(breast0>C)
if(player.biggestTitSize() > 2) outputText("making sure to let your " + allBreastsDescript() + " rub up against hers, ", false);
outputText("then pull apart from her and ", false);
//[(goddamn centaur)
if(player.lowerBody == 4) outputText("turn away, kneeling down to display your animalistic, musky pussy readily.", false);
else outputText("recline back on your " + player.legs() + ". Spreading your thighs, you reach down with two fingers and pull apart your " + vaginaDescript(0) + " welcomingly; it's the last act in your sexual performance.", false);
outputText("\n\n", false);
outputText("The anemone wastes no time in assessing your intention and crawls forward onto you, returning your kiss with equal passion. ", false);
//[(no centaur)
if(player.lowerBody != 4) outputText("You take her by the upper arms and pull her on top of you as you lie back in the sun-warmed shallows. ", false);
outputText("Her hair drapes over you as she lines her penis up with your " + vaginaDescript(0) + ", delivering heat to your body, but this is dwarfed by the sensation of her entry as she pushes her cock in for the first time. ", false);
cuntChange(monster.cockArea(0), true);
outputText("The penetration combines with the aphrodisiac being injected straight into your hungry pussy to produce a feeling like euphoria. Unable to focus your thoughts any longer, you allow the anemone to take the lead as she begins pumping into you, coating your labia with a mixture of her pre-cum and your own secretion. Soon you're moaning lustily with complete disregard for anything except the pleasure between you as your lover ups the pace; ", false);
//[(biped)
if(player.lowerBody != 4) {
outputText("as she thrusts hard and fast, her hair whips back and forth over your ", false);
//[(breasts>manly)
if(player.biggestTitSize() >= 1) outputText(breastDescript(0) + " and ", false);
outputText(nippleDescript(0) + "s,", false);
}
//(centaur)
else {
outputText("as she pushes deeply into your cunt, her hair flies forward past your upper body, brushing along your skin. On one pass you grab some and use it as a pleasure tool, rubbing it vigorously on your ", false);
//[(breasts>manly)
if(player.biggestTitSize() >= 1) outputText(breastDescript(0) + " and ", false);
outputText(nippleDescript(0) + "s,", false);
}
outputText(" spreading heat along your chest to nearly match your vagina's.\n\n", false);
outputText("The overwhelming sensations drive you over the edge and your " + vaginaDescript(0) + " contracts hungrily around the heat radiating from the anemone's cock. As your orgasming pussy ", false);
//(squirter)
if(player.vaginas[0].vaginalWetness >= 4) outputText("soaks her crotch with juice and ", false);
outputText("wrings her penis, the blue shaft responds enthusiastically; she pushes deeply into you as it begins spasming and squirting its load. Your partner's mouth hangs open as you squeeze the cum out of her; with all her muscle control taken away, her head hangs limply", false);
if(player.lowerBody == 4) outputText(" on your back", false);
//[(notits)
else if(player.biggestTitSize() < 1) outputText(" on your chest", false);
else outputText(" between your breasts", false);
outputText(" as she gives up several streams of semen into your womb. Finally, her cock empties out with a few last spurts; she came quite a lot and your womanhood feels pleasantly filled. The two of you lie there for some time before she can recover enough to slip out of you. When she does, a string of semen drips out of your abused pussy and mixes with the water below.\n\n", false);
outputText("Having scratched your itch, you give her another kiss, catching her by surprise. She smiles shyly at you as you gather up your clothes, then slips into the water as you start to dress again.", false);
anemonePreg();
//(reduce lust to min, pregnancy check)
//(pass 1 hour, reset lust to min or min+10 if big or greater skeet)
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
}
//loss rapes:
function loseToAnemone():void {
spriteSelect(4);
var x:Number = player.cockThatFits(36);
outputText("", true);
//loss via hp (only possible if PC engages her while already being at zero or kills himself with Akbal powers):
if(player.HP < 1) {
outputText("You collapse face-first into the lake, weakened by your damage. The last thing you hear before passing out is a faint <i>\"What?\"</i>\n\n", false);
outputText("Several minutes later you awake to feel yourself washed onto the sand and hurting all over. <i>\"You... dead?\"</i> The anemone is still with you; she must have found a stick from somewhere and is sitting next to you, judiciously poking you with it. As you force your eyes open in answer she drops the stick with a startled yelp and hugs her knees to her chest. Too beat-up to say anything, you can only stare at her, which unnerves her further. <i>\"Umm... bye,\"</i> she says, getting to her feet. She heads for the water again, leaving you alone to recover.", false);
eventParser(5007);
return;
}
//loss, pre-sex worm shot reaction:
//(wormshot blurb)
//The anemone, having reached out to try and catch some of the load but missing the grab, sets her face in an irate scowl and approaches you.
//loss, neuter:
if(player.gender == 0) {
outputText("Shivering, you slump before the anemone and begin trying to remove your " + player.armorName + ". She claps and peals happily, splashing over to you. Pushing your trembling hands out of the way, she unfastens your garments and pulls them free of you... and then stops. You look the girl in the face uncomprehendingly and she answers your gaze with a look of equal confusion. Your head turns to follow her as she looks you up and down and even makes a circle around you, inspecting every inch and chewing her lip anxiously.", false);
//[(lactating)
if(player.biggestLactation() > 1) outputText(" For a moment the examination stops at the dribble of milk leaking from your " + nippleDescript(0) + "s. With one finger she collects a bit and tastes it, only to grimace and stick her tongue out.", false);
outputText(" Back at the front, the anemone motions questioningly toward your ornament-free groin with open palms. You follow her gesture down to your spartan nethers, then look back up. Her bottom lip is quivering and -- yes, it looks like water is beginning to well up in her eyes.\n\n", false);
outputText("Hurriedly you begin to compose an explanation for your anatomy, and you get as far as telling her that you have no genitalia thanks to events since your arrival before she bursts into tears. ", false);
//[(low cor)
if(player.cor < 33) outputText("You reach out instinctively to comfort her, but ", false);
//(high cor)
else outputText("You smirk, amused by the turnabout, until ", false);
outputText("the anemone lashes out with a slap that knocks the expression off your face and makes your eardrums sing. <i>\"Dumb!\"</i> she shouts, turning sharply; her tentacles lash past you as she about-faces. She dives down below the surface and kicks water into your face spitefully as she swims away. You sputter and rub your jaw a bit, then stand up and walk dizzily back to camp.", false);
//(1 hour pass, lose 1/10th of max hp from current hp, lose 20 lust)
takeDamage(10);
stats(0,0,0,0,0,0,-20,0);
eventParser(5007);
return;
}
//loss, male:
if(player.cockTotal() > 0) {
if(player.cockThatFits(36) >= 0) {
outputText("Shivering, you slump before the anemone and begin trying to remove your " + player.armorName + ". She claps and peals happily, splashing over to you. Pushing your trembling hands out of the way, she unfastens your garments and pulls them free of you, taking the opportunity to run a hand up your " + cockDescript(x) + ". ", false);
if(player.cumQ() < 50) outputText("A droplet", false);
else if(player.cumQ() < 250) outputText("A squirt", false);
else outputText("A steady flow", false);
outputText(" of pre-cum follows up the inside in the wake of her stroke. She touches her finger to the tip of your sensitive urethra and draws it away, stretching a string of your fluid through the air. Putting the finger in her mouth, she savors the taste of you; the string manages to transfer to her bottom lip before she breaks it with a flick of her tongue.\n\n", false);
outputText("She pushes you back on your haunches and leans over your groin. Her hair-tentacles slither forward over her shoulders and drop", false);
//[(normal)
if(player.lowerBody != 4) outputText(" into your lap,", false);
//(shitty taur)
else outputText(" downwards, onto your hams,", false);
outputText(" delivering lances of venom into your lower body. The tingle warms your groin and more pre-cum leaks out of " + sMultiCockDesc() + ". Her eyes lock onto a glistening dollop and she drops down quickly, enfolding the head of your " + cockDescript(x) + " in her cool mouth. Her tongue dances around the crown of your " + cockNoun(0) + ", relieving it of the sticky pre. Looking ", false);
if(player.tallness > 48) outputText("up", false);
else outputText("down", false);
outputText(" at you, you can see a smile in the lines around her eyes even though her mouth is locked around your " + cockNoun(0) + ". ", false);
//[(if dual/multi-cox)
if(player.cockTotal() > 1) {
//[(cock2 doesn't exist)
if(player.cockTotal() == 2) outputText("Your other dick rubs", false);
//(cock2 exists)
else outputText("The rest of your " + multiCockDescriptLight() + " rub", false);
outputText(" against her cheek, smearing slick wetness on her blue face.", false);
}
outputText("\n\n", false);
outputText("Her hands come up from the water and push two sheaves of her long, dangling hair into your " + multiCockDescriptLight() + ". Wrapping these bundles of tentacles around your " + cockDescript(x) + ", she clasps them in place with one hand and begins sliding them up and down your length. Your " + cockNoun(0) + " begins feeling hotter and hotter from the injections and the friction of her hair, secreting more pre-cum into her obliging mouth.", false);
//[(if vag)
if(player.hasVagina()) {
outputText(" Her other hand slips", false);
if(player.vaginalCapacity() < 15) outputText(" a few fingers", false);
else if(player.vaginalCapacity() < 30) outputText(" partway", false);
else outputText(" all the way", false);
outputText(" into your " + vaginaDescript(0) + ", sending a tingle through your lower lips and exposing your clitoris.", false);
//[(if clit > 5")
if(player.clitLength > 5) outputText(" Having achieved this, she pulls her hand out and wraps another bundle of tentacles around your " + clitDescript() + ", then begins jerking it off in time to her efforts on your " + cockNoun(0) + ". Your eyes roll back in your head and your mouth gapes involuntarily at the rough stimulation of your swollen chick-stick.", false);
}
outputText("\n\n", false);
outputText("The heat rubbing on your cock", false);
if(player.hasVagina()) outputText(" and clit", false);
outputText(" quickly gets to you, and the first orgasm begins to work its way up your " + multiCockDescriptLight() + ". Your " + cockDescript(x) + " lets fly into the anemone girl's mouth", false);
//[(big skeet)
if(player.cumQ() > 500) outputText(", bowing out her cheeks", false);
//[(cray-cray skeet)
if(player.cumQ() > 2000) outputText(" and squirting out her nose in thick ribbons", false);
//[(multi-dix)
if(player.totalCocks() > 1) {
outputText(" as ", false);
//[(dick2 = no)
if(player.totalCocks() == 2) outputText("your cocks shoots", false);
else outputText("the rest of your " + multiCockDescriptLight() + " shoot", false);
outputText(" all over her face and hair, ", false);
//[(small skeet)
if(player.cumQ() < 500) outputText("drawing a pattern like a musical score on her blue skin", false);
//(big skeet)
else if(player.cumQ() < 2000) outputText("painting her skin white as she flinches and shuts her eyes tightly", false);
//(cray-cray skeet)
else outputText("whitewashing her entire upper body and running off until a fan of milky color spreads through the water around you", false);
}
outputText(". The anemone swallows greedily as she pumps each stroke into her mouth", false);
//[(big or > skeet)
if(player.cumQ() >= 500) outputText(", her taut blue belly distending as it fills", false);
outputText(".\n\n", false);
outputText("After a grateful moment of rest as the anemone swallows your issue, her hands begin pumping once again. Oh god! Your " + cockNoun(0) + " quickly returns to erectness under the renewed siege of aphrodisiac", false);
//[(multi)
if(player.cockTotal() > 1) {
if(player.cockTotal() == 2) outputText(" and your other " + cockDescript(1) + " follows suit", false);
else outputText(" and your other pricks follow suit", false);
}
outputText(". The blue girl continues to stroke your privates with her tentacle hair, flicking your urethra with her tongue, until you've come twice more. Nor does she display any intention of stopping there, but mercifully you black out and collapse into the water. Half-frowning, the anemone shrugs and pushes your insensible form up onto the sandy shore.", false);
//(pass 8 hours, reset lust to min)
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
return;
}
//loss, too-big male (cock > 5" width or > 48" length):
else {
outputText("Shivering, you slump before the anemone and begin trying to remove your " + player.armorName + ". She claps and peals happily, splashing over to you. Pushing your trembling hands out of the way, she unfastens your garments and begins to pull them free of you, but your " + multiCockDescriptLight() + " flops out and bops her in the nose! As you fumble the rest of the fastenings and finish removing your gear, the blue girl watches mesmerized at the bobbing flesh in front of her, slick pre-cum leaking from the tip", false);
//[(big skeet)
if(player.cumQ() > 500) outputText(" in a steady stream", false);
outputText(".\n\n", false);
outputText("Almost reverently, she caresses the shaft of your " + cockDescript(0) + ", stroking lightly up its enormous length. She pulls it down to her eye level, inspecting the head from several angles. Tentatively, she opens her mouth and pulls your " + cockNoun(0) + " into it, trying to fit your expansive dickflesh into a hole that even to your lust-crazed mind looks much too small. Despite her best efforts, she can't get more than the crown past her lips, though the reflexive motions of her tongue poking around and inside the opening make you shiver and push out more pre-cum. The anemone eventually pops your " + cockDescript(0) + " out of her mouth and frowns in frustration. After a few seconds, she seems to reach a decision. Moving your shaft out of the way, she walks around behind you. She places one hand on your ", false);
if(player.lowerBody != 4) outputText("waist", false);
else outputText("flank", false);
//[(not centaur)
if(player.lowerBody != 4) outputText(" and pushes your shoulders down with the other", false);
outputText(". As she draws you backwards, you're forced to put your own ", false);
if(player.lowerBody != 4) outputText("hands ", false);
else outputText("forelegs knee-", false);
outputText("down in front of you to keep from falling face-first. ", false);
//[(if non-centaur)
if(player.lowerBody != 4) outputText("The head of your " + cockDescript(0) + " dips into the lukewarm lakewater, sending a tingle down the shaft. ", false);
outputText("Behind you, the anemone has taken her blue, tentacled penis into her hand and is stroking it and fondling the tip, forcing her own pre-cum out and smearing it along her length. Satisfied with its slipperiness, she edges forward until her cock is resting on your " + buttDescript() + ". Drawing her hips back, she lines it up with your " + assholeDescript() + ", then thrusts forward while pulling back on your waist. The wriggly feelers slip past your butthole and light up your insides with her potent venom.", false);
buttChange(monster.cockArea(0), true);
outputText("\n\n", false);
outputText("Taking a moment to transfer her now-free hand to your other hip, the anemone girl then begins to pump her stiff pecker into your " + assholeDescript() + ", pausing after every few strokes to gyrate her hips a bit, massaging your prostate with her feelers and smearing venom into it. The stimulation brings you to your limit in minutes; your dick twitches spastically", false);
//[(if balls)
if(player.balls > 0) outputText(" and your " + sackDescript() + " tightens up", false);
outputText(". This doesn't escape your blue lover's notice, and she quickly stops pumping. Left at the edge of orgasm, you panic and look over your shoulder at her. Judging by her grinning demeanour, she seems to be up to something diabolical. You stare at her confusedly until you feel a new heat at the base of your " + multiCockDescriptLight() + ". Glancing down, you see that her tentacle-hair has wrapped around " + sMultiCockDesc() + " and is squeezing tightly! Pleased with the arrangement, the anemone begins pumping and rubbing your prostate again, spreading new warmth through your " + assholeDescript() + ". Your delayed climax finally arrives, but the <i>de facto</i> cockring", false);
if(player.cockTotal() > 1) outputText("s", false);
outputText(" prevent any semen from escaping! The sensations swell and fade as your orgasm passes fruitlessly, your blue partner fucking away as merrily as ever.\n\n", false);
outputText("For nearly an hour the anemone continues her performance, even going so far as to caress your swollen " + multiCockDescriptLight() + " with her unoccupied tentacles. Several more orgasms arrive and desert you without bringing any relief from the pressure on your ", false);
//[(if balls)
if(player.balls > 0) outputText(ballsDescriptLight() + " and ", false);
outputText(multiCockDescriptLight() + ". Eventually you get to the point where you can't take it anymore, and when you feel the next orgasm drawing close you straighten up and begin ", false);
//[(man)
if(player.lowerBody != 4) outputText("clawing at your tormentor's tentacles, trying to pry them from " + sMultiCockDesc() + " by main force.", false);
//(horse)
else outputText("bucking and stamping the ground, wanting to shake the tentacles loose but unable to reach them with your hands.", false);
outputText(" Looking a bit irritated that you want to bring her fun to an end, the anemone nevertheless relents and releases her visegrip on your " + multiCockDescriptLight() + ". As the joy of seeing the way to your release cleared overtakes you, the anemone avails herself of your distraction to grab your arms and pull you toward her while pushing your " + player.legs() + " out from under you. The two of you fall backward into the shallow water as " + sMultiCockDesc() + " begins unloading its immense backup of semen in a high arc. The ", false);
//[(skeet amount)
if(player.cumQ() < 500) outputText("strings", false);
else if(player.cumQ() < 2000) outputText("streams", false);
else outputText("gouts", false);
outputText(" of jism ", false);
//[(height <4' and non-horse)
if(player.tallness < 48 && player.lowerBody != 4) outputText("fly over your head, and turning behind you, you see the anemone trying to catch them with open mouth and tongue out.", false);
else if(player.tallness < 84 && player.lowerBody != 4) outputText("catch the air and rain down on both your faces, splashing quietly where they hit water.", false);
else {
outputText(" land right on your", false);
//[(if breasts)
if(player.biggestTitSize() >= 1) outputText(" breasts and", false);
outputText(" face. You hear the anemone giggling as you flinch from the white shower.", false);
}
outputText(" After several minutes of climax with you shooting more jism than you thought possible and the anemone banging out an accompaniment on your " + assholeDescript() + ", you finally begin to wind down. The anemone, clearly turned on by the impressive amount of ejaculate, unloads her own blue cock into your asshole. Her semen, lower in temperature than yours, forms a little pocket of cool inside your " + buttDescript() + ". She idly swishes her tentacles in the", false);
//[(big skeet)
if(player.cumQ() >= 500) outputText(" semen-colored", false);
outputText(" water around her as you push out your last load and slip into a doze.\n\n", false);
outputText("Pushing your inert form off of her dick, she slips out from under you and sits up beside. ", false);
//[(height <4' non-centaur)
if(player.tallness < 48 && player.lowerBody != 4) outputText("She looks you over, then bends down and drinks up as much of the semen floating in the water as she can find nearby.", false);
else outputText("She leans over you and begins licking the semen off your body, not stopping until you're clean (if slightly sticky).", false);
outputText(" Having fed, she grins mischievously and grabs your " + cockDescript(0) + ", then tows your floating body to the shoreline with it. She rolls you onto the sand and then swims for deep water, vanishing.", false);
//(pass 8 hours, minus libido, reset lust to min)
stats(0,0,0,0,-1,0,-100,0);
eventParser(5007);
return;
}
}
//loss rape, vaginal (only full females):
else {
outputText("Shivering, you fall to your knees before the anemone and begin trying to remove your " + player.armorName + ". She claps and peals happily, splashing over to you. Pushing your trembling hands out of the way, she unfastens your garments and pulls them free of you, but her bright expression dims a bit when she sees only your " + vaginaDescript(0) + ".", false);
//[(lactation)
if(player.biggestLactation() > 1) outputText(" For a moment it brightens again when she notices the dribble of milk leaking from your " + nippleDescript(0) + "s. With one finger she collects a bit and tastes it, only to grimace and stick her tongue out.", false);
outputText(" <i>\"No food...\"</i> she muses, disappointment playing smally over her face. You look up at her, frowning sympathetically. She thinks for a minute, staring at your crotch, and then assumes a rakish smile", false);
if(player.tallness < 48) outputText(", pulling you upright", false);
outputText(".\n\n", false);
outputText("Sitting down in the shallow water with her face toward yours, she takes your hand and pulls you forward until you're over her lap. Her long tentacles settle into neat, straight rows and drape down her back and over one eye, giving her a sly, debonair look. She rolls her gaze down your torso, and her free hand follows in short order as she caresses your", false);
//[(if breasts)
if(player.biggestTitSize() > 1) outputText(" " + breastDescript(0) + " and", false);
outputText(" " + nippleDescript(0) + "s and drifts down past your navel. It makes a stop at your vulva, tickling your most sensitive area and causing your " + clitDescript() + " to swell with proof of your pleasure. The hand begins its return trip, delivering one upward stroke to your now-engorged button and shooting a spark up your spine. It comes to rest on your hip, and the anemone presses you downward, slowly but insistently, until your " + vaginaDescript(0) + " comes to rest above her hard, blue shaft. Two of her longer tentacles reach up from the water and touch themselves to your lower lips, pulling them apart and delivering jolts of aphrodisiac that make your " + vaginaDescript(0) + " clench and release convulsively. Her hand resumes downward pressure, guiding your twitching pussy toward her erect blue shaft; its small tentacles bend upward in the manner of a flower turning to face the sun. In a breathless moment the head and then the shaft push past the boundary of your open lips, the first intrusion sending home its own venom and tipping you over the teetering precipice of your control. ", false);
//[hymen removal]
cuntChange(monster.cockArea(0), true);
outputText("<i>\"O-oh!\"</i> the anemone exclaims as the intensifying contractions in your orgasming vagina cause the walls to lap at her penis.\n\n", false);
outputText("The anemone releases your hand and transfers hers to your other hip just as the last of your willpower evaporates; you begin bucking your hips up and down her twitching blue shaft, painting the walls of your pussy with her venom like a mad virtuoso. As the spasms in your " + vaginaDescript(0) + " ebb and flow with each new orgasm, the anemone's cool affectation changes to a mask of faltering determination, matching her attempt to hold out as long as possible while your demented pussy does its best to wring her dry. From the looks on your faces it's unclear now who was intending to ravish whom! Eventually the poor girl can take no more of it and her pulsing dick, swollen almost an inch more than when it went in with frenzied tentacles whipping this way and that, twitches and unleashes the first jet of her semen. Her ejaculate is actually colder than your venom-teased cunt by a significant amount, creating a sharply-felt contrast as she shoots several more strings against the walls of your " + vaginaDescript(0) + " and the mouth of your womb. The dichotomy couples with the satisfaction of finally getting what your pussy wanted to trigger the biggest orgasm yet and the gobsmacked anemone's jaw practically falls off her face as your " + vaginaDescript(0) + " squeezes faster than ever on her sensitive dick right after her own climax.\n\n", false);
outputText("After several minutes of this final orgasm you fall backwards into the shallow water with a splash and pass out with a look of bliss, floating on a surface made choppy by your hectic ride. The poor anemone takes a while longer to collect herself, then slowly pulls her limp dick out of your " + vaginaDescript(0) + " and tugs you up the beach past the tideline so you won't roll facedown in the water while you're unconscious. She bends down and kisses you, tracing your " + nippleDescript(0) + "; too spent to hold up her hair, it drapes over your prone form as she leans and releases a last shot of her drug to ensure that your dreams will be of her.", false);
anemonePreg();
//(reduce lust to min, add 10 lust, pregnancy check)
stats(0,0,0,0,0,0,-100,0);
stats(0,0,0,0,1,0,10,0);
eventParser(5007);
return;
}
}
//Minotaur Cum combat circumvention:
//(if PC has 1 or more Mino Cum, replaces last paragraph of initial encounter)
function minoCumForAnemonieeeeez():void {
spriteSelect(4);
outputText("The initial surprise subsides to wooly-headedness and a feeling of mild arousal as the stingers in her tentacles find exposed flesh. In panic of drowning you pull free of the ropy mass and backpaddle away from the girl until your " + player.feet() + " reassuringly touch the shallows of the lakebed. As you shake your head to clear the haze, you notice a few of your items have fallen out of your pouches and are floating in the water. The anemone has picked one in particular up and is examining it; a bottle of minotaur cum. Her eyes light up in recognition as the fluid sloshes back and forth and she looks beseechingly at you, cradling it next to her cheek. \"<i>Gimme?</i>\" she asks, trying to look as sweet as possible.\n\n", false);
//[(PC not addicted)
if(flags[20] == 0) {
outputText("Do you want to make a present of the bottle?", false);
}
//(PC addicted but sated)
else if(flags[20] == 1) {
outputText("You're still riding high from your last dose; do you want to share your buzz with the girl? It might lead to something fun...", false);
}
//(PC addicted but in withdrawal)
else {
outputText("Oh, hell NO are you going to give that bottle away when you haven't even gotten your own fix yet! You raise your " + player.weaponName + " and advance on the girl with a wild look in your eyes. She shivers a bit at your expression and drops the bottle with a splash, then recovers her composure and backs up a few steps. You grab the floating bottle, and the rest of your stuff, quickly.", false);
//(gain lust, temp lose spd/str; if in withdrawal then proceed to fight, otherwise present choices 'Give' and 'Don't Give')
startCombat(29);
//(gain lust, temp lose spd/str)
stats(0,0,0,0,0,0,4,0);
applyVenom(1);
return;
}
simpleChoices("Give",2741,"Don't Give",2740,"",0,"",0,"",0);
}
//'Don't Give':
function dontGiveMino():void {
spriteSelect(4);
outputText("", true);
outputText("You look sternly at the blue girl and hold out your hand. As she realizes you don't intend to let her have the bottle, her face changes to a half-pout, half-frown. When you don't react, she throws the bottle at your feet and shouts, \"<i>Mean!</i>\" You bend down to pick it, and the other items, up, and when you straighten back up, she looks quite angry and her tentacles are waving all over the place. Uh-oh. You raise your weapon as the anemone giggles sadistically and attacks!\n\n", false);
//(proceed to combat)
startCombat(29);
//(gain lust, temp lose spd/str)
stats(0,0,0,0,0,0,4,0);
applyVenom(1);
}
//'Give':
function giveMino():void {
spriteSelect(4);
outputText("", true);
consumeItem("MinoCum",1);
outputText("You nod at the girl and she smiles and responds with a very quiet \"<i>Yay.</i>\" As you pick up the rest of your stuff, she takes the top off of the bottle and chugs it like a champ, without even stopping to breathe. Her eyes widen a bit as the drug hits her system, then narrow into a heavy-lidded stare. Dropping the bottle with a splash, she falls to her knees with another. She looks at you and licks her lips as she begins playing with her nipples. Obviously, she's feelin' good. ", false);
//[(lust<30)
if(player.lust < 30) {
outputText("Watching as her fondling devolves into outright masturbation, your own ", false);
if(player.cockTotal() > 0) outputText(cockDescript(0) + " becomes a little erect", false);
else if(player.hasVagina()) outputText(vaginaDescript(0) + " aches a bit with need", false);
else outputText(assholeDescript() + " begins to tingle with want", false);
outputText(". You shake off the feeling and head back to camp, leaving her to her fun.", false);
}
//(lust>30)
else {
//(decrement MinoCum by 1, opens victory sex menu, uses win-by-lust context in ensuing scenes, increment corruption by 2 for getting a girl high just to fuck her)
outputText("As her fondling devolves into genuine masturbation you realize this would be a good opportunity to take care of your own lusts. If you do, how will you do it?", false);
var cockRape:Number = 0
var vaginaRape:Number = 0
//Normal male: -requires dick of area < 36
if(player.cockTotal() > 0) cockRape = 2592;
if(player.hasVagina()) vaginaRape = 2591;
simpleChoices("Your ass",2593,"Your Cock",cockRape,"Your Vagina",vaginaRape,"",0,"Leave",13);
return;
}
doNext(13);
}
//anal
function anemoneButtPlugginz():void {
clearOutput();
//victory sex choice for males with cock fit 48 or females with clit >7": "her anus"
//(change "If you do, which of your parts" to "If you do, which part" in pre-sex choice menu)
outputText("Imagining your climax already, you look over the anemone. Your gaze lingers on her breasts; she sticks them out enticingly, trying to catch your interest");
if(monster.lust > 99) outputText(" as she plays with herself");
outputText(". Nice, but not what you're looking for... ");
if(!player.isTaur()) {
outputText("Opening your [armor] a bit, you stroke ");
if(player.hasCock()) outputText("[oneCock]");
else outputText("your " + vaginaDescript(0));
outputText(" as y");
}
else outputText("Y");
outputText("ou circle around behind her. The anemone looks over her shoulder at you as you size her up. But there... that's what you wanted to see. Tilting the girl forward with a hand on her shoulder, you lower yourself to get a better look at her backside.");
outputText("\n\nThe rounded blue cheeks stick out as you slide your hand up her back and press gently to lean her over further. You rub your other hand over them, giving a squeeze and, eventually, a smack. She lets out a cute yelp at the blow and shakes her backside at you, as if to tempt you further. It works; ");
if(player.hasCock() && player.cockThatFits(48) >= 0) {
if(!player.isTaur()) outputText("you fish your [cockFit 48] out of your garments and rub it");
else outputText("you rub your [cockFit 48]");
outputText(" between the smooth blue curves");
}
else {
if(!player.isTaur()) outputText("you finger your pussy");
else outputText("you imagine the tightness of her hole");
outputText(" until your " + clitDescript() + " starts to fill with blood and peeks from its hood");
}
outputText(", prompting a giggle from her");
if(player.hasCock() && player.cockThatFits(48) >= 0) outputText(" as you smear a dribble of pre-cum into the crack of her ass");
outputText(". Putting her hands down, she tries to angle her rear up to bring you in line with her pussy; you give her a harder smack and force her back down, much to her confusion. The blue profile appears over her shoulder again, this time with a worried expression. Squeezing her ass once with open palms, you lean down and plant a kiss on it. A nervous titter issues from the blue girl as you pull open her cheeks.");
outputText("\n\nYou find... nothing. There's no asshole, none at all. Just a pair of smooth blue curves with nothing between them! It's like a children's cartoon back here! \"<i>What the hell...?</i>\" you blurt.");
outputText("\n\nAlarmed by the noise and the sudden stillness, she shivers under you, even more at a loss for words than usual. \"<i>Hey!</i>\" you bark, your half-deflated ");
if(player.hasCock() && player.cockThatFits(48) >= 0) outputText("cock");
else outputText("clit");
outputText(" already drooping indolently toward the water. She turns and looks at you out of the corner of her eye, her face a rictus of suspense.");
outputText("\n\n\"<i>Where's the hole?</i>\" you demand, pointing at your own " + buttDescript() + " for an example.");
outputText("\n\nShe lights up as she understands your meaning, then lapses back into confusion when she remembers you're asking about hers, not your own. Finally, she raises her shoulders a bit as if to shrug and shakes her head.");
outputText("\n\n\"<i>Dammit, you have to have one!</i>\" you retort. \"<i>Where does... where does your food come back out once you're done with it?</i>\"");
outputText("\n\nAt this, she looks thoughtful for a few seconds, then points at her mouth.");
outputText("\n\n\"<i>No... where does it come </i>out<i>? You know, </i>after<i> you've eaten!</i>\"");
outputText("\n\nShe blushes blue, then points at her mouth again and spits into the water by way of explanation. Your jaw slackens as you take in her meaning.");
outputText("\n\nWell, you've located her anus... what do you do now?");
var hotdog:int = 0;
if(!player.isTaur()) hotdog = 3820;
simpleChoices("FUCK IT",3819,"Hotdog",hotdog,"",0,"",0,"Fuck Off",3821);
}
//[FUCK IT] (if cock fit 48, use cock; else use clit scenes)
function anemoneQuoteUnquoteAnal():void {
clearOutput();
var dick:Boolean = (player.cockThatFits(48) >= 0 && player.hasCock());
var x:int = 0;
if(dick) x = player.cockThatFits(48);
outputText("You're in the mood for anal and anal you shall have. ");
if(!player.isTaur()) {
outputText("Ever a purist, you stroke your ");
if(dick) outputText(cockDescript(x));
else outputText(clitDescript());
outputText(" until it protrudes from the hole in your " + player.armorName + ", returned to full erectness. ");
}
outputText("The anemone regards you intently as you approach her and ");
if(!player.isTaur()) outputText("seize her head");
else {
outputText("mount her head");
if(!dick) outputText(", angling your clit forward along your stomach by pinning it against the anemone's forehead");
}
outputText("; her hair delivers tingles of venom where it brushes your skin even as her own hands dawdle playfully along your " + player.skin() + ". Without another word, you force her head into your groin as you ram your distended ");
if(!dick) outputText("chick-");
outputText("prick into her eager face.");
outputText("\n\nHer moist mouth welcomes the rapid advent your ");
if(dick) outputText("dick");
else outputText("clit");
outputText(" first with surprise, then with relish. As you slide past her lips, your ");
if(dick) outputText("[cockHead " + (x+1) + "]");
else outputText("tip");
outputText(" is embraced by the rippling walls of her throat, already trying to milk you for spunk");
if(!dick) outputText(" that won't come");
outputText(". The tightness seems to adjust to the ");
if(dick) outputText("girth of your prick");
else outputText("girl-th of your swollen button");
outputText("; the anemone looks up at you with ");
if(player.isTaur()) outputText("unseen ");
outputText("eyes a-twinkle");
if(player.balls > 0) {
outputText(", and her hair reaches forward to caress your [sack], delivering lancets of venom through the thin skin that send your arousal, and your production, into overdrive");
if(!player.hasCock()) outputText(". As your [balls] swell with blood and seed, you can't help but groan; there'll be nowhere for the largess to go, and it will be with you until your body reabsorbs it - or you make an outlet");
}
outputText(". Your hips take over, thrusting into her brutally and knocking her head back and forth. Her tentacles fly wildly, brushing all along your stomach and hips as you pound her mouth, leaving little stripes of heat on your " + player.skin() + " that seep into your body and only make you want to come even more.");
outputText("\n\nIt doesn't take long for the accommodating, self-adjusting passage to bring you to climax, aided by the touch of her stingers... you try to reduce the pace of your hips, to prolong the fun, but your lover is having none of it. As you pull out slowly to ease yourself in again, her hair wraps around the shaft of your ");
if(dick) outputText("dick");
else outputText("clit");
outputText(" suddenly, stroking vigorously even as it smears a burning wave of arousal along your length. \"<i>F-fuck,</i>\" you moan, pushed beyond your control by the coup.");
if(dick) {
outputText(" Your [cockFit 48] begins to ejaculate, filling the blue girl's mouth with your seed; she sucks it down greedily, swallowing every drop.");
if(player.cumQ() >= 1000) outputText(" So much cum do you push into her that her belly actually rounds from the volume, transforming into a sleek, flat midriff into a barely-contained ball of sloshing liquid");
if(player.cumQ() >= 2000) outputText("; even when her stomach skin can stretch no further, your body won't stop filling her, and the bulge expands up her esophagus, pushing out her chest and throat until she's full to the brim and rather reminiscent of a big, blue pear");
if(player.cumQ() >= 1000) outputText(".");
outputText("\n\nSatisfied, you pull out of the anemone's throat, dragging a line of semen with you that drools from the corner of her mouth. She hiccups and giggles drunkenly, then wipes it away and licks it off of her hand. \"<i>Thanks!</i>\" she chirps; she purses her lips for a kiss, but you push her away.");
outputText("\n\n\"<i>Don't mention it...</i>\" You leave her there, ");
if(player.cumQ() >= 1000) outputText("bobbing roundly in the water as she tries to make her way from the shallows, ");
outputText("and head back to camp.");
}
else {
outputText(" Your clit, packed with nerves, shivers and sets off your orgasm as she strokes, and you bury it into her throat as your head rolls back. The anemone flinches, unnoticed by you, as your vagina ");
if(player.wetness() < 4) outputText("drools its lube along your length. ");
else outputText("squirts obscenely, coating your length and her face with your female orgasm. ");
outputText("Your body shivers as near-painful sensations wrack you, engulfed in the anemone's questing passage");
if(player.balls > 0) outputText(". Your lover, hopeful, watches and waits for your testicles to rise into your groin and unload their cargo");
if(player.cockTotal() == 0) outputText("; she even tries to push them up herself with her hands, as if that would make your clit produce the semen inside them");
outputText(".");
if(player.hasCock()) outputText(" Your clit remains unproductive; your male orgasm squirts out uselessly around her head, mingling with the lake water. The girl's expression upon seeing this is pained, and she tries but fails to get free to follow the arcing white ropes, sending further spasms of pleasure through your sensitive distaff staff.");
outputText(" Eventually your body calms enough to respond to your impulses, and you carefully draw your [clit] out of your lover's throat.");
outputText("\n\n\"<i>No food,</i>\" she whines, pouting. Negligent and uncaring, you shake your head");
if(player.hasCock()) outputText(", pointing to the squiggles of your seed floating lazily in the lakewater,");
outputText(" and leave her.");
}
//end scene, reset hours since cum and lust, reduce libido and sens a little
stats(0,0,0,0,-.5,-.5,-100,0);
eventParser(5007);
}
//[Hotdog!]
function hotdogTheAnemone():void {
clearOutput();
var dick:Boolean = (player.cockThatFits(48) >= 0 && player.hasCock());
var x:int = 0;
if(dick) x = player.cockThatFits(48);
//horses eat hay, not hotdogs
outputText("Well... it's the spirit of the thing that counts, right? That blue butt still does look pretty tempting. You force the anemone forward again and squeeze them together; she giggles and tries once more to push her vagina toward you, but you push it down again and jam your ");
if(dick) outputText("[cockFit 48]");
else outputText("[clit]");
outputText(" between her small, round cheeks, seizing one in each hand and forcing them to sleeve as much of your length as possible. The girl looks back at you, face a picture of confusion, but you do not even care. Her cool ass feels otherworldly as you thrust through it, poking your tip out of the crack and then pulling back again; ");
if(dick) outputText("pre-cum");
else outputText("your juice");
outputText(" drools onto her at one end of your motion, filling your little canyon of fun with a river of hot lubrication that you smear liberally throughout.");
outputText("\n\n\"<i>Hey,</i>\" you call, \"<i>you could be helping. Use your tentacles or something.</i>\"");
outputText("\n\nThe anemone, ");
if(dick) outputText("excited by the feel and sight of your pre-cum");
else outputText("looking almost bored");
outputText(", obliges and snakes several toward you; they stop just inside the range of your furthest stroke, flitting tantalizingly as if begging you to push into them. Wary at first, you do so and they gently caress ");
if(dick) outputText("your [cockHead " + (x+1) + "]");
else outputText("the nerve-packed end of your [clit]");
outputText(", responding almost autonomously to wrap around it. The grip is not enough to keep you from pulling back out, though, and they relinquish your shaft, leaving the tip covered in a warm lattice of venom that soaks through you. A shudder wracks you, and you eagerly push in again, sliding first into her cheeks, then down the slick passageway made by your lube, and finally into the body-heating embrace of her tentacles. As your ");
if(dick) outputText("now-throbbing prick");
else outputText("swollen, red clit");
outputText(" wicks more of her venom into you, your hips begin to disobey your will, thrusting faster with each dose and pushing the anemone's face into the lakebed; elbows crooked and fingers splayed, she still can't raise her head against the vigor of your onslaught.");
outputText("\n\nBefore you can rub the very skin off your ");
if(dick) outputText("cock");
else outputText("clit");
outputText(", you come. Your body shakes and you nearly fall atop your lover; ");
if(dick) {
outputText("your swollen, painfully hard prick fountains with cum, coating the anemone's back and hair in white. The venom in your system draws out your orgasm to incredible lengths, and " + sMultiCockDesc() + " ejaculates over and over until you feel lightheaded and woozy.");
if(player.cumQ() >= 500) outputText(" When you've finished, not a single place on the anemone's backside is still blue; the giddy girl is shoving your semen into her mouth with her tentacles and hands, swallowing almost as much lakewater as jizz.");
}
else {
outputText("your pussy clamps down, trying and failing to find something to squeeze and ");
if(player.wetness() < 4) outputText("drooling its lube down your thighs.");
else outputText("squirting cum behind you to rain onto your partner's calves and the surface of the lake.");
outputText(" The anemone sighs impatiently as you twitch atop her, waiting for you to finish.");
}
outputText("\n\nYou slip from between the blue girl's asscheeks, tucking your still-sensitive length away with a flinch, and leave her behind. The anemone ");
if(dick) outputText("dares not move from her knees, balancing your freshly-shot load on her back as she tries to push it toward her face with her tentacles.");
else outputText("looks indolently at you as you go.");
//end scene, reset hours since cum and lust, reduce libido and sens a bit
stats(0,0,0,0,-.5,-.5,-100,0);
eventParser(5007);
}
//[Fuck Off]
function fuckingAssholelessAnemoneeeez():void {
clearOutput();
outputText("Dammit all. Your fun is completely ruined and you're limp as toast in milk now. You abruptly pull yourself upright, tucking away your goodies.");
outputText("\n\n\"<i>No food?</i>\" she says, turning around and fixing a pout on you.");
outputText("\n\n\"<i>Don't worry, I've got something for you.</i>\" You place a hand behind your back and watch her face light up, then pull it out with the middle finger extended skyward. \"<i>Eat it.</i>\" As the rejection sinks in, you kick wet sand from the lakebed into her stricken face and stomp off, mad as hell.");
//-30 lust)
stats(0,0,0,0,0,0,-20,0);
eventParser(5007);
}
//Bee on Anemone: Finished (Zeik)
//[Ovipositor] option in rape menu
function anemoneGetsLayedByBeePositor():void {
if(player.canOvipositSpider()) {
spiderOvipositAnAnemone();
return;
}
clearOutput();
outputText("The tentacles on this girl sing a siren song and beg you to sample their venomous, greedy caresses as you plunge your egg-layer into her... even the small, blue feelers around the ");
if(monster.HP < 1) outputText("reclining");
else outputText("vigorously masturbating");
outputText(" girl's pussy call to you. Your insectile abdomen pulses as eggs shift, lining up for deposition, and your long, black ovipositor slides out, pulsing in time with your heartbeat. The idea of having those feelers stroke your strange organ while you unload your pent-up eggs sounds so good that a drop of honey oozes out, filling the air with a sweet scent that makes your");
if(player.antennae > 0) outputText(" antennae");
else outputText("nose");
outputText(" tingle. The anemone's eyes light up as your black shaft drools, and she leans forward, catching the nectar on a finger and raising it to her lips.");
outputText("\n\nYou watch with mounting arousal as she rolls your nectar on her tongue; her eyes widen at the taste and she smiles ingratiatingly at you. \"<i>Sweet... more?</i>\" she coos, pursing her lips at you.");
outputText("\n\n\"<i>As long as you stop making that stupid ");
if(silly()) outputText("duck ");
outputText("face,</i>\" you reply.");
outputText("\n\nThe anemone looks quizzical, but wraps a hand around your egg-laying organ, pulling it closer. You allow her to draw you in and press the black, wet tip to her mouth, and she raises her other hand to it and begins to stroke. You shiver in pleasure as another gob of honey forms, and the anemone, watching your reaction, smiles slyly. She slides two of her tentacles into each palm, adding the caressing, sticky sensation of her stingers to the handjob! Your [legs] wobble as your blood vessels loosen and your ovipositor fills with warm, fluttering heat; you don't even notice when it begins oozing your nectar constantly, so fuzzy does it feel. You do notice, however, when she lifts your prong to her lips and brashly sticks her tongue right down the hole!");
outputText("\n\nA wordless groan drops from your mouth as the girl's small, cool muscle probes the inside of your ovipositor. She strokes the base eagerly, forcing more of your honey to the end to be lapped up; every time a glob rises to the top, her tongue greedily scoops it up, tracking a tingling, ticklish trail along the nerves on the inside of your black bee-prick. Fuck, there's no way you can hold back... the first of your eggs is pushed from you, forcing the anemone's lips apart as it enters her mouth.");
outputText("\n\n\"<i>Lumpy... ?</i>\" Your intended receptacle pulls away grimacing as several more spurt from your organ, and deposits the one from her mouth into the lakewater alongside them. The ovipositor in her grip squirms, wrapped in hands and tentacles, dropping spheres slowly and unsatisfyingly into the water as she decides what to do.");
//[(sens>=50 or horse)
if(player.sens >= 50 || player.isTaur()) {
outputText("\n\n\"<i>Weird,</i>\" she says tersely, and starts jerking your ovipositor off with both hands once again; you shudder and try to will your arms to stop her onslaught of pleasure, but they can't. As she smears her tentacles along the length of your black pseudo-cock, your resolve evaporates, and soon your tube is forcing out eggs into the open air, lulled by the enveloping warmth of anemone venom. The brazen girl continues to stroke with four tentacles and one hand as she cherry-picks choice globs of your honey from your flow, spitting out any of the eggs she gets with them. Your body does not even care, adding sphere after sphere to the spreading film floating on the choppy water.");
//[(cock)
if(player.hasCock()) {
outputText("\n\nYou hurriedly open your armor as your ");
if(player.totalCocks() == 1) outputText("male part erupts");
else outputText("male parts erupt");
outputText(" in sympathy, lancing semen over your partner. Surprisingly, the anemone doesn't even notice, so absorbed is she in experimenting with your modified stinger.");
}
//[(Lev3 eggs)
if(player.eggs() > 40) {
outputText(" Eventually there are so many eggs ");
if(player.hasCock() && player.cumQ() > 1000) outputText("and so much cum ");
outputText("that they begin to collect around her, clumping and layering around her midriff like white, slimy algae on a pier post.");
}
outputText(" As the last rolls from you, the anemone raises your wilting ovipositor to her lips once again, eagerly drinking the final sweet secretions that fall out in long, slimy strings.");
outputText("\n\n\"<i>Weird,</i>\" she repeats, tugging at the shriveling organ as it tries to recede into your slit.");
outputText("\"<i>Ugh...</i>\" you respond, weak in the [legs]. With a jerk, you pull your abdomen away from her grasp, flinching as her skin rubs your sensitive slit, then turn to leave. She catches your hand, looking almost concerned.");
outputText("\n\n\"<i>Chunks...</i>\" the anemone says, gesturing to your wasted eggs. \"<i>See... doctor?</i>\"");
}
else {
outputText("\n\nYou have no such vacillations; you're gonna violate her. As good as the tongue felt, your body wants to put these eggs in something. Boneless, you'll never make it to her pussy, but... any hole's a goal. Grabbing the anemone's face in both hands, you stuff your black organ into her mouth, right to the hilt.");
outputText("\n\n\"<i>Mmmf!</i>\" The blue girl struggles and tries to pull away as the next batch of eggs slides into her; her hands dart to yours, trying to pry fingers loose, but your grip is vice-like with renewed intensity as you focus on your release. The slippery spheres barrel down her throat like marbles as the madness washes over you and settle heavily on her stomach. ");
if(player.eggs() < 20) outputText("It doesn't take long before you finish, pushing your cargo down her passageway in a neat, orderly line.");
else {
outputText("So many come that you can see them under her skin, a myriad of tiny bumps");
if(player.eggs() >= 40) outputText("; these same bumps multiply upward as your long-suffering abdomen pushes out line upon line of eggs, and soon you can feel them pressing back against the tip of your ovipositor. You squeeze the girl's head in your hands, holding her against the base, and concentrate; slowly, the deposited eggs give way to their siblings, stretching her elastic stomach and chest wide");
outputText(".");
}
outputText("\n\nRelieved, you pull your shrinking tube from the wet mouth; a few straggling eggs fall from it, dropping into the water. The anemone looks plainly queasy as she rubs her stomach.");
outputText("\n\n\"<i>Hard...</i>\" she moans, pressing down on her midriff and frowning. \"<i>Yucky...</i>\"");
outputText("\n\nThat's too bad.");
//[(silly mode and fert eggs)
if(silly() && player.fertilizedEggs() > 1) outputText(" You briefly amuse yourself imagining her carrying your eggs to term and having them hatch in her mouth, so that when she talks, she shoots bees. Nicholas Cage would be proud.");
outputText(" Gathering your things, you " + player.mf("laugh","giggle") + " at her and depart.");
}
player.dumpEggs();
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
}
//Drider on Anemone: Finished (Zeik)
//[Ovipositor] option with spiderbutts
function spiderOvipositAnAnemone():void {
clearOutput();
outputText("As the girl's resistance ebbs, ");
if(player.HP < 1) outputText("eyes unfocused with fatigue");
else outputText("two fingers plunging eagerly into her pussy");
outputText(", you advance on her. Your abdomen bends forward and your egg-laying organ slides out, dripping slime into the water with little 'plit' noises; the girl, fascinated despite the strangeness of it, sits up and creeps forward to touch it.");
outputText("\n\nWhen her cool, wet fingers connect with the sensitive end of your ovipositor, you can't help but push out a heady glob of lubrication. Curious, she catches it on her palm, then raises it to her lips, nipping at it with her tongue. Her face pinches into a grimace, and the little periwinkle triangle sticks out of her mouth as she childishly shakes her head back and forth and cries, \"<i>Eww!</i>\"");
outputText("\n\nNot really the answer you wanted to hear. As you tilt your drooling tube toward her, she tries to get away, turning over and splashing on hands and knees. Not having any of that, you reach down and grab her foot. She shrieks and lashes at you with her tentacles, catching your arm with one tingling swipe of venom - the rest land harmlessly on hard chitin. However, they'll be trouble when you pull in close to actually deposit your eggs... there's little to do about it but get the hard part out of the way.");
outputText("\n\nGrasping the nettle, you gather her squirming, writhing hair in your hands and pull it taut, then lasso it with a spray of silk, directing it with your foremost legs. The feeling of your spinnerets weaving long criss-crossing strands down her hair to restrain it - of spewing white, sticky strings all over it - becomes increasingly sexual as her venom suffuses your bloodstream through your hands");
//[(cock)
if(player.hasCock()) outputText(", and your [armor] tightens as [eachCock] swells");
else if(player.hasVagina()) outputText(", and the inside of your [armor] dampens with the lube your [vagina] leaves as it clenches around empty air");
outputText("; you have to push yourself to finish working before you can lose yourself to it. Completing your restraints, you release her tentacles. They bob behind her in one mass like a long, cute ponytail, and only the ends are free to wiggle. When she realizes this, her behavior changes dramatically.");
outputText("\n\n\"<i>Off,</i>\" whimpers the anemone, thrashing the water, turning her head and trying reach the silk tie. \"<i>Off!</i>\"");
outputText("\n\nEven with her arms and legs free, having her hair tied seems to be traumatic for the anemone... experimentally, you restrain her hands and she looks at you with wet eyes; a tear actually falls from one, rolling down her cheek. \"<i>Off...</i>\" she begs, pouting. \"<i>Please?</i>\"");
outputText("\n\n\"<i>Soon,</i>\" you answer. The first order of business is to clear out the uncomfortable pressure in your abdomen unhindered");
if(player.cor < 60) outputText(", even though her adorable and slightly surreal puppy dog eyes implore you otherwise");
outputText(". \"<i>Let me just finish what I need to do first.</i>\"");
outputText("\n\nFrowning, the girl shakes her head. \"<i>No...</i>\" she insists, \"<i>off first!</i>\" Well, that's definitely not happening; she'll just overwhelm you with venom and ");
if(player.gender > 0) {
outputText("go for your ");
if(player.hasCock()) outputText("cock");
else outputText("cunt");
outputText(", leaving");
}
else outputText("leave");
outputText(" you holding the bag... of eggs, as it were. Your steel your resolve and stride atop her, pinning the loose, wiggling end of her ponytail harmlessly against your chitinous underside and forcing her hands underneath her by lowering some of your weight onto her back.");
outputText("\n\n\"<i>Be just a minute,</i>\" you grunt, searching out her pussy with your egg-laying tool. A caress and a tingle of venom from its feelers tell you that you've found it, and you thrust forward, impaling the blue girl's cunt.");
outputText("\n\nShe starts in surprise at this, moaning, and you reach down to wrap your hands under her chin, pulling her face up to look at you. \"<i>Not so bad, eh?</i>\" you tease her. The anemone's mouth hangs open wordlessly as you thrust your ovipositor against her entrance, and the nubby blue feelers of her vulva bend inward toward it, tracing lines as you draw out and sending shivers through your twined bodies.");
outputText("\n\n\"<i>Oooh...</i>\" she sighs, relaxing under you. \"<i>M-more...</i>\" The girl has completely forgotten about her hair now, consumed by arousal. Her pussy clings wetly to your egg-laying tube as you pump her; not strong enough to clamp the slime-slicked organ in place, her squeezes only serve to tighten the passage you thrust through and tickle the tip as you rub it against her insides. The sensation is beyond you, and the first of your eggs pushes into position, sliding smoothly down your oviduct and into her snatch.");
outputText("\n\n\"<i>Ah-ahh!</i>\" she cries, as it enters her. The anemone's passageway ripples around you in climax, and below her body, unseen by you, her little blue cock drools its seed into the lake. Her elbows buckle as your egg-bloated prong plugs her tight vagina, but your grip on her chin prevents her from falling facefirst into the water; she looks up at you adoringly, eyes alight with affection.");
outputText("\n\n\"<i>Don't worry,</i>\" you murmur, ");
//[(sexed)
if(player.gender > 0) outputText("while unfastening your [armor] with one hand, ");
outputText("\"<i>there is definitely more.</i>\" The next two eggs slip into her as you speak, sending convulsions through her body. Her pussy spasms again and enfolds your ovipositor even more tightly; you're ready for the sensation this time, and allow it to resonate through you, forcing out your own wet orgasm. You hold her face as you unburden yourself");
if(player.hasCock()) {
outputText(" and cover her hair with yet more white strings from your twitching manhood");
if(player.cockTotal() > 1) outputText("s");
}
//(egg level 3)
if(player.eggs() >= 40) outputText("; so many eggs pump into her that she gives a little start when her distended belly touches the lukewarm water below");
outputText("... finally you let her go when you're completely empty, pulling your stalk from her with a lewd sucking noise. A little bit of green goo drools from her pussy as she slumps over on her side, and you make ready to leave her there - bloated and pregnant, with a squiggle of her semen floating in the water next to her.");
outputText("\n\n\"<i>W-wait,</i>\" she pants, and you turn back. \"<i>Off...</i>\" The begging anemone fixes you with a desperate, pleading gaze, trying to reach around her body to her hair.");
//[(corr < 75)
if(player.cor < 75) {
outputText("\n\nWell, you did say you would. Bending over her, you cut the string tying her tentacles with one pointed leg, allowing them free play once again.");
outputText("\n\n\"<i>Thank... you...</i>\" she pants, and closes her eyes in sleep.");
}
//(else corr >=75)
else {
outputText("\n\n\"<i>Oh, that? I lied,</i>\" you say. \"<i>But really, it's a good look for you. Very cute. Just keep it.</i>\"");
outputText("\n\nThe girl graces your retreating back with a look of horror, struggling to pull her suddenly-heavy body upright and reach her hair, and you can hear her plaintive whines for quite a while as you walk.");
}
//ponytailed anemone with Lisa Loeb glasses WHEN
player.dumpEggs();
stats(0,0,0,0,0,0,-100,0);
eventParser(5007);
}
function anemoneKidBirthPtII():void {
clearOutput();
spriteSelect(71);