要添加到数组的最小值?

时间:2016-02-12 22:15:14

标签: java php

根据我的阅读,您可以使用以下命令在PHP中将字节存储在数组中:

 $array = [1,2,14,10];

我想为每个数组值添加四个基本标志,例如 0000 。如果用户执行了解锁第3个标志的操作,则该值应类似于 0010 。如果设置了所有标志,则该值将类似于 1111

我计划拥有很多这些类型的数组值,所以我想知道我可以放入一个对Java友好的数组中可能的最小值?在将数据存储在PHP中之后,我需要使用Java获取数组并能够检索这些标志。这可能看起来像:

somevar array = array_from_php;
if(array[0][flag3] == 1)//Player has unlocked this flag
     /*do something */

非常感谢任何建议。

2 个答案:

答案 0 :(得分:1)

Java也有一个byte [],它也是最小的存储空间。 话虽如此,我相信你可以在这篇文章中找到你想要的东西:Store binary sequence in byte array?

答案 1 :(得分:1)

我认为你不想要一个数组而是一个字节(8位) 或者要存储的字(16位)或双字(32位) RAM中的标志或DB或文本文件中的持久标志。

虽然PHP不是一种类型保存语言,但就我所知,你无法声明这些类型。 但是你激励了我。 PHP的error_reporting值存储方式如下。 但我认为它是一个完整的整数,而不仅仅是一个字节,单词或双字。

我做了一点测试,似乎有效:

<?php

// Flag definitions
$defs = array(
    "opt1" => 1,
    "opt2" => 2,
    "opt3" => 4,
    "opt4" => 8,
    "opt5" => 16,
    "opt6" => 32
);

// enable flag 1,3 and 4 by using a bitwise "OR" Operator
$test = $defs["opt1"] | $defs["opt3"] | $defs["opt4"];
displayFlags($test, $defs);

// enable flag 6, too
$test |= $defs["opt6"];
displayFlags($test, $defs);

// disable flag 3
$test &= ~$defs["opt3"];
displayFlags($test, $defs);

// little improvement: the enableFlag/disableFlag functions
enableFlag($test, $defs["opt5"]);
displayFlags($test, $defs);

disableFlag($test, $defs["opt5"]);
displayFlags($test, $defs);

function displayFlags($storage, $defs) {   

    echo "The current storage value is: ".$storage;
    echo "<br />";

    foreach($defs as $k => $v) {
        $isset = (($storage & $v) === $v);
        echo "Flag \"$k\" : ". (($isset)?"Yes":"No");
        echo "<br />";
    }

    echo "<br />";
}

function enableFlag(&$storage, $def) {
    $storage |= $def;
}

function disableFlag(&$storage, $def) {
    $storage &= ~$def;
}

输出结果为:

The current storage value is: 13
Flag "opt1" : Yes
Flag "opt2" : No
Flag "opt3" : Yes
Flag "opt4" : Yes
Flag "opt5" : No
Flag "opt6" : No

The current storage value is: 45
Flag "opt1" : Yes
Flag "opt2" : No
Flag "opt3" : Yes
Flag "opt4" : Yes
Flag "opt5" : No
Flag "opt6" : Yes

The current storage value is: 41
Flag "opt1" : Yes
Flag "opt2" : No
Flag "opt3" : No
Flag "opt4" : Yes
Flag "opt5" : No
Flag "opt6" : Yes

The current storage value is: 57
Flag "opt1" : Yes
Flag "opt2" : No
Flag "opt3" : No
Flag "opt4" : Yes
Flag "opt5" : Yes
Flag "opt6" : Yes

The current storage value is: 41
Flag "opt1" : Yes
Flag "opt2" : No
Flag "opt3" : No
Flag "opt4" : Yes
Flag "opt5" : No
Flag "opt6" : Yes

结论:

我认为这是以最小空间存储标志的最有效方法。但是如果你将它存储在数据库中,你可能会遇到有关这些标志的有效查询的问题。我不认为可以查询整数值的一个或多个特定位。但也许我错了,你也可以在查询中使用按位运算符。但是,我喜欢这种保存数据。