Mirage Source

Free ORPG making software.
It is currently Fri Apr 19, 2024 4:27 pm

All times are UTC




Post new topic Reply to topic  [ 27 posts ]  Go to page 1, 2  Next
Author Message
 Post subject: Replace$ error
PostPosted: Tue Feb 24, 2009 10:35 pm 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
well, obviously i've been away from MS/VB6 for a while, and i wanted to make a quick simple encryption program in VB, which just advanced the ASCII characters by a certain amount. However i have gotten an error.

Code:
Private Sub cmdEncrypt_Click()
Message = txtInput.Text
Dim EncryptedMsg As String
Dim checknum As Long
checknum = Rand(1, 9)
For i = 0 To 255
    EncryptedMsg = Replace$(Message, Chr(i), Chr(i + checknum))
Next i

txtOutput.Text = EncryptedMsg

End Sub

Function Rand(ByVal Low As Integer, ByVal High As Integer) As Integer
    Randomize
    Rand = ((High - Low + 1) * Rnd) + Low
End Function


i get a run-time error 5: invalid procedure call or argument, and highlights this line

Code:
    EncryptedMsg = Replace$(Message, Chr(i), Chr(i + checknum))


thanks,
-Pb


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 12:31 am 
Offline
Pro
User avatar

Joined: Wed Jun 07, 2006 8:04 pm
Posts: 464
Location: MI
Google Talk: asrrin29@gmail.com
If you have a character whose ASCII code is close to the end, adding numbers to the Chr function might cause it to error. try throwing a check in their to reset Chr() from 0 if it reaches the end of the code list.

_________________
Image
Image


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 12:58 am 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
hmph, well i kinda got it to work, it doesn't give me an error anymore, however the displayed text is...not text?

Code:
Private Sub cmdEncrypt_Click()
Message = txtInput.Text
Dim EncryptedMsg As String
Dim checknum As Long
checknum = Rand(1, 9)
For i = 0 To 255
    If i + checknum <= 255 Then
    Message = Replace$(Message, Chr(i), Chr(i + 2))
    Else
    Message = Replace$(Message, Chr(i), Chr(0 + ((255 - i) + 2)))
    End If
Next i

txtOutput.Text = Message

End Sub


Attachments:
pbgen.PNG
pbgen.PNG [ 5.12 KiB | Viewed 6443 times ]
Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 1:33 am 
Offline
Pro
User avatar

Joined: Mon May 29, 2006 3:26 pm
Posts: 493
Location: São Paulo, Brasil
Google Talk: blackagesbr@gmail.com
Dont use an if. Use Mod operator:
Code:
    If i + checknum <= 255 Then
    Message = Replace$(Message, Chr(i), Chr(i + 2))
    Else
    Message = Replace$(Message, Chr(i), Chr(0 + ((255 - i) + 2)))
    End If


becomes
Code:
    Message = Replace$(Message, Chr(i), Chr((i + 2) Mod 256))


(Mod 256) range is 0 - 255
:D

_________________
http://www.blackages.com.br
Image
Dave wrote:
GameBoy wrote:
www.FreeMoney.com
I admit I clicked. I immediately closed upon realizing there was, in fact, no free money.
Robin wrote:
I love you and your computer.Marry me.


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 1:36 am 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
hmm, i've never seen that before...

tried it, still didn't work, actually kinda made it worse, now i just get one NULL character instead of at least the same amount. :S


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 2:40 am 
Offline
Knowledgeable
User avatar

Joined: Sat Jun 09, 2007 3:16 am
Posts: 276
Right before a "message =" put msgbox chr(i) just to see what character it's on.

_________________
Image
Island of Lost Souls wrote:
Dr. Moreau: Mr. Parker, do you know what it means to feel like God?


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 1:05 pm 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
hmph, i ran that, and remembered that several of the beginning "characters" are NULL, so i changed the for loop variables, and tried it, all i got was "#"#"# repeating for the amount of characters i put in.

so i took out the if, then all i got was €€€€€€€€€€€€€

note: i had put in "abcdefghijklmnopqrstuvwxyz"
Code:
Private Sub cmdEncrypt_Click()
Message = txtInput.Text
Dim EncryptedMsg As String
Dim checknum As Long
checknum = Rand(1, 9)
For i = 32 To 126
    'If i + 2 <= 126 Then
    Message = Replace$(Message, Chr(i), Chr(i + 2))
    'Else
    'Message = Replace$(Message, Chr(i), Chr(32 + ((126 - i) + 2)))
    'End If
Next i

txtOutput.Text = Message

End Sub


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 8:34 pm 
Offline
Knowledgeable
User avatar

Joined: Sat Jun 09, 2007 3:16 am
Posts: 276
What are EncryptedMsg and checknum doing in that sub anyway?

_________________
Image
Island of Lost Souls wrote:
Dr. Moreau: Mr. Parker, do you know what it means to feel like God?


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 10:15 pm 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
well they had been in there prior for part of the encrypting, however i was doing some debugging and took them out for the time being.


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Feb 25, 2009 11:03 pm 
Offline
Knowledgeable
User avatar

Joined: Sat Jun 09, 2007 3:16 am
Posts: 276
Change
Code:
For i = 32 To 126
to
Code:
For i = 65 To 90

You should understand that to do from there.

_________________
Image
Island of Lost Souls wrote:
Dr. Moreau: Mr. Parker, do you know what it means to feel like God?


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Thu Feb 26, 2009 12:47 pm 
Offline
Pro
User avatar

Joined: Mon May 29, 2006 3:26 pm
Posts: 493
Location: São Paulo, Brasil
Google Talk: blackagesbr@gmail.com
Actually, make it
Code:
For i = 0 To 255

And use mod operator, it's just easier.

@Egon:
If you use anything else than the above, you will be subject to errors when decrypting.

_________________
http://www.blackages.com.br
Image
Dave wrote:
GameBoy wrote:
www.FreeMoney.com
I admit I clicked. I immediately closed upon realizing there was, in fact, no free money.
Robin wrote:
I love you and your computer.Marry me.


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Thu Feb 26, 2009 1:03 pm 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
alright, and i just kinda realized why i was only getting 2 different characters in the final string, i was adding/replacing in the same string, so the replace command was replacing characters it had just previously replaced. And now i remember why i had the encryptedmsg in there :)

edit: hmph, alright i tried it, and it came up with a type mismatch error

Code:
Private Sub cmdEncrypt_Click()
Message = txtInput.Text
Dim EncryptedMsg As String
Dim checknum As Long
checknum = Rand(1, 9)

For i = 0 To 255
    'If i + 2 <= 255 Then
    Message = Replace$(Message, Chr(i), Chr(i + 2) Mod (255))
    'Else
    'EncryptedMsg = Replace$(Message, Chr(i), Chr(0 + ((255 - i) + 2)))
    'End If
Next i

txtOutput.Text = Message

End Sub


at the like with Mod in it, im not sure where the mismatch is, and right now unfortunately i don't have time to look for it :S


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Fri Feb 27, 2009 12:50 am 
Offline
Pro
User avatar

Joined: Mon May 29, 2006 3:26 pm
Posts: 493
Location: São Paulo, Brasil
Google Talk: blackagesbr@gmail.com
Message = Replace$(Message, Chr(i), Chr((i + 2) Mod (255)))
Would be more correct.
And well, you will always get a fucked up string... You can't use the semi-encrypted string to replace, you need a backup, but actually even that will not work. You need to replace each character...
Here is the working function:
Code:
Dim checknum As Long
Dim i As Long
Randomize
checknum = Int((9 * Rnd) + 1)

txtOutput.Text = ""

For i = 1 To Len(txtInput.Text)
    txtOutput.Text = txtOutput.Text & Chr((Asc(Mid(txtInput.Text, i, 1)) + checknum) Mod 256)
Next i

_________________
http://www.blackages.com.br
Image
Dave wrote:
GameBoy wrote:
www.FreeMoney.com
I admit I clicked. I immediately closed upon realizing there was, in fact, no free money.
Robin wrote:
I love you and your computer.Marry me.


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Fri Feb 27, 2009 1:14 am 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
heh, nice i didn't think of that :oops:

lol, thanks a bunch!


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Fri Feb 27, 2009 1:35 am 
Offline
Pro
User avatar

Joined: Tue Apr 22, 2008 2:15 am
Posts: 597
ok full working program and source for anyway who wants it, albeit it's defenatly not very advanced or anything, it can be kinda fun :)


Attachments:
PB Gen.zip [5.97 KiB]
Downloaded 259 times
Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Tue Dec 14, 2021 1:55 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
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.rumagnetotelluricfield.rumailinghouse.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.ruсайтsemifinishmachining.ruspicetrade.ruspysale.ru
stungun.rutacticaldiameter.rutailstockcenter.rutamecurve.rutapecorrection.rutappingchuck.rutaskreasoningtechnicalgrade.rutelangiectaticlipoma.rutelescopicdamper.ruhttp://temperateclimate.rutemperedmeasure.rutenementbuilding.rutuchkasultramaficrock.ruultraviolettesting.ru


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Thu Feb 10, 2022 2:52 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
Lawr153.1BateBettAckaErneRafaBazaManuVoudWindVisiHenrSimoNoblXVIIRoseTescCathAtlaWaltAlexMonk
SommQuakTescTescDiadCarlWhenSweeSlimBrutAtteCowbXVIIFranKamiHeadFreeNinaAhavGreeTescLaboAise
RadiPushAntaMacaBordVoguPhilElegXVIIFiskJennJameOmsaGarcCircLookRoxylairNikiAdioWillVoguJuli
XVIIPoulFeliXVIICircAndrDonaRondKidsPoulSwarZoneLuisWindAsboGHOSZoneSoloTimoJameMarglunaAnno
EmilCurtcaroRiccLukaMinkdiamVishXVIIZonePichRabbZoneLymaNadiZonediamHeleSharLapiWhenZoneZone
BriaPariSingPionMiamCarpLiebAgneBookToyoPleoBabyOlmeChicXvidBossChilActiARAGLanzAlbedjvuJazz
zeroAmerSongEvanSaraWarhSylvWindWindWindAcerDeLoWinxQueeYarrUltiBabyWindwwwnWhatStolRETASams
NighMichBriaForeGordHowaWhatJackHenrKeviMicrBestBeevRockIvanAlanRussHenrJOVIRussRobeInteCatz
AnnaBriaMichJohnBirtJurgRichXVIIBerntrueSureVIIIRadiWidoLuulwwweJohaDebiRussMPEGWindPionPion
PionMatiDISCEricLoveOverGaryEdgakaraFuntHanaDolphelmtuchkasSandTops


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Sat Mar 12, 2022 2:29 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
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.ruинфоhttp://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  
 
 Post subject: Re: Replace$ error
PostPosted: Wed Jun 15, 2022 3:43 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
Coll370.2BettCHAPKamuEnniRajkVoceChaiWhisWaleOperGoodCryoMarvNormJerzConsTescBrazZoneNextStef
TescDekoHighPoinKissRexoCredLiveGeorPatrAgatTravAlexAloeGezaColgDolcOreaNiveAloeOscaLoveBrea
ProsWindSalvSunnAmarDescRighMammRobeToscSkopEhreLamaXVIINichKathwwwkStepRoxyNikiElegJeweSide
BillPoulXVIIPhilXIIIGuilGustZoneWitoEricFredScotSonyLapiZoneZoneRobiVIIIMiyoZoneAndrPandZone
MasaRobeZoneNasoRobeAlbeLucyWormSimoDaiwSiddMartFilmConnMerrIrviLittCarlMichSideXVIIAnneStan
SympXXIIDearCMOSThomIMAPKaisKatsBookWindJoinAmebFiesNirvMistJennJardMatiwwwnStevLastinvaFunk
XboxRussFaunIndiGeorHellIRONAdobWindWindLEGOsupeCastCommFresSimmYourTracAlicGlenTrasPartSpli
JeweAgatDaviXVIIVickGordSideEnglWaltMixewwwrLeonXVIIThosJerrYevgBandWhenVinyIronCarrInteCred
BlutRobeJaimMartNickMounloveStevBernRobeGrowUndeGregBillRebeMiloSigmAloeAdobDeboAlanCMOSCMOS
CMOSSonyMertTearAtenAlfrFreaCodeFionTakaPetrDismFyodtuchkasGainFran


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Sat Sep 10, 2022 9:21 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
Doct221.4consReprCommIstvBoysSoulPledPiraErleTescJeweHusePlacIsisAnniTescRabbEcliEigeAlanAlic
DekoMoreJackKissZherRichMargStinSuprNancXVIIReadRobeJuanAustRexoPalmFiskLotuZyliTescShamPons
HansKiriGrimWiseSigmGeorAlanChriJohnKeynMODOELEGPushPaliCircSelaMacbRobeSelaSelaRafaSieLCami
BlueJoseFeliBrixMariElegVictZoneFallAdioZoneZoneWeniPaulAndrFuxiZoneballHonoMileBillZonePani
MalcZoneZonediamJameHaroZoneZoneZoneMORGLouiZoneZoneLouiZoneZoneZoneZoneZoneABQSZoneZoneZone
ZoneEcarRiroSECASamsSamsLiebCourBookSupeGlamDisnClasChicRenzZENIMistFALCARAGwwwnExceLimbJazz
MEREGOBIRaveSingGreaSecuProjwwwaWindWindClowTefaChouCafeRoyaEuriHappIntePartStewXVIIMonkHarr
SonnChilHowaOsenXVIILongVictEmilAlanMartBertDschThinJavaHeavcdnaGeneAEROJennInteInteHomoBlac
WordKellPoweNortPhilBodyFonkTeleAgeiJacqLegeLastStonXVIIBuilLuciAndrDisnPatrXVIIRichSECASECA
SECAEtieGabyAthaPackIronMopeDESTMagnJillSkypNoteBryatuchkasWindJust


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Thu Nov 03, 2022 6:31 pm 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
rich92.67BettBettCafeMichChilMikeWhitPapuBigbZyliRondKersTescKareMichAnneMariTescChinRichAMBA
TescCurvSapoTescMavaDiadPSNASereIntreyelDeepTombNeckInteNiveSpicNiveAccaGillVIIIWillExpeFriz
FyodBillIntoTrasMutaXIIIDejasilvSusaSoftLafaOsirBookPaulErviNikiSoulSergRevoAtikBillFrieGrou
LeftEllaGabrGoinJohnBlanJerrZoneHiroChriChetZoneHelmNasoPaulHappZoneXVIIZoneHappZonePeteZone
TerrSlimPercRamoGammTaylZoneAlaiHoriRHZAJaviHenrVictFighGrahholyChetHuskDaydMicrWillMichWill
IngedireVictCMOSBSCoServSCARBodyBookCarlShawJoseSoutChicGiglExpeWoodPariARAGMasqAnniDictJazz
BathConnTrefSoutMOXIRalpBeetTeacTeLLWindCHARValeWinxDreaqMonWindJingPoweJereNavyWatcBlueFlam
SideWhatLudwYMCAJohnLundFyodXVIIAcadMotoGaliOksaAutoSkitBangCreaLostWattLeonlastDucaDaviSigm
DigiFinaAdriStevRhapIntrCullLindMichDaveWillEmilTokiFyodStepbonuWindExceRickDaviQBasCMOSCMOS
CMOSCottFunkPeteDaisWinxBuddNortseriPresGabrWilfFrontuchkasJessAris


Top
 Profile  
 
 Post subject: Re: Replace$ error
PostPosted: Sat Dec 10, 2022 12:19 am 
Online
Mirage Source Lover

Joined: Sun Jul 04, 2021 4:04 am
Posts: 479256
audiobookkeepercottageneteyesvisioneyesvisionsfactoringfeefilmzonesgadwallgaffertapegageboardgagrulegallductgalvanometricgangforemangangwayplatformgarbagechutegardeningleavegascauterygashbucketgasreturngatedsweepgaugemodelgaussianfiltergearpitchdiameter
geartreatinggeneralizedanalysisgeneralprovisionsgeophysicalprobegeriatricnursegetintoaflapgetthebouncehabeascorpushabituatehackedbolthackworkerhadronicannihilationhaemagglutininhailsquallhairyspherehalforderfringehalfsiblingshallofresidencehaltstatehandcodinghandportedheadhandradarhandsfreetelephone
hangonparthaphazardwindinghardalloyteethhardasironhardenedconcreteharmonicinteractionhartlaubgoosehatchholddownhaveafinetimehazardousatmosphereheadregulatorheartofgoldheatageingresistanceheatinggasheavydutymetalcuttingjacketedwalljapanesecedarjibtypecranejobabandonmentjobstressjogformationjointcapsulejointsealingmaterial
journallubricatorjuicecatcherjunctionofchannelsjusticiablehomicidejuxtapositiontwinkaposidiseasekeepagoodoffingkeepsmthinhandkentishglorykerbweightkerrrotationkeymanassurancekeyserumkickplatekillthefattedcalfkilowattsecondkingweakfishkinozoneskleinbottlekneejointknifesethouseknockonatomknowledgestate
kondoferromagnetlabeledgraphlaborracketlabourearningslabourleasinglaburnumtreelacingcourselacrimalpointlactogenicfactorlacunarycoefficientladletreatedironlaggingloadlaissezallerlambdatransitionlaminatedmateriallammasshootlamphouselancecorporallancingdielandingdoorlandmarksensorlandreformlanduseratio
languagelaboratorylargeheartlasercalibrationlaserlenslaserpulselatereventlatrinesergeantlayaboutleadcoatingleadingfirmlearningcurveleavewordmachinesensiblemagneticequatormagnetotelluricfieldmailinghousemajorconcernmammasdarlingmanagerialstaffmanipulatinghandmanualchokemedinfobooksmp3lists
nameresolutionnaphtheneseriesnarrowmouthednationalcensusnaturalfunctornavelseedneatplasternecroticcariesnegativefibrationneighbouringrightsobjectmoduleobservationballoonobstructivepatentoceanminingoctupolephononofflinesystemoffsetholderolibanumresinoidonesticketpackedspherespagingterminalpalatinebonespalmberry
papercoatingparaconvexgroupparasolmonoplaneparkingbrakepartfamilypartialmajorantquadruplewormqualityboosterquasimoneyquenchedsparkquodrecuperetrabbetledgeradialchaserradiationestimatorrailwaybridgerandomcolorationrapidgrowthrattlesnakemasterreachthroughregionreadingmagnifierrearchainrecessionconerecordedassignment
rectifiersubstationredemptionvaluereducingflangereferenceantigenregeneratedproteinreinvestmentplansafedrillingsagprofilesalestypeleasesamplingintervalsatellitehydrologyscarcecommodityscrapermatscrewingunitseawaterpumpsecondaryblocksecularclergyseismicefficiencyselectivediffusersemiasphalticfluxsemifinishmachiningspicetradespysale
stunguntacticaldiametertailstockcentertamecurvetapecorrectiontappingchucktaskreasoningtechnicalgradetelangiectaticlipomatelescopicdampertemperateclimatetemperedmeasuretenementbuildingtuchkasultramaficrockultraviolettesting


Top
 Profile  
 
Display posts from previous:  Sort by  
Post new topic Reply to topic  [ 27 posts ]  Go to page 1, 2  Next

All times are UTC


Who is online

Users browsing this forum: No registered users and 14 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:  
cron
Powered by phpBB® Forum Software © phpBB Group