在一个应用程序中,我有一个如下所示的选择框:
<select name="AgeGroup" class="form-control" id="AgeGroup">
<option value="18-24" selected=""18-24</option>
<option value="18-24">18-24 years</option>
<option value="25-34">25-34 years</option>
<option value="35-44">35-44 years</option>
<option value="45-54">45-54 years</option>
<option value="55-64">55-64 years</option>
<option value="65 Plus">65 years or over</option>
<option value="PTNA">Prefer not to answer</option>
</select>
此外,我还询问用户的出生日期,但同时询问用户这两个日期似乎很可笑,因为您肯定可以从提供的出生日期算出给定的年龄段?
在收集出生日期时,我有一个简单的变量器,用于获取用户的年龄,如下所示:
/**
* Calculate the user's age in years given their date of birth
*
* @return void
*/
public function getAgeAttribute()
{
$this->birth_date->diff(Carbon::now())->format('Y');
}
然后我意识到我什至不需要年龄属性来计算年龄组,所以我又做了一个这样的访问器:
/**
* Infer the users age group given their date of birth
*
* @return void
*/
public function getAgeGroupAttribute()
{
$age = $this->birth_date->diff(Carbon::now())->format('Y');
switch($age){
case($age <= 24);
return "18 - 24";
break;
case ($age <= 34);
return "25 - 34";
break;
case ($age <= 44);
return "35 - 44";
break;
case ($age <= 54);
return "45 - 54";
break;
case ($age <= 64);
return "55 - 64";
break;
case ($age > 64);
return "Over 65";
break;
default:
return "Unspecified age group";
}
}
但是我担心的是,如果他们实际上没有选择提供年龄呢?由于此表单带有“不愿说”的选项。
我是否要检查这实际上是我做$user->age_group
之前的日期?
另外,我想第一个开关盒应该带有或,因为您可能小于18岁。
像这样:case($age >= 18 && $age <= 24);
答案 0 :(得分:2)
您可以存储不回答作为其出生日期的null
值。然后,当要检查用户的年龄段时,您可以检查一个null
值,并在访问器中返回您的不回答或未指定的选项:< / p>
public function getAgeGroupAttribute()
{
if ($this->birth_date === null) {
return 'Unspecified';
}
$age = $this->birth_date->diff(Carbon::now())->format('Y');
// ...
}
答案 1 :(得分:1)
您还可以将值0代替PTNA
<option value="0">Prefer not to answer</option>
并将您的开关盒与盒一起使用
case($age >= 18 && $age <= 24);
在这种情况下,我也会出于一致性原因更改默认消息,但这可以解决问题。
当然,更健壮的方法是检查您收到的值是什么,如果它不是年龄,则甚至不将其放入切换用例并将其重定向到else
语句,但是上述解决方案只是快速简单。