Як я можу обчислити поточний рівень із загального XP, коли кожен рівень вимагає пропорційно більше XP?


33

У моїй грі потрібен XP для досягнення наступного рівня - Поточний рівень × Поріг рівня . Враховуючи це, як я можу отримати свій поточний рівень із загального заробленого XP ?


Наприклад:

Level Threshold = 50
Current Level = 1

Починаючи з першого рівня, мені знадобиться (1 × 50) = 50 XP, щоб перейти на рівень 2 тощо.

Level 1: 50 XP needed to reach level 2
Level 2: 100 more XP needed to reach level 3
Level 3: 150 more XP needed to reach level 4

Іншими словами, таблиця прогресії така:

Level 1: 0 XP to 49 XP
Level 2: 50 XP to 149 XP 
Level 3: 150 XP to 299 XP
Level 4: 300 XP to 499 XP

Якщо у мене 300 XP, я щойно досяг рівня 4. Як я можу це обчислити взагалі?


Пов’язане з переповненням стека: Обчислення трикутного кореня без sqrt
Damian Yerrick

Кількість XP, необхідна для наступного рівня, не збільшується, чим вище поточний рівень?
Щогли

Що ж, перше питання, на яке вам потрібно відповісти, таке: яке значення має «поріг» для кожного рівня? Виходячи з вашого прикладу, якщо припустити, що 300 XP є мінімальним для досягнення рівня 4, то ваш поріг збільшується до 75 після рівня 3. Після того, як ви визначите частоту підвищення порогу, ви можете створити алгоритм для його обчислення. , як і інші люди намагаються зробити у своїх відповідях
Taegost

3
Majte дає хорошу відповідь, як його обчислити, але "найкраща" відповідь - це просто не обчислити її .... зберігати загальну практику, а також зберігати поточний рівень та дельту XP. Скиньте дельту щоразу, коли ви підвищуєте рівень, і у вас є вся необхідна вам інформація (рівень, рівень + 1, загальний xp, дельта xp), щоб легко обчислити все, що потрібно використовувати / відображати
Jon Story

@JonStory Дійсно. Я детально зупинився на цьому у своїй відповіді, тому що, ну хто насправді динамічно обчислює рівень весь час? Це питання, по суті, є лише математичним питанням, оскільки воно взагалі не враховує роль рівнів в ігровій системі.
zxq9

Відповіді:


33

Опрацьовуючи математику та вирішуючи Levelумовний досвід XP, ми отримуємо:

Level=1+1+8×XP÷502

Наприклад, який рівень гравця для ?XP=300

1+1+8×300÷502=4

Як вимагалось.

Або для чого рівень XP = 100000?

1+1+8×100000÷502=63

Більш загальновиражений для довільного початкового порогу на рівні 1:

Level=1+1+8×threshold÷502

Ви також можете зробити зворотний і обчислити XPнеобхідний для будь-якого заданого рівня, вирішивши вищевказану формулу для XP.

XP=(Level2Level)×threshold2

Зауважте, що вищевказана формула працює з дробами, але вам потрібно округлити до наступного цілого значення. Наприклад, в C ++ / C # ви можете використовувати (int) рівень.

Для отримання вищезгаданої формули закритої форми я використав різницеві рівняння, підсумовування Гаусса та квадратичну формулу.

Якщо ви зацікавлені у вирішенні цієї формули поетапно ...

Ми робимо рекурсивний алгоритм, починаючи наші міркування зрештою Experience(next_level) = Experience(current_level) + current_level*50.

Наприклад, для отримання ми маємо:XPLevel3

XPLevel3=XPLevel2+2×50

Звідки 2*50випливає прохання ОП, що необхідний досвід для досягнення наступного рівня - це поточний рівень * 50.

Тепер ми замінюємо тією ж логікою у формулу. Це є:XpLevel2

Замініть у наведеній вище формулі:XPLevel2=XPLevel1+2×50

XpLevel3=XpLevel1+1×50+2×50

а - це лише 50, що є нашою відправною точкою. ЗвідсиXpLevel1

XpLevel3=50+2×50=150

Ми можемо розпізнати закономірність для рекурсивного обчислення більш високих рівнів та кінцевого ланцюга підсумовування.

XpLevelN=50+2×50+3×50+...+(N1)×50=i=0n1i×50

Де N - рівень, якого потрібно досягти. Щоб отримати XP для рівня N, нам потрібно вирішити для N.

XpLevelN÷50=i=0n1i

Тепер права рука просто підсумовування від 1 до N-1, яке може бути виражено відомим гауссова підсумовування . ЗвідсиN×(N+1)÷2N

XpLevelN÷50=N(N+1)÷2N

або просто

2(XpLevelN50)÷50=N(N+1)2N

Finally, putting everything on one side:

0=N2N2×XpLevelN÷50

This is now a quadratic formula yielding a negative and positive solution, of which only the positive is relevant as there are no negative levels. We now obtain:

N=1+1+4×2×XpLevelN502

The current level conditional on XP and linear threshold is therefore:

Level=1+1+8×XP÷threshold2

Note Knowing these steps can be useful to solve for even more complex progressions. In the RPG realm you will see besides a linear progression as here, the actually more common fractional power or square relationship, e.g. Level=XP5.0. However, for game implementation itself, I believe this solution to be less optimal as ideally you should know all your level progressions beforehand instead of calculating them at runtime. For my own engine, I use therefore pre-processed experience tables, which are more flexible and often faster. However, to write those tables first, or, to just merely ask yourself what XP is needed to, let's say, obtain Level 100, this formula provides the quickest way aimed at answering the OP's specific question.

Edit: This formula is fully working as it should and it outputs correctly the current level conditional on XP with a linear threshold progression as requested by the OP. (The previous formula outputted "level+1" by assuming the player started from Level 0, which was my erring--I had solved it on my lunch break by writing on a small tissue! :)


Comments are not for extended discussion; this conversation has been moved to chat.
Josh

@JoshPetrie The problem for us who just saw this question later, is that the chat link is broken. Any way of recovering it?
MAnd

@MAnd I undeleted it, but it will go away again on its own in another eight days or so.
Josh

25

The simple and generic solution, if you don't need to repeat this calculation millions of times per second (and if you do, you're probably doing something wrong), is just to use a loop:

expLeft = playerExp
level = 1
while level < levelCap and expLeft >= 0:
    expLeft = expLeft - expToAdvanceFrom(level)
    level = level + 1

if expLeft < 0: level = level - 1     # correct overshoot

The big advantage of this method, besides requiring no complicated mathematics, is that it works for any arbitrary exp-per-level function. If you like, you can even just make up arbitrary exp values per level, and store them in a table.

If you do (for some strange reason) need an even faster solution, you can also precalculate the total amount of exp needed to reach each level, store this in a table, and use a binary search to find the player's level. The precalculation still takes time proportional to the total number of levels, but the lookup then requires only time proportional to the logarithm of the number of levels.


4
Most flexible solution. And since speed doesn't matter for a one-time computation, best one i guess.
GameAlchemist

4
@Majte: Perhaps I wasn't clear enough. I'm not suggesting that any of the posted solutions would require "millions of iterations". What I meant to say is that, unless you somehow need to calculate the player's level millions of times per second, my (naïve brute-force) solution is more than fast enough. The other solutions, based on algebraically deriving a closed-form formula for the level as a function of exp, may be even faster -- but for code that's only rarely called (and anything less than, say, 1,000 times a second surely counts as "rare" here), it'll make no noticeable difference.
Ilmari Karonen

2
Ohh, I see now, sorry. I fully agree with you and you offer a great alternative for user defined advancement steps per level. But then, probably use preprocessed tables after all.
Majte

2
The simplicity of this solution makes it a clear winner. Do not discount the value of readability and maintainability.
Mauser

1
Computers are good at doing menial tasks, not people. You want to simplify the persons life, the programmer, at the expense of the computer if necessary. Using this solution, you only have to write one method, the forward, not the forward and reverse. The simplest solution is not the one he has in code, but building that lookup table. Ram is cheap, use it.
Mauser

11

The question has been answered with code, but I think it should be answered with math. Someone might want to understand instead of just copy and paste.

Your system is easily described by a recurrence relation:

XPLevel+1=XPLevel+LevelThreshold

Which offers a nice simple closed form solution for XP:

XPLevel=(Level1)LevelThreshold2

Which we can solve for Level:

Level=Threshold2+8XPThreshold2Threshold+12

(truncate to integer, because the player needs all the required XP to get any of the level-up bonus)


2
I like this answer. Clear and concise.
Almo

Hey Mick; it's been a while since I did recurrence relations. Couldn't we also specify the base case XP_Level(0) = 50 and then we can just avoid solving? Any benefits, pros, cons? I think it'd be good to touch on this answer. +1
Vaughan Hilts

@VaughanHilts I'm not sure how your notation works or what you're asking, feel free to ping me in gamedev chat?
MickLH

I understood the code answer much easier than this.
Pharap

Keep working at it @Pharap. When I was a teenager I also understood code more easily than math, but with experience and knowledge the math will become obvious everywhere in life.
MickLH

10

Here's one approach to solving the problem using basic algebra. If you don't care about the steps, skip to the bottom.

An easy thing to come up with is, given a level n, the total experience e needed to obtain that level:

e = sum from k=1 to n of (t(k-1))

The t term stands for the increase in XP needed per level - 50, in the example.

We can solve the above using the formula for arithmetic sequences (sum identity):

e = t/2 * n(n-1)

However, we want the opposite formula - the player's level given their total experience. What we really want to do is solve for the level, n. First, let's group the terms:

n^2 - n - 2e/t = 0

Now we can use the quadratic formula:

n = (1 + sqrt(1+8e/t))/2

Final equation:

level = 0.5 + sqrt(1 + 8*(total experience)/(threshold)) / 2

1
Thanks for the answer. But what if I want to change the Threshold to other variable? Instead of 50 I would like to use 50000 or 1000 0for that matter. How should I modify the equation?
JayVDiyk

2
Yes, the solutions should be the same. I wanted to lay out the steps to the solution in case anyone was interested. @JayVDiyk - will edit post.
Chaosed0

That was a bit cheeky of you, as I commented that I'll post the full solution after work ;) it's ok, I dont mind. The usual thing is to answer with a reference to the correct answer and note down the extention. Nerver mind, loved to have solved it. Wish more questions like that were posted here.
Majte

Sorry, must have missed that comment. Didn't mean to steal it out from under you or anything like that - I'll keep it in mind next time. Your answer is definitely more thorough than mine is after the edit!
Chaosed0

1
+1; with no offense to @Majte intended, I personally find your explanation more readable.
Ilmari Karonen

3

All the math involved here is very important to know for all sorts of reasons, some of them applicable to game development.

BUT

This is a game development site, not a math site. So let's discuss how these things work not as algorithmic series, but as sets, because that is the sort of math that applies to leveling in games you might actually develop to sell, and this is the system that underlies most (but not all) leveling systems (at least historically).

Players tend to prefer nice, round numbers that are easy to remember and visualize, and nowhere is this more important than in a level-based game system where the player need X amounts of xp to advance to level Y.

There are two good reasons for picking round numbers:

  • The level experience itself is a nice, round number "100; 200; 1,000,000; etc."
  • The delta between levels tends to be another nice, round number the player can glance at and calculate in his head.

Round numbers are enjoyable. The purpose of games is to be enjoyable. Pleasantness is important, especially since the game dilemmas will often be anything but pleasant by design.

Why is this important to keep in mind?

Most compound series algorithms do not produce nice, round numbers

Most series do not stop at a pretty point (every answer I've seen here so far just goes on forever). So, what do we do? We approximate, and then we determine what set of levels should apply to the game system.

How do we know what approximations are appropriate? We consider what the point of leveling is within the game system.

Most games have level caps that kick in at some point. There are a few ways this can play out:

  • The cap is encountered relatively early, where the level system only exists to help players get through the first phase of the game in a focused way to force them to learn the complete game system. Once they are "fully grown" the long-game begins.
  • XP gain VS the difficulty level has a certain economy to it where yes, there is a level cap, but it is so far away that we expect players to complete the game about halfway through the leveling chart. In DQ/FF-style RPGs with multiple characters/classes it is more common to have different characters/classes be made to level easier by gaining experience at different rates than changing the required XP for each level per character class. That way players can easily remember the cute little round numbers as universal goals, and know that each character progresses toward them at some arbitrary rate set by the game system (XP + (XP * Modifier) or whatever).
  • Level caps are based on external character category. That is, some factor outside the game system proper dictates what the level system looks like. This is becoming more common as many games are pay-to-win but free-to-play. A free player may be capped at lvl 70, a subscriber may be capped at lvl 80, a one-time purchase may advance someone a level beyond some universal cap, etc.
  • Level caps are universal and tied to the game world in some way. This system has been popularized by WoW.
  • Any other level cap system you might dream up that enhances gameplay in a smarter way than simply rewarding players for wasting more minutes of their life in your made-up world than the other players.

There are some game systems where there is no level cap and the system is algorithmically determined. Usually systems like this use some X-powers-of-Y system to make the numbers explode quickly. This makes it very easy to get to level L-1, reasonably expected that most players will get to level L, inordinately difficult to get to level L+1, and players will grow old and die before reaching L+2. In this case "L" is a level you have decided is the target level appropriate for play and at which normally would have capped the system but leave the option open for people to delude themselves into thinking its a good idea to XP forever. (Sinister!) In this sort of system the math found here makes perfect sense. But it is a very narrow, and rarely encountered case in actual games.

So what do we do?

Calculate the levels and XP? No. Determine the levels and XP? Yes.

You determine what levels mean, then decide what the available set of levels should be available. This decision comes down to either granularity within the game system (Is there a huge difference in power between levels? Does each level confer a new ability? etc.) and whether or not levels are used themselves as a gating system ("Can't go to the next town until you're lvl 10, kid.", or a competitive ladder system enforces level-based tiers, etc.).

The code for this is pretty straightforward, and is just range determination:

level(XP) when XP < 100  -> 1;
level(XP) when XP < 200  -> 2;
level(XP) when XP < 500  -> 3;
level(XP) when XP < 1000 -> 4;
% ...more levels...
level(XP) when XP > 1000000 -> 70. % level cap

Or with an if statement, or a case, or a chain of if/elif, or whatever the language you happen to be using supports (This part is the least interesting element of any game system, I just provide two ways because I happen to be in Erlang mode right now, and the above syntax may not be obvious to everyone.):

level(XP) ->
    if
        XP < 100  -> 1;
        XP < 200  -> 2;
        XP < 500  -> 3;
        XP < 1000 -> 4;
        % ...more levels...
        XP > 1000000 -> 70 % level cap
    end.

Is it amazing math? No. Not at all. Is it manual implementation of set element determination? Yep. That's all it is, and this is pretty much the way I've seen it actually done in most games throughout the years.

As a side note, this should not be done every time the player gains experience. Usually you keep track of "XP to go" as one value, and once the player either exhausts or surpasses the "to go" value (whichever way you're doing it) then you calculate this once to figure out where the player is really at, store that, calculate the next "to go" minus the leftover (if carrying XP forward is allowed) and repeat.

Використовуючи наш веб-сайт, ви визнаєте, що прочитали та зрозуміли наші Політику щодо файлів cookie та Політику конфіденційності.
Licensed under cc by-sa 3.0 with attribution required.