1

我有基本的枚举

enum Fruit
{
  case APPLE;
  case ORANGE;
  case BANANA;
}

以及一些使用该枚举键入的函数:

function eatFruit (Fruit $fruit)
{
  // do stuff
}

和具有未知内容的变量

$fruit = $_POST['fruit']; // user choosed "MILK"
if (?????) { // how to check if it's fruit?
  eatFruit($fruit); // this should not be executed
}

我在文档中找不到检查枚举是否包含特定情况的简单方法。

像这样的支持枚举是可能的

enum Fruit
{
  case APPLE = 'APPLE';
  case ORANGE = 'ORANGE';
  case BANANA = 'BANANA';
}

Fruit::from('');
Fruit::tryFrom('');

这将起作用,但from在我的第一个示例中的非支持枚举上不存在。

Fatal error: Uncaught Error: Call to undefined method Fruit::from()
4

1 回答 1

1

您可以为此使用静态方法cases()。这将返回枚举中所有值的数组。这些值有一个“名称”属性,它是您可以检查的字符串表示形式(支持的枚举也有一个“值”属性,其中包含您在枚举中定义的字符串值)。

所以一个示例实现可能是这样的:

enum Fruit {
    case APPLE;
    case ORANGE;
    case BANANA;
}

// String from user input
$fruit = $_POST['fruit'];

// Find matching fruit in all enum cases
$fruits = Fruit::cases();
$matchingFruitIndex = array_search($fruit, array_column($fruits, "name"));

// If found, eat it
if ($matchingFruitIndex !== false) {
    $matchingFruit = $fruits[$matchingFruitIndex];
    eatFruit($matchingFruit);
} else {
    echo $fruit . " is not a valid Fruit";
}

function eatFruit(Fruit $fruit): void {
    if ($fruit === Fruit::APPLE) {
        echo "An apple a day keeps the doctor away";
    } elseif ($fruit === Fruit::ORANGE) {
        echo "When life gives you oranges, make orange juice";
    } elseif ($fruit === Fruit::BANANA) {
        echo "Banana for scale";
    }
}

带有示例数据的工作版本:https ://3v4l.org/ObD3s

如果您想使用不同的枚举更频繁地执行此操作,您可以为此编写一个辅助函数:

function getEnumValue($value, $enumClass) {
    $cases = $enumClass::cases();
    $index = array_search($value, array_column($cases, "name"));
    if ($index !== false) {
        return $cases[$index];
    }
    
    return null;
}

$fruit = getEnumValue($_POST['fruit'], Fruit::class);
if ($fruit !== null) {
    eatFruit($fruit);
} else {
    echo $_POST['fruit'] . " is not a valid Fruit";
}

具有相同样本数据的示例:https ://3v4l.org/bL8Wa

于 2022-01-09T21:08:18.653 回答