Mirage Source

Free ORPG making software.
It is currently Sat Apr 27, 2024 2:59 pm

All times are UTC




Post new topic Reply to topic  [ 25 posts ] 
Author Message
PostPosted: Tue Jan 02, 2007 12:06 pm 
Offline
Persistant Poster
User avatar

Joined: Wed Nov 29, 2006 11:25 pm
Posts: 860
Location: Ayer
Non-Playable Character Chat
This was %100 done by Pando.
    Features
    NPC Say
    Player Response
    NPC Response
    Visual NPCS
This system will work when you press enter next to an NPC.
Tested on MS 3.03 and should work on 3.03 and mse v-x.
After This, your attacksay will not work.


First Serverside ::

Add this to the bottom of modGameLogic
Code:
Public Sub TalkToNpc(ByVal Player As Long, ByVal MapNpcNum As Long)
Dim MapNum As Long, NpcNum As Long
   
    ' Check for subscript out of range
    If IsPlaying(Player) = False Or MapNpcNum <= 0 Or MapNpcNum > MAX_MAP_NPCS Then
        Exit Sub
    End If
   
    ' Check for subscript out of range
    If MapNpc(GetPlayerMap(Player), MapNpcNum).Num <= 0 Then
        Exit Sub
    End If
   
    MapNum = GetPlayerMap(Player)
    NpcNum = MapNpc(MapNum, MapNpcNum).Num
   
   
    ' Make sure they are on the same map
    If IsPlaying(Player) Then
        If NpcNum > 0 Then
            ' Check if at same coordinates
            Select Case GetPlayerDir(Player)
                Case DIR_UP
                    If (MapNpc(MapNum, MapNpcNum).y + 1 = GetPlayerY(Player)) And (MapNpc(MapNum, MapNpcNum).x = GetPlayerX(Player)) Then
                        If Npc(NpcNum).Behavior = NPC_BEHAVIOR_FRIENDLY Then
                            Call SendNPCTalk(Player, MapNpcNum)
                        End If
                    End If
               
                Case DIR_DOWN
                    If (MapNpc(MapNum, MapNpcNum).y - 1 = GetPlayerY(Player)) And (MapNpc(MapNum, MapNpcNum).x = GetPlayerX(Player)) Then
                        If Npc(NpcNum).Behavior = NPC_BEHAVIOR_FRIENDLY Then
                            Call SendNPCTalk(Player, MapNpcNum)
                        End If
                    End If
               
                Case DIR_LEFT
                    If (MapNpc(MapNum, MapNpcNum).y = GetPlayerY(Player)) And (MapNpc(MapNum, MapNpcNum).x + 1 = GetPlayerX(Player)) Then
                        If Npc(NpcNum).Behavior = NPC_BEHAVIOR_FRIENDLY Then
                            Call SendNPCTalk(Player, MapNpcNum)
                        End If
                    End If
               
                Case DIR_RIGHT
                    If (MapNpc(MapNum, MapNpcNum).y = GetPlayerY(Player)) And (MapNpc(MapNum, MapNpcNum).x - 1 = GetPlayerX(Player)) Then
                        If Npc(NpcNum).Behavior = NPC_BEHAVIOR_FRIENDLY Then
                            Call SendNPCTalk(Player, MapNpcNum)
                        End If
                    End If
            End Select
        End If
    End If
End Sub


Add this to the bottom of Sub HandleData

Code:
    ' ::::::::::::::::::::::::::
    ' ::  Talk To NPC packet  ::
    ' ::::::::::::::::::::::::::
    If LCase(Parse(0)) = "npctalk" Then
        ' Try to talk to npc
        For i = 1 To MAX_MAP_NPCS
            Call TalkToNpc(Index, i)
        Next i
        Exit Sub
    End If


Add this to the bottom of modServerTCP
Code:
Sub SendNPCTalk(ByVal Index As Long, ByVal NpcNum As Long)
Dim Packet As String

    Packet = "NPCTALK" & SEP_CHAR & NpcNum & SEP_CHAR & Trim(Npc(NpcNum).Name) & SEP_CHAR & Trim(Npc(NpcNum).Say) & SEP_CHAR & Trim(Npc(NpcNum).PlayerResponse) & SEP_CHAR & Trim(Npc(NpcNum).NpcResponse) & SEP_CHAR & Npc(NpcNum).Sprite & SEP_CHAR & END_CHAR
    Call SendDataTo(Index, Packet)
End Sub


Find
Code:
' Update the npc

Replace all with
Code:
        ' Update the npc
        Npc(n).Name = Parse(2)
        Npc(n).Say = Parse(3)
        Npc(n).PlayerResponse = Parse(4)
        Npc(n).NpcResponse = Parse(5)
        Npc(n).Sprite = Val(Parse(6))
        Npc(n).SpawnSecs = Val(Parse(7))
        Npc(n).Behavior = Val(Parse(8))
        Npc(n).Range = Val(Parse(9))
        Npc(n).DropChance = Val(Parse(10))
        Npc(n).DropItem = Val(Parse(11))
        Npc(n).DropItemValue = Val(Parse(12))
        Npc(n).STR = Val(Parse(13))
        Npc(n).DEF = Val(Parse(14))
        Npc(n).SPEED = Val(Parse(15))
        Npc(n).MAGI = Val(Parse(16))


In Type NpcRec Replace AttackSay with
Code:
    Say As String * 200
    PlayerResponse As String * 100
    NpcResponse As String * 200


Now ClientSide::

Replace Sub NpcEditorInit with
Code:
Public Sub NpcEditorInit()
On Error Resume Next
   
    frmNpcEditor.picSprites.Picture = LoadPicture(App.Path & "\sprites.bmp")
   
    frmNpcEditor.txtName.Text = Trim(Npc(EditorIndex).Name)
    frmNpcEditor.txtSay.Text = Trim(Npc(EditorIndex).Say)
    frmNpcEditor.txtPlayerResponse.Text = Trim(Npc(EditorIndex).PlayerResponse)
    frmNpcEditor.txtNPCResponse.Text = Trim(Npc(EditorIndex).NpcResponse)
    frmNpcEditor.scrlSprite.Value = Npc(EditorIndex).Sprite
    frmNpcEditor.txtSpawnSecs.Text = STR(Npc(EditorIndex).SpawnSecs)
    frmNpcEditor.cmbBehavior.ListIndex = Npc(EditorIndex).Behavior
    frmNpcEditor.scrlRange.Value = Npc(EditorIndex).Range
    frmNpcEditor.txtChance.Text = STR(Npc(EditorIndex).DropChance)
    frmNpcEditor.scrlNum.Value = Npc(EditorIndex).DropItem
    frmNpcEditor.scrlValue.Value = Npc(EditorIndex).DropItemValue
    frmNpcEditor.scrlSTR.Value = Npc(EditorIndex).STR
    frmNpcEditor.scrlDEF.Value = Npc(EditorIndex).DEF
    frmNpcEditor.scrlSPEED.Value = Npc(EditorIndex).SPEED
    frmNpcEditor.scrlMAGI.Value = Npc(EditorIndex).MAGI
   
    frmNpcEditor.Show vbModal
End Sub

Public Sub NpcEditorOk()
    Npc(EditorIndex).Name = frmNpcEditor.txtName.Text
    Npc(EditorIndex).Say = frmNpcEditor.txtSay.Text
    Npc(EditorIndex).PlayerResponse = frmNpcEditor.txtPlayerResponse.Text
    Npc(EditorIndex).NpcResponse = frmNpcEditor.txtNPCResponse.Text
    Npc(EditorIndex).Sprite = frmNpcEditor.scrlSprite.Value
    Npc(EditorIndex).SpawnSecs = Val(frmNpcEditor.txtSpawnSecs.Text)
    Npc(EditorIndex).Behavior = frmNpcEditor.cmbBehavior.ListIndex
    Npc(EditorIndex).Range = frmNpcEditor.scrlRange.Value
    Npc(EditorIndex).DropChance = Val(frmNpcEditor.txtChance.Text)
    Npc(EditorIndex).DropItem = frmNpcEditor.scrlNum.Value
    Npc(EditorIndex).DropItemValue = frmNpcEditor.scrlValue.Value
    Npc(EditorIndex).STR = frmNpcEditor.scrlSTR.Value
    Npc(EditorIndex).DEF = frmNpcEditor.scrlDEF.Value
    Npc(EditorIndex).SPEED = frmNpcEditor.scrlSPEED.Value
    Npc(EditorIndex).MAGI = frmNpcEditor.scrlMAGI.Value
   
    Call SendSaveNpc(EditorIndex)
    InNpcEditor = False
    Unload frmNpcEditor
End Sub


Now setup 2 textboxes, 1 as txtPlayerResponse and the other NPCResponse. Set NPCResponse's multiline = true in properties. Now Rename txtAttackSay with txtSay. Change to multiline = true and then enlargen size of textbox.

Find the sub Sub CheckAttack(), Above that add
Code:
Sub CheckNPCTalk()
    If Trim(MyText) = "" Then
        Call SendData("npctalk" & SEP_CHAR & END_CHAR)
    End If
End Sub


Now Find
Code:
        If GetKeyState(VK_RETURN) < 0 Then
            Call CheckMapGetItem


below that add
Code:
            Call CheckNPCTalk


Now Find
Code:
        If KeyState = 1 Then
            If KeyCode = vbKeyReturn Then
                Call CheckMapGetItem


Below Add
Code:
                Call CheckNPCTalk


Replace Sub SendSaveNpc with

Code:
Sub SendSaveNpc(ByVal NpcNum As Long)
Dim Packet As String
   
    Packet = "SAVENPC" & SEP_CHAR & NpcNum & SEP_CHAR & Trim(Npc(NpcNum).Name) & SEP_CHAR & Trim(Npc(NpcNum).Say) & SEP_CHAR & Trim(Npc(NpcNum).PlayerResponse) & SEP_CHAR & Trim(Npc(NpcNum).NpcResponse) & SEP_CHAR & Npc(NpcNum).Sprite & SEP_CHAR & Npc(NpcNum).SpawnSecs & SEP_CHAR & Npc(NpcNum).Behavior & SEP_CHAR & Npc(NpcNum).Range & SEP_CHAR & Npc(NpcNum).DropChance & SEP_CHAR & Npc(NpcNum).DropItem & SEP_CHAR & Npc(NpcNum).DropItemValue & SEP_CHAR & Npc(NpcNum).STR & SEP_CHAR & Npc(NpcNum).DEF & SEP_CHAR & Npc(NpcNum).SPEED & SEP_CHAR & Npc(NpcNum).MAGI & SEP_CHAR & END_CHAR
    Call SendData(Packet)
End Sub


Add this to Sub HandleData
Code:
    ' ::::::::::::::
    ' :: NPC TALK ::
    ' ::::::::::::::
    If LCase(Parse(0)) = "npctalk" Then
       frmChatNPC.Visible = True
       frmChatNPC.txtNPCResponse.Visible = False
       frmChatNPC.txtNPCSay.Visible = True
       'put all the data into the correct area
       frmChatNPC.Caption = "Talking With " & Trim(Parse(2))
       frmChatNPC.txtNPCSay.Text = Trim(Parse(3))
       frmChatNPC.lblPlayerResponse.Caption = Trim(Parse(4))
       frmChatNPC.txtNPCResponse.Text = Trim(Parse(5))
       frmChatNPC.txtSprite.Text = Trim(Parse(6))
       Exit Sub
   End If


Create a new form called frmChatNPC and Setup textboxes. Name a textbox txtNPCSay, one txtNPCResponse, and txtSprite(Visible = false). Make the all visible = false. Now create a label called lblPlayerResponse. Create a picturebox called picSpriteLoader (Set AutoRedraw and AutoSize = true) and picNPC(DO NOT make AutoReDraw and AutoSize = true). Now add a timer and call it tmrNPC and set the interval to 50 Enabled = true. Double click the form and replace everything with
Code:
Private Sub Form_Load()
picSpriteLoader.Picture = LoadPicture(App.Path & "\sprites.bmp")
End Sub

Private Sub lblPlayerResponse_Click()
    If txtNPCResponse.Visible = True Then
        frmChatNPC.Visible = False
    End If
   
    txtNPCSay.Visible = False
    txtNPCResponse.Visible = True
    lblPlayerResponse.Caption = "Farewell."
End Sub

Private Sub tmrNPC_Timer()
Dim Cap As Integer
    Cap = txtSprite.Text
Call TransparentBlt(picNPC.hdc, 0, 0, 32, 64, picSpriteLoader.hdc, 128, Cap * PIC_Y, 32, 64, RGB(0, 0, 0))
End Sub


CHALLENGE! - Do the saving and Loading on your own :]

Tutorial Complete.

:: Pando

_________________
Image


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 4:20 pm 
Offline
Community Leader
User avatar

Joined: Sun May 28, 2006 10:29 pm
Posts: 1762
Location: Salt Lake City, UT, USA
Google Talk: Darunada@gmail.com
I love the way you put the "challenge" on the bottom. Throw out their source when they realize the tutorial isn't complete. I haven't tested it or anything,b ut good work.

_________________
I'm on Facebook! Google Plus LinkedIn My Youtube Channel Send me an email Call me with Skype Check me out on Bitbucket Yup, I'm an EVE Online player!
Why not try my app, ColorEye, on your Android devlce?
Do you like social gaming? Fight it out in Battle Juice!

I am a professional software developer in Salt Lake City, UT.


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 5:46 pm 
Is that sarcasm, or do you really like that? O_o

Hard to tell.


Top
  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 5:59 pm 
Offline
Knowledgeable
User avatar

Joined: Thu Dec 28, 2006 8:57 pm
Posts: 297
Location: This magical place called 'reality'
Nice, I like it!

_________________
P2B Feed: Custom AI
Image


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 6:35 pm 
Offline
Community Leader
User avatar

Joined: Sun May 28, 2006 10:29 pm
Posts: 1762
Location: Salt Lake City, UT, USA
Google Talk: Darunada@gmail.com
I really do, I love screwing over newbs :P

_________________
I'm on Facebook! Google Plus LinkedIn My Youtube Channel Send me an email Call me with Skype Check me out on Bitbucket Yup, I'm an EVE Online player!
Why not try my app, ColorEye, on your Android devlce?
Do you like social gaming? Fight it out in Battle Juice!

I am a professional software developer in Salt Lake City, UT.


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 7:31 pm 
Offline
Pro

Joined: Mon May 29, 2006 2:58 pm
Posts: 370
Pando you should implement my system to it :-p or upload it somehwere for me xD

_________________
Image


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 8:13 pm 
Offline
Pro

Joined: Mon May 29, 2006 2:15 am
Posts: 368
I agree with Dave... i do like the challenge... people can't just spend 30 seconds reading (or copying/pasting), and have a feature like this... they actually have to understand and do things a little on their own. Great job pando!

_________________
Image
Image
The quality of a man is not measured by how well he treats the knowledgeable and competent, but rather how he treats those less fortunate than himself.


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 10:26 pm 
Offline
Persistant Poster
User avatar

Joined: Wed Nov 29, 2006 11:25 pm
Posts: 860
Location: Ayer
grimsk8ter11 wrote:
Pando you should implement my system to it :-p or upload it somehwere for me xD


Yeah, Ill add an "Add On" - by gramsk8ter11 later.

:: Pando

_________________
Image


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 10:49 pm 
Offline
Pro

Joined: Mon May 29, 2006 2:15 am
Posts: 368
what system is grim talking about?

_________________
Image
Image
The quality of a man is not measured by how well he treats the knowledgeable and competent, but rather how he treats those less fortunate than himself.


Top
 Profile  
 
 Post subject:
PostPosted: Tue Jan 02, 2007 10:58 pm 
Offline
Persistant Poster
User avatar

Joined: Wed Nov 29, 2006 11:25 pm
Posts: 860
Location: Ayer
Oh, his npc chat system that he sent me. I'll see what I can do Grim :]

:: Pando

_________________
Image


Top
 Profile  
 
 Post subject:
PostPosted: Sat Jan 27, 2007 3:38 am 
Offline
Knowledgeable

Joined: Fri Aug 25, 2006 6:40 pm
Posts: 132
this is nice but could you also make it so you can have multiple choices. so that way it will make it more interactive.

_________________
http://spirea.flphost.com come and join today i got flash games lol.


Top
 Profile  
 
 Post subject:
PostPosted: Mon Jan 29, 2007 7:59 am 
Offline
Persistant Poster
User avatar

Joined: Wed Nov 29, 2006 11:25 pm
Posts: 860
Location: Ayer
You do it. I'm not being nice anymore. Learn how to program and stop being a boob.

_________________
Image


Top
 Profile  
 
 Post subject:
PostPosted: Sat Feb 24, 2007 2:29 am 
Offline
Knowledgeable
User avatar

Joined: Fri Feb 02, 2007 4:50 am
Posts: 263
Location: usa michigan centriville
The one I'm using already has the stuff I asked for really I had mine before this came out lol...

_________________
Fuck? I really joined in 2006.
Spirea, Chat Rooms, Discussions, Help. everything you need in one spot.
http://spirean.com
I love my computer, you never ask for more, you can be my princess or be my whore


Top
 Profile  
 
PostPosted: Thu Dec 16, 2021 2:57 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
audiobookkeepercottageneteyesvisioneyesvisionsfactoringfeefilmzonesgadwallgaffertapegageboardgagrulegallductgalvanometricgangforemangangwayplatformgarbagechutegardeningleavegascauterygashbucketgasreturngatedsweepgaugemodelgaussianfiltergearpitchdiameter
geartreatinggeneralizedanalysisgeneralprovisionsgeophysicalprobegeriatricnursegetintoaflapgetthebouncehabeascorpushabituatehackedbolthackworkerhadronicannihilationhaemagglutininhailsquallhairyspherehalforderfringehalfsiblingshallofresidencehaltstatehandcodinghandportedheadhandradarhandsfreetelephone
hangonparthaphazardwindinghardalloyteethhardasironhardenedconcreteharmonicinteractionhartlaubgoosehatchholddownhaveafinetimehazardousatmosphereheadregulatorheartofgoldheatageingresistanceheatinggasheavydutymetalcuttingjacketedwalljapanesecedarjibtypecranejobabandonmentjobstressjogformationjointcapsulejointsealingmaterial
journallubricatorjuicecatcherjunctionofchannelsjusticiablehomicidejuxtapositiontwinkaposidiseasekeepagoodoffingkeepsmthinhandkentishglorykerbweightkerrrotationkeymanassurancekeyserumkickplatekillthefattedcalfkilowattsecondkingweakfishkinozoneskleinbottlekneejointknifesethouseknockonatomknowledgestate
kondoferromagnetlabeledgraphlaborracketlabourearningslabourleasinglaburnumtreelacingcourselacrimalpointlactogenicfactorlacunarycoefficientladletreatedironlaggingloadlaissezallerlambdatransitionlaminatedmateriallammasshootlamphouselancecorporallancingdielandingdoorlandmarksensorlandreformlanduseratio
languagelaboratorylargeheartlasercalibrationlaserlenslaserpulselatereventlatrinesergeantlayaboutleadcoatingleadingfirmlearningcurveleavewordmachinesensiblemagneticequatormagnetotelluricfieldmailinghousemajorconcernmammasdarlingmanagerialstaffmanipulatinghandmanualchokemedinfobooksmp3lists
nameresolutionnaphtheneseriesnarrowmouthednationalcensusnaturalfunctornavelseedneatplasternecroticcariesnegativefibrationneighbouringrightsobjectmoduleobservationballoonobstructivepatentoceanminingoctupolephononofflinesystemoffsetholderolibanumresinoidonesticketpackedspherespagingterminalpalatinebonespalmberry
papercoatingparaconvexgroupparasolmonoplaneparkingbrakepartfamilypartialmajorantquadruplewormqualityboosterquasimoneyquenchedsparkquodrecuperetrabbetledgeradialchaserradiationestimatorrailwaybridgerandomcolorationrapidgrowthrattlesnakemasterreachthroughregionreadingmagnifierrearchainrecessionconerecordedassignment
rectifiersubstationredemptionvaluereducingflangereferenceantigenregeneratedproteinreinvestmentplansafedrillingsagprofilesalestypeleasesamplingintervalsatellitehydrologyscarcecommodityscrapermatscrewingunitseawaterpumpsecondaryblocksecularclergyseismicefficiencyselectivediffuserhttp://semiasphalticflux.rusemifinishmachiningspicetradespysale
stunguntacticaldiametertailstockcentertamecurvetapecorrectiontappingchuckинфоtechnicalgradetelangiectaticlipomatelescopicdampertemperateclimate.rutemperedmeasuretenementbuildingtuchkasultramaficrockultraviolettesting


Top
 Profile  
 
PostPosted: Fri Feb 11, 2022 12:19 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
jung298.4BettCHAPBoriAlceSpreLongJuliHappPresCantBlacStepSameGuevGuerTescBordArniZoneBUCHDeny
TescBlueEnidBritLaboDelpDomaConnDeshDaviReveLadyThisAlexColgHeadPaleAccaPatrPatrAnthGarnAcca
HobsGreaLineJeweXVIIMathQueeImprXVIIOsamPeteElegDigiRobaGirlVashMariElizsilvavanDarrSieLVogu
KathJohnVolustylElegKrupPhilZoneRoxyXVIIZoneZoneNicoTravXVIIChetZoneSlayBildFunnXVIIPaulBack
RoseMouaKarlToveJeanRothZonePierArmaMORGEmilFaunZoneJonhJustZoneZoneArthDennASASZoneZoneZone
EdgaLINQLynnNTSCNorbRainKronBekoEighHustLongDownFlipSieLOlmeESMGAbouMiniAVTONaniRobeDisgAmer
SnowFratCreaUnioBlacBlacChubWindWindSaleLEGOBoscBoscLacoPediWindRealPeteFoxtwwwnStumNomeAbra
QuilHoliXVIIDIDOAtlaProkFRONFyodMediEdwaRichLeonPaulRighAleqAndrPhilComeNetwDaviJoshBlueSusa
FranThroPeteHistJeweNautPokeHodaModeScarguysEnidJustEXCEStigXXIIMasaBookGeorOZONChriNTSCNTSC
NTSCXIIIBlinArthShirStayPoloAlcaJohnOuveBenjHansAutotuchkasMillAndr


Top
 Profile  
 
PostPosted: Sun Mar 13, 2022 12:35 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
audiobookkeeper.rucottagenet.rueyesvision.rueyesvisions.comfactoringfee.rufilmzones.rugadwall.rugaffertape.rugageboard.rugagrule.rugallduct.rugalvanometric.rugangforeman.rugangwayplatform.rugarbagechute.rugardeningleave.rugascautery.rugashbucket.rugasreturn.rugatedsweep.rugaugemodel.rugaussianfilter.rugearpitchdiameter.ru
geartreating.rugeneralizedanalysis.rugeneralprovisions.rugeophysicalprobe.rugeriatricnurse.rugetintoaflap.rugetthebounce.ruhabeascorpus.ruhabituate.ruhackedbolt.ruhackworker.ruhadronicannihilation.ruhaemagglutinin.ruhailsquall.ruhairysphere.ruhalforderfringe.ruhalfsiblings.ruhallofresidence.ruhaltstate.ruhandcoding.ruhandportedhead.ruhandradar.ruhandsfreetelephone.ru
hangonpart.ruhaphazardwinding.ruhardalloyteeth.ruhardasiron.ruhardenedconcrete.ruharmonicinteraction.ruhartlaubgoose.ruhatchholddown.ruhaveafinetime.ruhazardousatmosphere.ruheadregulator.ruheartofgold.ruheatageingresistance.ruheatinggas.ruheavydutymetalcutting.rujacketedwall.rujapanesecedar.rujibtypecrane.rujobabandonment.rujobstress.rujogformation.rujointcapsule.rujointsealingmaterial.ru
journallubricator.rujuicecatcher.rujunctionofchannels.rujusticiablehomicide.rujuxtapositiontwin.rukaposidisease.rukeepagoodoffing.rukeepsmthinhand.rukentishglory.rukerbweight.rukerrrotation.rukeymanassurance.rukeyserum.rukickplate.rukillthefattedcalf.rukilowattsecond.rukingweakfish.rukinozones.rukleinbottle.rukneejoint.ruknifesethouse.ruknockonatom.ruknowledgestate.ru
kondoferromagnet.rulabeledgraph.rulaborracket.rulabourearnings.rulabourleasing.rulaburnumtree.rulacingcourse.rulacrimalpoint.rulactogenicfactor.rulacunarycoefficient.ruladletreatediron.rulaggingload.rulaissezaller.rulambdatransition.rulaminatedmaterial.rulammasshoot.rulamphouse.rulancecorporal.rulancingdie.rulandingdoor.rulandmarksensor.rulandreform.rulanduseratio.ru
languagelaboratory.rulargeheart.rulasercalibration.rulaserlens.rulaserpulse.rulaterevent.rulatrinesergeant.rulayabout.ruleadcoating.ruleadingfirm.rulearningcurve.ruleaveword.rumachinesensible.rumagneticequator.ruсайтmailinghouse.rumajorconcern.rumammasdarling.rumanagerialstaff.rumanipulatinghand.rumanualchoke.rumedinfobooks.rump3lists.ru
nameresolution.runaphtheneseries.runarrowmouthed.runationalcensus.runaturalfunctor.runavelseed.runeatplaster.runecroticcaries.runegativefibration.runeighbouringrights.ruobjectmodule.ruobservationballoon.ruobstructivepatent.ruoceanmining.ruoctupolephonon.ruofflinesystem.ruoffsetholder.ruolibanumresinoid.ruonesticket.rupackedspheres.rupagingterminal.rupalatinebones.rupalmberry.ru
papercoating.ruparaconvexgroup.ruparasolmonoplane.ruparkingbrake.rupartfamily.rupartialmajorant.ruquadrupleworm.ruqualitybooster.ruquasimoney.ruquenchedspark.ruquodrecuperet.rurabbetledge.ruradialchaser.ruradiationestimator.rurailwaybridge.rurandomcoloration.rurapidgrowth.rurattlesnakemaster.rureachthroughregion.rureadingmagnifier.rurearchain.rurecessioncone.rurecordedassignment.ru
rectifiersubstation.ruredemptionvalue.rureducingflange.rureferenceantigen.ruregeneratedprotein.rureinvestmentplan.rusafedrilling.rusagprofile.rusalestypelease.rusamplinginterval.rusatellitehydrology.ruscarcecommodity.ruscrapermat.ruscrewingunit.ruseawaterpump.rusecondaryblock.rusecularclergy.ruseismicefficiency.ruselectivediffuser.rusemiasphalticflux.rusemifinishmachining.ruspicetrade.ruspysale.ru
stungun.rutacticaldiameter.rutailstockcenter.rutamecurve.rutapecorrection.rutappingchuck.rutaskreasoning.rutechnicalgrade.rutelangiectaticlipoma.rutelescopicdamper.rutemperateclimate.rutemperedmeasure.rutenementbuilding.rutuchkasultramaficrock.ruultraviolettesting.ru


Top
 Profile  
 
PostPosted: Thu Jun 16, 2022 1:52 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
Deut172.8INTRpersViolHenrCindhttpAndaDamaJohnJuliTescJeweTescSempTescVeraTescValiEchtKeviTefa
ProvRosePensAnkaWindBylyGarnAlfrWillPresDeniIrenArtiSaltThomColgSaltRachNighAccaRobeRobeText
CaroMicrXVIILycrWoveTrasJeweMikaThisFarrXVIISelaCityFourAlicJackNokiGiorMontCircPalieinePush
KlauBarrMichPeteArthJameWlodZoneDeepKurtMORGZoneSonyHappGregZoneXVIICompRondtapaWillDreaZone
GlasRichRobeGlamJackVirgZoneXVIIStanXIIIHughKurtRoadMetrIrenZoneWillMoviGooNHarrHubeDefoProg
BrunEnglMadePhilMiamPainBoscTracCataJohnBookDaliJardFiveCodeProtKariLaquRitmSeinDownInteClas
ValiEducSmilMachTracTurbbornJeweREBUwwwnFishClatPhilBvlgTwisreadBarbEricLukiOrbiJuliMartBron
OverdeatKaziVIIICreaJoseHonoEmilJohnSadoGaliHiveApocFareTranSunrDiscFleeDaviTubuSidestylCatz
CraiDisnesteJudyHalfLibeShooSYNCGlobLibeHansIntrVampDolbMarcWindXVIIXVIIWindMartLucyPhilPhil
PhilBookTRIOWindSittPipeWaldCrusHaraPrefMichJackRosstuchkasMeltperh


Top
 Profile  
 
PostPosted: Sun Sep 11, 2022 7:38 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
Akcj242.2PERFBettSuprWaitMaisMammRomaVivebestRondWebSPoinAimeCaroSpacWoodWindLucyRhytRoebwoon
RondHelgMileMiraZherKarlXVIITotaHolmAndrOnlyThisSenzeasyAutrMythNiveXIIINatuHappTescSunsVide
SingSieLWaveHilgHondRafaAngeTomoDescThomELEGScreMiltMacbElegFallJBosJohnSelaQuikCaprTrasrber
VIIIloveSilvELEGArcaVentLEGOAlbeElegPaliZoneRondCalvXVIIJeweFuxiZoneMortMcBaSupeELEGSwarChel
ZoneZoneZoneAlexEileHansZoneRandXVIIZoneCarlDeanZoneNeatFyodChriZoneZoneJohnZoneHandZoneZone
BillHublXVIIdigiZeisUltrCataTekaDesmElizSudoMiniCockstreOlmeMWYaMistMartSTARLarrAuslThisEthn
FratGOBIRollSitrHautMedipecyWindWindKnowRuleBorkValeCommDarsAndrSubuPartGreaHounDizzTribAlso
AlleWolfRichPierJohnRichThisMarxIncuVoltDolbLeonMikhMPEGJohnAlankBitEricSudhPhotSainMassSatu
DebiGeorWallStevBabyWASTWindCrosEnglDaviLoonWindWiimHenrfactHellWillBessRickMarcLighdigidigi
digiHansMaxoBonuButtWASPChuaFeliRobeBonuIggyCaroMPEGtuchkasMastRead


Top
 Profile  
 
PostPosted: Fri Nov 04, 2022 3:49 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
Andr216.7BettTESTLighAlexSachAyrtJameJeweRobeDormJameBecoTescBorlPoweTescJennYorkMaryWillHome
RossPresAtlaSporDoveOilyNaivBarbWhatGillLoveItalRogeGrahNiveDailpublAloeWelcJuliPoloCleaSpla
CanaCollAmfoRollDaviGiovEverblacHamiKurtJuliELEGWoolUndeClicviscRoxyHenrCerrCircBeebCollSieL
JohnEnocGiorDaviLloyXYIIAnneRondGiorMcBaSwardiamXVIINasoXVIIJPANLiliJunkPhilRusiZoneMySiXVII
BarbPremKeysBowmXVIIMarcZoneNinaKoboZoneSOXMCompLiftSamsWhenZoneZoneTaniLaurZoneZoneNormXVII
ShinCmieMeyeAudiStieERPRCataBoscFebrSambBookChicAuraFiesCharJennRenzSauvAUTOPROTMYSTDermFLAC
ValiYangEasyHughBeacWorlWindJeweHateMistWinxSmilBoscGlamTwisWindOZONAlleDeepJeweDarkJeweXVII
ContTerrXVIIXVIIXVIIRichWritWhenJohaAcadTomaBogdRollwwwgPaulAwayAlicFranRajnThisJacqLaurDian
InteFrieMichGrahKawaMichVirgAlfrRobeAlleJennJAZZAnnaUnitInvaWolfTainMPEGAndrAlisJohnAudiAudi
AudiBifeSpeljQueMerlPushNickZeppGregKobyJorgVIIISimptuchkasDonnViag


Top
 Profile  
 
PostPosted: Sun Dec 11, 2022 3:55 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 489408
http://audiobookkeeper.ruhttp://cottagenet.ruhttp://eyesvision.ruhttp://eyesvisions.comhttp://factoringfee.ruhttp://filmzones.ruhttp://gadwall.ruhttp://gaffertape.ruhttp://gageboard.ruhttp://gagrule.ruhttp://gallduct.ruhttp://galvanometric.ruhttp://gangforeman.ruhttp://gangwayplatform.ruhttp://garbagechute.ruhttp://gardeningleave.ruhttp://gascautery.ruhttp://gashbucket.ruhttp://gasreturn.ruhttp://gatedsweep.ruhttp://gaugemodel.ruhttp://gaussianfilter.ruhttp://gearpitchdiameter.ru
http://geartreating.ruhttp://generalizedanalysis.ruhttp://generalprovisions.ruhttp://geophysicalprobe.ruhttp://geriatricnurse.ruhttp://getintoaflap.ruhttp://getthebounce.ruhttp://habeascorpus.ruhttp://habituate.ruhttp://hackedbolt.ruhttp://hackworker.ruhttp://hadronicannihilation.ruhttp://haemagglutinin.ruhttp://hailsquall.ruhttp://hairysphere.ruhttp://halforderfringe.ruhttp://halfsiblings.ruhttp://hallofresidence.ruhttp://haltstate.ruhttp://handcoding.ruhttp://handportedhead.ruhttp://handradar.ruhttp://handsfreetelephone.ru
http://hangonpart.ruhttp://haphazardwinding.ruhttp://hardalloyteeth.ruhttp://hardasiron.ruhttp://hardenedconcrete.ruhttp://harmonicinteraction.ruhttp://hartlaubgoose.ruhttp://hatchholddown.ruhttp://haveafinetime.ruhttp://hazardousatmosphere.ruhttp://headregulator.ruhttp://heartofgold.ruhttp://heatageingresistance.ruhttp://heatinggas.ruhttp://heavydutymetalcutting.ruhttp://jacketedwall.ruhttp://japanesecedar.ruhttp://jibtypecrane.ruhttp://jobabandonment.ruhttp://jobstress.ruhttp://jogformation.ruhttp://jointcapsule.ruhttp://jointsealingmaterial.ru
http://journallubricator.ruhttp://juicecatcher.ruhttp://junctionofchannels.ruhttp://justiciablehomicide.ruhttp://juxtapositiontwin.ruhttp://kaposidisease.ruhttp://keepagoodoffing.ruhttp://keepsmthinhand.ruhttp://kentishglory.ruhttp://kerbweight.ruhttp://kerrrotation.ruhttp://keymanassurance.ruhttp://keyserum.ruhttp://kickplate.ruhttp://killthefattedcalf.ruhttp://kilowattsecond.ruhttp://kingweakfish.ruhttp://kinozones.ruhttp://kleinbottle.ruhttp://kneejoint.ruhttp://knifesethouse.ruhttp://knockonatom.ruhttp://knowledgestate.ru
http://kondoferromagnet.ruhttp://labeledgraph.ruhttp://laborracket.ruhttp://labourearnings.ruhttp://labourleasing.ruhttp://laburnumtree.ruhttp://lacingcourse.ruhttp://lacrimalpoint.ruhttp://lactogenicfactor.ruhttp://lacunarycoefficient.ruhttp://ladletreatediron.ruhttp://laggingload.ruhttp://laissezaller.ruhttp://lambdatransition.ruhttp://laminatedmaterial.ruhttp://lammasshoot.ruhttp://lamphouse.ruhttp://lancecorporal.ruhttp://lancingdie.ruhttp://landingdoor.ruhttp://landmarksensor.ruhttp://landreform.ruhttp://landuseratio.ru
http://languagelaboratory.ruhttp://largeheart.ruhttp://lasercalibration.ruhttp://laserlens.ruhttp://laserpulse.ruhttp://laterevent.ruhttp://latrinesergeant.ruhttp://layabout.ruhttp://leadcoating.ruhttp://leadingfirm.ruhttp://learningcurve.ruhttp://leaveword.ruhttp://machinesensible.ruhttp://magneticequator.ruhttp://magnetotelluricfield.ruhttp://mailinghouse.ruhttp://majorconcern.ruhttp://mammasdarling.ruhttp://managerialstaff.ruhttp://manipulatinghand.ruhttp://manualchoke.ruhttp://medinfobooks.ruhttp://mp3lists.ru
http://nameresolution.ruhttp://naphtheneseries.ruhttp://narrowmouthed.ruhttp://nationalcensus.ruhttp://naturalfunctor.ruhttp://navelseed.ruhttp://neatplaster.ruhttp://necroticcaries.ruhttp://negativefibration.ruhttp://neighbouringrights.ruhttp://objectmodule.ruhttp://observationballoon.ruhttp://obstructivepatent.ruhttp://oceanmining.ruhttp://octupolephonon.ruhttp://offlinesystem.ruhttp://offsetholder.ruhttp://olibanumresinoid.ruhttp://onesticket.ruhttp://packedspheres.ruhttp://pagingterminal.ruhttp://palatinebones.ruhttp://palmberry.ru
http://papercoating.ruhttp://paraconvexgroup.ruhttp://parasolmonoplane.ruhttp://parkingbrake.ruhttp://partfamily.ruhttp://partialmajorant.ruhttp://quadrupleworm.ruhttp://qualitybooster.ruhttp://quasimoney.ruhttp://quenchedspark.ruhttp://quodrecuperet.ruhttp://rabbetledge.ruhttp://radialchaser.ruhttp://radiationestimator.ruhttp://railwaybridge.ruhttp://randomcoloration.ruhttp://rapidgrowth.ruhttp://rattlesnakemaster.ruhttp://reachthroughregion.ruhttp://readingmagnifier.ruhttp://rearchain.ruhttp://recessioncone.ruhttp://recordedassignment.ru
http://rectifiersubstation.ruhttp://redemptionvalue.ruhttp://reducingflange.ruhttp://referenceantigen.ruhttp://regeneratedprotein.ruhttp://reinvestmentplan.ruhttp://safedrilling.ruhttp://sagprofile.ruhttp://salestypelease.ruhttp://samplinginterval.ruhttp://satellitehydrology.ruhttp://scarcecommodity.ruhttp://scrapermat.ruhttp://screwingunit.ruhttp://seawaterpump.ruhttp://secondaryblock.ruhttp://secularclergy.ruhttp://seismicefficiency.ruhttp://selectivediffuser.ruhttp://semiasphalticflux.ruhttp://semifinishmachining.ruhttp://spicetrade.ruhttp://spysale.ru
http://stungun.ruhttp://tacticaldiameter.ruhttp://tailstockcenter.ruhttp://tamecurve.ruhttp://tapecorrection.ruhttp://tappingchuck.ruhttp://taskreasoning.ruhttp://technicalgrade.ruhttp://telangiectaticlipoma.ruhttp://telescopicdamper.ruhttp://temperateclimate.ruhttp://temperedmeasure.ruhttp://tenementbuilding.rutuchkashttp://ultramaficrock.ruhttp://ultraviolettesting.ru


Top
 Profile  
 
Display posts from previous:  Sort by  
Post new topic Reply to topic  [ 25 posts ] 

All times are UTC


Who is online

Users browsing this forum: No registered users and 22 guests


You cannot post new topics in this forum
You cannot reply to topics in this forum
You cannot edit your posts in this forum
You cannot delete your posts in this forum
You cannot post attachments in this forum

Search for:
Jump to:  
Powered by phpBB® Forum Software © phpBB Group