Jump to content

Recommended Posts

Posted (edited)

But well since you explained you see it as a "error" and not an "exception" (so far it's called NullPointerException, not NullPointerError :D), what you say is correct, for yourself. If you seek on the internet the "standard" behavior, however, it's not that. After it's personal preferences, personally when I see a null I drop it, it remembers me the dark age of L2JIL where everything was tested using null, even if not needed ; so you were losing tracks of what could be null and what couldn't.

 

Of course its an error, I don't know why the Java creators decided to make the NPE a RuntimeException in the family of throwables, imho it should only exist in debug versions of software indirecting the developer to fix his code asap. NPE should never exist in a code and should be handled with null checks. Of course in Java its coding style, you can avoid null checks and nullptr with many ways like the one you've suggested above, which ofcourse adds unnecessary overhead and for my coding taste over-complicated due to the fact that you use allocated memory as a matter to exit your code or do nothing.

 

Personally I have a strong C background, and the nullptr is the ultimate tool to solve such problems, I don't know why Java developers get crazy with it, maybe its due to the fact that they don't know that null checks cost very little cpu cycles whereas workarounds involve unnecessary JMP instructions that have a hundred time bigger overhead.

Edited by xxdem
Posted

Of course its an error, I don't know why the Java creators decided to make the NPE a RuntimeException in the family of throwables, imho it should only exist in debug versions of software indirecting the developer to fix his code asap. NPE should never exist in a code and should be handled with null checks. Of course in Java its coding style, you can avoid null checks and nullptr with many ways like the one you've suggested above, which ofcourse adds unnecessary overhead and for my coding taste over-complicated due to the fact that you use allocated memory as a matter to exit your code or do nothing.

 

Personally I have a strong C background, and the nullptr is the ultimate tool to solve such problems, I don't know why Java developers get crazy with it, maybe its due to the fact that they don't know that null checks cost very little cpu cycles whereas workarounds involve unnecessary JMP instructions that have a hundred time bigger overhead.

 

I think it's just a design pattern, like for example you can use .remove( from a List/Map without the need to know if such entry actually exists or not. You simply invoke the method no matter if it removes something or not, and you can only know if it removed something when you use the returning variable. It would be annoying to test null everytime for everything. I think it's the same behavior with the "not null container" pattern.

Posted

I think it's just a design pattern, like for example you can use .remove( from a List/Map without the need to know if such entry actually exists or not. You simply invoke the method no matter if it removes something or not, and you can only know if it removed something when you use the returning variable. It would be annoying to test null everytime for everything. I think it's the same behavior with the "not null container" pattern.

 

Yes but on the specific case we are not talking about values that may be many, but a collection which has to be null checked only once, basically the developer should always know what can be null and what not, on big projects annotations like @Nullable can be used, but you are right, if you loose the track of what can be null and what not bad things are going to happen and that's the developer to blame not the programming style

Posted (edited)

I saw this idea in one of retail Lineage 2 quests.

Which one?

 

the idea actually came from here  :P

 

Updates:

 

  • coupon manager list replaced with ConcurrentHashMap . Ty Tryskell
  • some queries removed as variables and passed directly in prepareStatement. Ty Tryskell
  • coupon generating id method changed since i have all the necessary tools in some packages (now using StringUtil methods and String instead of char[], Random -> Rnd too). Ty Tryskell
  • the way of storing/getting rewards from coupon changed (@Tryskell i believe rewards should be in the Coupon class since we are talking about the same thing). Ty Tryskell
  • all checks about lists are changed from null check to emptyList() . Ty .Elfocrash
  • added some ternary statements . Ty .Elfocrash
  • added grade type (NG,D,C,B,A,S) . Once the grade stored will not changed. Ty Tryskell
  • grade type setted with multiplier so if you want you can multiple your rewards based on the coupon's grade
  • added 1 more column in coupon table for storing the grade type.
  • different html will apear if player havent coupons and try to talk to the npc. Ty Tryskell
  • redeem bypass changed . Ty Tryskell

 

Thank you guys for your suggestions you are awesome!

Reborn12, on 20 Jul 2017 - 5:29 PM, said:

ah Baggo You Don't Know What Real Love Means,This flame is just love  :D

 

on Topic nice idea melron thanks for share

 

'Baggos', on 20 Jul 2017 - 5:47 PM, said:

hahahah pirama love you re, more than Tryskell.  :o

 

Merlon thanks for this share mate.. It's a fresh idea.   :1010:

 

Thank you guys!!

Edited by melron
Posted (edited)

- Use 

int gradeLevel = player.getSkillLevel(239);

to find directly the correct grade level (under an int) - since it's automatically rewarded, instead of calculating based on level.

 

- getCouponId is tricky, I wait an int from it (like getNpcId, getItemId(), etc), not a String. Maybe rename it. You can also simply use IdFactory and attribute an objectId, which avoid all String manipulation (care, you need to release the id on ticket remove). If you use IdFactory, then getCouponId() is really an id.

- your bypass got no try/catch, therefore if someone send crap values (not parsable int on selectedButton, let's say) you end with Exception.

- rewards still need to be edited.

- double check.

couponId.isEmpty() || couponId.isEmpty()

- Following is pointless, since coupons is already generated :D. Simply return the already existing List coupons.

+   public List<Coupon> getCoupons()
+   {
+       return coupons.isEmpty() ? Collections.emptyList() : coupons;
+   }

------------

 

For each

rewards.get(i)

inside a for loop, Elmoreden gods killed Pirama. So yeah, that explains why he is so angry. Edit your for loop for enhanced version :

+           for (int i = 0; i < rewards.size(); i++)
+           {

>

+           for (CouponReward reward : rewards)
+           {

And use "reward" directly, which references always to the same object. Doing a .get( means you SEARCH the object AGAIN on the list, which is a performance killer since you search it 6 times per iteration (10 objects = 60 searches). Also enhanced version is easier to understand.

 

------------

 

On this part of code, you don't need the temporary List "couponsIds". You can generate the sb directly from "coupons".

+       List<Coupon> coupons = player.getCoupons();
+      
+       if (!coupons.isEmpty())
+       {
+           List<String> couponsIds = new ArrayList<>();
+           for (Coupon cpn : coupons)
+               couponsIds.add(cpn.getCouponId());
+          
+           StringBuilder sb = new StringBuilder();

------------

sb.append(id + ";");

You deny the only point to use a StringBuilder, which is to avoid to concat strings using + :D. Therefore, and until JIT optimization handles it correctly nowadays, you are creating inner invisible StringBuilder inside your StringBuilder. On aCis we got StringUtil.append(, which is really handy for such case.

Edited by Tryskell
Posted (edited)

....

int gradeLevel = player.getSkillLevel(239);
  • will give 1..6 right? but ordinals from enum are 0..5 so i have to rework the whole thing but for sure will be more readable :P
  • try/catch you mean to catch exceptions while storing the tokens?  Integer.parseInt stands there to make a type casting between String-> int right?
  • Done :P
  • Others are fixed :P

P.s about Id :P i dont find a reason for rename because ID in l2 is missunderstood since id means identity so , coupon's identity :P

Edited by melron
Posted (edited)

- You can store directly the skillId, that will avoid you some computation. Or you can check your enum doing skill id level -1.

- The best would be to generate an objectId directly, as I said. Id stands for identidier, and it's better to work with int rather than String (which is a costy variable).

- fontLine must use a StringBuilder with StringUtil.append (another time where this method can shine, because concat strings in a for loop is the devil).

- following strings should be "private static final" and set out of the method, for reusability.

+           final String selectedItem = "<FONT COLOR=\"LEVEL\">";
+           final String fontForRareItem = "<FONT COLOR=\"FF9988\">";
+           final String fontEnd = "</FONT>";
Edited by Tryskell
Posted
inside a for loop, Elmoreden gods killed Pirama. So yeah, that explains why he is so angry. Edit your for loop for enhanced version :

i can't understand what you mean ( low english ) but ( Pirama != pirama ) like ( getvalue != getValue() )

 

i can't understand what help can give you this

+       boolean already = true;
+       while (already)
+       {
+           for (Coupon cpn : coupons)
+           {
+               if (cpn.getCouponId().equalsIgnoreCase(couponId))
+               {
+                   couponId = getCouponId(category);
+                   break;
+               }
+           }
+          
+           already = false;
+       }

i think you don't need while on this step ( or if you need it , sure is without this checks ) 

i don't see all the code but loop don't work with this checks

Posted

i can't understand what you mean ( low english ) but ( Pirama != pirama ) like ( getvalue != getValue() )

 

i can't understand what help can give you this

 

+       boolean already = true;
+       while (already)
+       {
+           for (Coupon cpn : coupons)
+           {
+               if (cpn.getCouponId().equalsIgnoreCase(couponId))
+               {
+                   couponId = getCouponId(category);
+                   break;
+               }
+           }
+          
+           already = false;
+       }
i think you don't need while on this step ( or if you need it , sure is without this checks ) 

i don't see all the code but loop don't work with this checks

It's just a check for the string if already picked but it could be written with do-while instead of while to remove the Boolean. Ty

Posted (edited)

It's just a check for the string if already picked but it could be written with do-while instead of while to remove the Boolean. Ty

 

The do/while is unecessary on this case, you can leave "while" (do/while assures at least one run, but anyway your code will assure one loop). You still have to use a condition anyway to leave the infinite loop.

 

Something which is wrong and buggy : you generate a coupondId in the for loop, meaning if you successful found an existing one, and it generates anew during the for loop, it won't check the ALREADY CHECKED stuff. So it can actually passes sucessfully the test even if there is already an existing id.

 

Exemple : you generate a couponId. It already exists, but you go through the for loop, find it exists on the 5678th spot. You regen it, break the loop, put "already" to false and say it's good. But nothing told you this new generated id is correct.

 

Simply use IdFactory (3rd time I say it) you are sure to don't be bothered by such question. :D.

Edited by Tryskell
Posted

Which one?

 

the idea actually came from here  :P

 

I don't remember now. It was the long times ago when i wrote quests for aCis. Also, this system seems like event/quest with urn in MoS. Anyway idea is not a new.  :)

Posted (edited)

I don't remember now. It was the long times ago when i wrote quests for aCis. Also, this system seems like event/quest with urn in MoS. Anyway idea is not a new.  :)

Anyway idea is new for me :)

 

Update:

 

  • couponId is now integer with idFactory next id.
  • couponName is generating with the couponId as base
  • grade store/restore changed from ugly level checks to skill 239 level.
  • renamed names of some methods
  • Ty tryskell.
  • table coupons now storing coupon id instead of coupon name
  • removed the 'while' useless check ty pirama for remind it ;)
Edited by melron
Posted

I wouldn't use idFactory, coupons should be generated through a unique Seed stored in your DB exclusively for coupon codes

Posted

I wouldn't use idFactory, coupons should be generated through a unique Seed stored in your DB exclusively for coupon codes

 

why to make something new while idFactory is there? I found it great idea since it's generating just id's

Posted (edited)

why to make something new while idFactory is there? I found it great idea since it's generating just id's

 

idFactory generates sequential IDs, you need something more random, you can use its IDs as seeds btw, but it will consume available IDs from server objects so you still need a workaround.

Edited by xxdem

Create an account or sign in to comment

You need to be a member in order to leave a comment

Create an account

Sign up for a new account in our community. It's easy!

Register a new account

Sign in

Already have an account? Sign in here.

Sign In Now



  • Posts

    • TOO PERFECT? THAT’S A PROBLEM ▪ Paradox: the cleaner the lines – the more suspicious the file looks. ▪ In reality, nothing is “perfect”. – lines slightly shift due to optics and angle – paper introduces micro-deformations – edges never align 100% ▪ Now compare it to a “clean” file: everything is ruler-straight, no deviation, no life. ▪ And that’s exactly what gives it away. ▪ Because systems don’t look for mistakes… they look for the absence of physics. ▪ A real document always “breathes”: slight warps, distortions, imperfections. ▪ Got a file? Send it – we’ll show where it’s too “perfect”. › TG: @mustang_service ( https:// t.me/ mustang_service ) › Channel: Mustang Service ( https:// t.me/ +JPpJCETg-xM1NjNl ) #editing #photoshop #documents #verification #antifraud
    • TG Support: https://t.me/buyingproxysup | Channel: https://t.me/buyingproxycom Discord support: #buyingproxy | Server: Join the BuyingProxy Discord Server!  Create your free account here
    • General Trackers :   IPTorrents invite IPTorrents account 1 tb TorrentLeech invite Torrentleech account 1 tb buffer  InTheShaDow ( ITS ) account Acid-lounge invite Torrentday invite Crnaberza account Abn.Lol account Limit-of-eden account Norbits account Xspeeds account Xspeeds invite Bemaniso invite Wigornot account Turkseed.com account Bithumen invite Filelist account Funfile invite AvistaZ invite Potuk.net invite ResurrectThe.Net invite GrabThe.Info invite Greek-Team invite LinkoManija invite Fano.in account tracker.czech-server.com Speed.cd invite Arab-torrents.net account Arabscene.me account Scenetime account 4thd.xyz invite Btarg.com.ar account Dedbit invite Estone.cc account Speedapp invite Finvip invite Fluxzone account GigaTorrents account Gimmepeers account Haidan.video invite Mojblink account Mycarpathians invite Newinsane.info account Oscarworld.xyz account Peers.FM invite Pt.msg.vg account Ransackedcrew account Redemption invite Scene-rush account Seedfile.io invite Teracod invite Torrent.ai account Torrentmasters invite Ttsweb invite X-files invite X-ite invite Ncore account TorrentHR account Rptorrents account BwTorrents account Superbits invite Krazyzone account Immortalseed account Tntracker invite Pt.eastgame.org account Bitturk account Rstorrent account Tracker.btnext invite Torrent-turk.de account BeiTai.PT account Pt.keepfrds account 52pt.site account Pthome account Torrentseeds account Aystorrent account Blues-brothers.biz invite Divteam account Thesceneplace invite CinemaMovies.pl account Brasiltracker account Patiodebutacas account Newheaven.nl account  Swarmazon.club invite Bc-reloaded account Crazyspirits account Silentground invite Omg.wtftrackr invite Milkie.cc invite Breathetheword invite Madsrevolution account Chilebt account Yubraca account Uniongang.tv account Frboard account Exvagos account Diablotorrent account Microbit account Carp-hunter.hu account Majomparade.eu account Theshinning.me account Youiv.info account Dragonworld-reloaded account Sharewood.tv account Partis.si account Digitalcore.club invite Fuzer.me account R3vuk.wtf invite Ztracker account 1 tb buffer 3changtrai account Best-core.info account Bitsite.us account Eliteunitedcrew invite Exitorrent.org account Tophos invite Torrent.lt account Sktorrent.eu account Oshen account Pirata.digital account Esharenet account Ohmenarikgi.la Pirate-share account Immortuos account Kiesbits account Cliente.amigos-share.club account Broadcity invite Ilovetorzz account Torrentbytes account Polishsource account Portugas account Shareisland account ArabaFenice account Hudbt.hust.edu.cn account Audiences account Nanyangpt account Pt.sjtu.edu.cn account Pt.zhixing.bjtu.edu.cn account Byr.pt invite Ptfiles invite Red-bits account Pt.hdpost.top account Irrenhaus.dyndns.dk (NewPropaganda) account Mnvv2.info (MaxNewVision V2) account 1ptba.com account Spidertk.top account Film-paleis account Generation-free account Aftershock-tracker account Twilightsdreams account Back-ups.me invite Sor-next.tk ( Spirit Of Revolution ) account Tfa.tf ( The Falling Angels ) account Hdmayi account S-f-p.dyndns.dk ( Share Friends Projekt ) account Unlimitz.biz account Pttime account St-tracker.eu account New-retro.eu account Zbbit account Tigers-dl.net account Jptvts.us account Lat-team account Club.hares.top account Falkonvision-team account Concen account Drugari account T.ceskeforum account Peeratiko.org account Zamunda.se account Central-torrent.eu account h-o-d.org account Torrentleech.pl account Demonoid invite Lst.gg account Fakedoor.store account LaidBackManor account Vrbsharezone.co.uk invite Torrenteros account Arenaelite account Datascene account Tracker.0day.community Tapochek.net invite Ptchina invite Lesaloon account Exyusubs account Therebels.tv account Ubits.club invite Zmpt.cc account Turktorrent.us account Dasunerwarte account Hawke.uno account Monikadesign account Fearnopeer account Alpharatio account Wukongwendao.top account Chinapyg account Azusa.wiki account Yggtorrent.top account Torrentdd account Cyanbug.net invite Hhanclub.top account Wintersakura.net account Xthor account Tctg.pm account Finelite invite Agsvpt.com account Pt.0ff.cc invite Qingwapt.com account Xingtan.one account Ptcafe.club invite W-o-t.pro account Coastal-crew.bounceme.net account Darkpeers.org account Pianyuan.org account Seedpool.org  account Tempelbox account Pt.itzmx.com account Itatorrents.xyz  account Letseed.org account The-new-fun.com  account Malayabits.cc account Trellas.me account Yu-scene.net account Futuretorrent.org account Bitpt.cn account Tocashare.biz  account Videoteka.org  account White-angel.hu account Xbytesv2.li account Torr9  account Desitorrents account Okpt.net account Samaritano.cc account Polishtorrent.top  account C411.org account Bigcore.eu account Infinitylibrary.net account Beload.org account Emuwarez.com account Yhpp.cc account Rastastugan account Tlzdigital account account Upscalevault account Bluraytracker.cz account Torrenting.com account Infire.si account Dasunerwartete.biz invite The-torrent-trader account New-asgard.xyz account Pandapt account Deildu account Tmpt.top invite Pt.gtk.pw account Media.slo-bitcloud.eu account P.t-baozi.cc account 13city.org account Cangbao.ge account Cc.mypt.cc invite Dubhe.site invite Hdbao.cc account Kufei.org invite Mooko.org account Pt.aling.de invite Pt.lajidui.top invite Longpt.org invite Pt.luckpt.de invite Ptlover.cc invite Raingfh.top account Sewerpt.com account Huntorrent.org account Xtremebytes.net account Bitbazis.net account Mundo-pirata.org account Homiehelpdesk.net account Torrentheaven.org account   Movies Trackers :   Secret-cinema account Anthelion account Pixelhd account Cinemageddon account Cinemaz account Retroflix account Classix-unlimited - invite Movie-Torrentz (m2g.link) invite Punck-tracker.net account Tmghub account Cathode-ray.tube account Greatposterwall account Arabicsource.net account Upload.cx account Crabpt.vip invite Onlyencodes.cc account Exyusubs account Hellashut.net invite Nordichd.sytes.net invite Locadora.cc account Retro-movies.club account HD Trackers :   Blutopia buffered account Hd-olimpo buffered account Hdf.world account Torrentland.li account HdSky account Hdchina account Chdbits account Totheglory account Hdroute account Hdhome account TorrentCCF aka et8.org account 3DTorrents invite HD-Torrents account Bit-HDTV account HDME.eu invite Hdarea.co account Asiancinema.me account JoyHD invite HDSpace invite CrazyHD invite Bluebird-hd invite Htpt.cc account Hdtime invite Ourbits.club account Hd4fans account Siambit account Privatehd account Springsunday account Tjupt account Hdcity.leniter invite Ccfbits account Discfan account Pt.btschool.club account Ptsbao.club invite Hdzone.me invite Danishbytes account Zonaq.pw account Tracker.tekno3d account Arabp2p account Hd-united account Reelflix.xyz account Hdatmos.club account Anasch.cc invite Tigris-t account Nethd.org account Hd.ai invite Hitpt.com account Hdmonkey account Dragonhd.xyz account Hdclub.eu account Forum.bluraycd.com account Carpt account Hdfun.me invite Pt.hdupt invite Puntotorrent account Ultrahd account Rousi.zip account Bearbit account Hdturk.club account Asiandvdclub account Star-space.net account Nordicq.org account Hdkyl.in account Utp.to account Hdzero account Novahd account Hdtorrents.eu account 4k3dyptt account Duckboobee.org invite Si-qi.xyz account   Music Trackers :   Dicmusic account Music-Vid account Open.cd account LzTr account ProAudioTorrents invite Jpopsuki invite TranceTraffic invite Audionews invite Kraytracker invite Libble.me invite Losslessclub invite Indietorrents.com invite Dimeadozen account Funkytorrents invite Karaokedl account zombtracker.the-zomb account Concertos account Sugoimusic account Satclubbing.club invite Metal.iplay invite Psyreactor invite Panda.cd account Adamsfile account Freehardmusic account Tracker.hqmusic.vn accouunt Twilightzoom account 3 tb buffer Hiresmusic account Metalguru account Musictorrents.org account Musebootlegs.com invite Zappateers.com account Jungleland.dnsalias.com account Naftamusic account Bemusic account   E-Learning Trackers :   Theplace account Thevault account Myanonamouse account Libranet account 420Project account Learnflakes account Pt.soulvoice.club account P2pelite account Aaaaarg.fail invite Ebooks-shares.org account Abtorrents account Pt.tu88.men invite Docspedia.world invite TV-Trackers : Skipthecommercials.xyz account Cryptichaven account TV-Vault invite Shazbat.TV account Myspleen account Tasmanit.es invite Tvstore.me account Tvchaosuk account Jptv.club account   XXX - Porn Trackers :   Homeporntorrents.club account FemdomCult account Pussytorrents account Adult-cinema-network account Bootytape account 1 Tb buffer Exoticaz account Bitporn account Kufirc account Gaytorrent.ru invite Nicept account Gay-torrents.org invite Ourgtn account Pt.hdbd.us account BitSexy account Happyfappy.org account Kamept.com account Lesbians4u.org account Fappaizuri.me account Sextorrent.myds.me account   Gaming Trackers :   Pixelcove account Mteam.fr account BitGamer invite Retrowithin invite Gamegamept account Cartoon/Anime/Comic Trackers : Animeworld account Oldtoons.world account U2.dmhy account CartoonChaos invite Mononoke account Totallykids.tv account Bakabt.me invite Revanime account Ansktracker account Tracker.shakaw.com.br invite Bt.mdan.org account Skyey2.com account Animetracker.cc Adbt.it.cx invite Tracker.uniotaku.com account Mousebits.com account   Sports Trackers :   MMA-Tracker invite T3nnis.tv invite AcrossTheTasman account RacingForMe invite Sportscult invite Ultimatewrestlingtorrents account Worldboxingvideoarchive invite CyclingTorrents account Xtremewrestlingtorrents account Tc-boxing invite Mma-torrents account Aussierul invite Xwt-classics account Racing4everyone account Talk.tenyardtracker account Stalker.societyglitch invite Extremebits invite Rgfootball.net account F1carreras.xyz account   Software/Apps Trackers :   Brokenstones account Appzuniverse invite Teamos.xyz account Macbb.org account Phoenixproject.app account Tormac.org account Graphics Trackers: Forum.Cgpersia account Cgfxw account   Others   Hduse.net account Fora.snahp.eu account Makingoff.org/forum account Xrel.to account Undergunz.su account Corebay account Endoftheinter.net ( EOTI ) account Thismight.be invite Skull.facefromouter.space account Avxhm.se (AvaxHome) account Ssdforum account Notfake.vip account Intotheinter.net account Tildes.net invite Thetoonz account Usinavirtual account Hdclasico invite HispaShare account Valentine.wtf account Adit-hd account Forum-andr.net account Warezforums account Justanothermusic.site account Forbiddenlibrary.moe account Senturion.to account Movieparadise account Dcdnet.ru account Sftdevils.net account Heavy-r.com account New-team.org account Ddl.tv account Filewarez.club account Hispamula.org account Hubwarez.tv account Ultim-zone.in account Leprosorium.ru account Planet-ultima.org account The-dark-warez.com account Koyi.pub account Tehparadox.net account Forumophilia account Torrentinvite.fr account Gmgard.com account Board4all.biz account Gentoo-zh.org account Releasyee.to account   NZB :   Ninjacentral account Tabula-rasa.pw account Drunkenslug account Drunkenslug invite Usenet-4all account Dognzb.cr invite Kleverig account Nzb.cat account Nzbplanet.net invite Ng4you.com account NZB.to account Samuraiplace account Abhdtv.net account Abook.link account Comix.pw account House-of-usenet Secretbinaries.net account Vnext.to account Stockboxx.top account Sky-of-use.net account Indexer.codeshy.com account Oldboys.pw account Uhd100.com account   Prices start from 3 $ to 100 $   Payment methods: Crypto, Neteller, Revolut   If you want to buy something send me a pm or contact me on:   Email: morrison2102@gmail.com   Discord: LFC4LIFE#4173   Telegram: https://t.me/LFC4LIFE4173   Skype: morrison2102@hotmail.com
    • Probably too late but here you go, https://gofile.io/d/5NHzSL  
  • Topics

×
×
  • Create New...

Important Information

This community uses essential cookies to function properly. Non-essential cookies and third-party services are used only with your consent. Read our Privacy Policy and We have placed cookies on your device to help make this website better. You can adjust your cookie settings, otherwise we'll assume you're okay to continue..