Comment puis-je calculer le niveau actuel à partir du XP total, alors que chaque niveau nécessite proportionnellement plus de XP?


33

Dans mon jeu, XP nécessaire pour atteindre le niveau suivant est Niveau actuel × Seuil du niveau . Dans ce cas, comment puis-je obtenir mon niveau actuel sur le total des XP jamais gagnés?


Par exemple:

Level Threshold = 50
Current Level = 1

À partir du niveau 1, il me faudrait (1 × 50) = 50 XP pour atteindre le niveau 2, etc.

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

En d'autres termes, la table de progression est la suivante:

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

Si j'ai 300 XP, je viens juste d’atteindre le niveau 4. Comment puis-je calculer cela en général?


Related on Stack Overflow: Calcul d'une racine triangulaire sans
carré

La quantité d'XP requise pour le niveau suivant n'augmente pas plus le niveau actuel est élevé?
Mât

La première question à laquelle vous devez répondre est la suivante: quelle est la valeur de "seuil" pour chaque niveau? Selon votre exemple, si nous supposons que 300 XP est le minimum pour atteindre le niveau 4, votre seuil augmente à 75 après le niveau 3. Une fois que vous avez déterminé la fréquence d'augmentation du seuil, vous pouvez proposer un algorithme pour le calculer. , comme les autres personnes essaient de le faire dans leurs réponses
Taegost

3
Majte donne une bonne réponse quant à la manière de la calculer, mais la "meilleure" réponse consiste tout simplement à ne pas la calculer. Stocke l'exp globale, mais aussi le niveau actuel et le delta XP. Réinitialisez le delta à chaque fois que vous montez de niveau et que vous disposez de toutes les informations nécessaires (niveau, niveau + 1, xp total, delta xp) pour calculer facilement tout ce dont vous avez besoin pour utiliser / afficher
Jon Story

@JonStory En effet. J'ai analysé cela un peu dans ma réponse parce que, eh bien, qui fait calcule le niveau dynamique tout le temps? Cette question est, par essence, juste une question de maths, car elle ne considère pas du tout le rôle des niveaux dans un système de jeu.
zxq9

Réponses:


33

En calculant et en résolvant pour le Levelconditionnel sur l'expérience XP, on obtient:

Level=1+1+8×XP÷502

Par exemple, quel est le niveau du joueur pour ?XP=300

1+1+8×300÷502=4

Comme demandé.

Ou, à quoi sert le niveau XP = 100000?

1+1+8×100000÷502=63

Plus généralement, pour un seuil de départ arbitraire au niveau 1:

Level=1+1+8×threshold÷502

Vous pouvez également faire l’inverse et calculer le XPnécessaire pour n’importe quel niveau en résolvant la formule ci-dessus pour XP.

XP=(Level2Level)×threshold2

Notez que la formule ci-dessus fonctionne avec des fractions, mais vous devez arrondir à la valeur entière suivante. Par exemple, en C ++ / C #, vous pouvez utiliser (int) Level.

Pour obtenir la formule ci-dessus, j'ai utilisé des équations aux différences, la sommation de Gauss et une formule quadratique.

Si vous êtes intéressé par la solution de cette formule étape par étape ...

Nous faisons un algorithme récursif en commençant nos considérations que finalement Experience(next_level) = Experience(current_level) + current_level*50.

Par exemple, pour obtenir nous avons:XPLevel3

XPLevel3=XPLevel2+2×50

Où, 2*50vient de la demande du PO que l'expérience nécessaire pour atteindre le niveau suivant est le niveau actuel * 50.

Maintenant, on remplace avec la même logique dans la formule. C'est:XpLevel2

Remplacez par la formule ci-dessus:XPLevel2=XPLevel1+2×50

XpLevel3=XpLevel1+1×50+2×50

et n’est que de 50, ce qui est notre point de départ. Par conséquentXpLevel1

XpLevel3=50+2×50=150

Nous pouvons reconnaître une régularité permettant de calculer récursivement des niveaux plus élevés et une chaîne finie de sommations.

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

Où N est le niveau à atteindre. Pour obtenir l'XP du niveau N, il faut résoudre pour N.

XpLevelN÷50=i=0n1i

Maintenant , le côté droit est tout simplement une somme de 1 à N-1, qui peut être exprimé par la fameuse sommation gaussienne . Par conséquentN×(N+1)÷2N

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

ou juste

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

Enfin, tout mettre de côté:

0=N2N2×XpLevelN÷50

Il s’agit maintenant d’une formule quadratique donnant une solution négative et positive, seule la réponse positive étant pertinente en l’absence de niveaux négatifs. Nous obtenons maintenant:

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.

En utilisant notre site, vous reconnaissez avoir lu et compris notre politique liée aux cookies et notre politique de confidentialité.
Licensed under cc by-sa 3.0 with attribution required.