3

我查看了所有已提出的问题和答案,但我似乎找不到最适合我的答案。我试图做的是制作一个系统,当用户处于某个 xp 限制时,它会进入下一个级别。它显示在下一个 xp 之前需要多少 xp。

所以

lvl1 = 0 => lvl2 = 256 => lvl3 = 785 => lvl4 = 1656 => lvl5 = 2654

我将如何去做,所以如果 xp 达到一定数量,请显示下一个级别需要多少 xp 的数量。

4

2 回答 2

6

你可以尝试这样的事情:

我们的数据库中有users_xp表,带有user_xp_id(主键 - 自动增量) user_iduser_xp_amount(默认值:0)字段。当我们想要更新用户 xp 数量时,我们应该这样做:

$mysqli = new mysqli('localhost', 'my_user', 'my_password', 'my_db');

function update_user_xp($user_id, $amount, $mysqli) {
    $mysqli->query("UPDATE users_xp 
                    SET user_xp_amount=user_xp_amount+" . $amount . " 
                    WHERE user_id='$user_id'");
}

// we call this function like:
update_user_xp(4, 10, $mysqli); // user_id: 4, update with 10 points

当我们想要获取实际的用户 xp 数量时,我们可以从我们的 db 表中获取它

function get_user_xp($user_id, $mysqli) {
    $sql = $mysqli->query("SELECT user_xp_amount 
                           FROM users_xp 
                           WHERE user_id='$user_id'");
   $row = $sql->fetch_assoc();
   return $row['user_xp_amount'];

}

$xp = array('lvl1' => 0, 'lvl2' => 256, 'lvl3' => 785, 'lvl4' => 1656, 'lvl5' => 2654);

$my_xp = get_user_xp(4, $mysqli); // where 4 is my user id

for($i = 0; $i < count($xp); $i++) {
   if($my_xp == $xp[$i]) {
       echo 'I\'m on level ', ($i+1);
       break;
   }
   else {
       if(isset($xp[$i+1])) {
           if($my_xp > $xp[$i] && $my_xp <= $xp[$i + 1]) {
               echo 'My next level is ', ($i+2), ' and I need ', $xp[$i+1], ' more points for achieving it!';
               break;
            } else {
               echo 'My next level is ', ($i+1), ' and I need ', $xp[$i], ' more points for achieving it!';
               break;
            }
        }
    }
}

后期编辑:

CREATE TABLE `my_db_name`.`users_xp` (
`user_xp_id` BIGINT NOT NULL AUTO_INCREMENT PRIMARY KEY ,
`user_id` BIGINT NOT NULL ,
`user_xp_amount` BIGINT NOT NULL DEFAULT '0'
) ENGINE = InnoDB;
于 2012-11-07T08:15:36.233 回答
1

将您的点存储在数据库表中,而不是应用程序级逻辑中以提高灵活性。这是一个建议的架构:

表级别:INT A_I P_K id, INT points, VARCHAR name

表用户:(INT A_I P_K id, VARCHAR user, VARCHAR password, INT points, INT level_id基本字段)

现在,对于每个获得 XP 的用户操作,更新用户的积分。从levels表中获取所有这些行并使用用户的更新点检查它们以产生您需要的结果:) 在 SQL 查询中,请记住ORDER by points DESC这样您就可以在循环内轻松检查升级!如果有级别更新,只需更新用户level_id以匹配表中的id对应levels。你可以使用类似的东西"SELECT levels.name FROM levels WHERE levels.id = $users_level_id"来显示他所在关卡的名称。

我建议function xpAction(...)您在用户可以执行的所有与 XP 相关的操作中调用一个标准函数。因此,如果他添加了一个帖子并且您正在运行function addPost($data),则只需在其中添加一行以xpAction使用正确的参数进行调用。

于 2012-11-07T08:15:06.950 回答