实际上,3780x2520 是 3:2 的纵横比;因为您使用 3776 作为宽度,所以 472:315 是正确的比例。如果您进行除法,则结果为 1.498,非常接近 1.5,可以考虑四舍五入为 3:2。
如果您只想要“标准”比率(如“3:2”或“16:9”),则可以将检测到的比率传递给另一个函数,将它们四舍五入以找到最接近/最佳匹配。
这是一个可以为您进行四舍五入的综合函数(仅针对您示例中的尺寸进行了测试,因此我不能保证 100% 成功):
function findBestMatch($ratio) {
$commonRatios = array(
array(1, '1:1'), array((4 / 3), '4:3'), array((3 / 2), '3:2'),
array((5 / 3), '5:3'), array((16 / 9), '16:9'), array(3, '3')
);
list($numerator, $denominator) = explode(':', $ratio);
$value = $numerator / $denominator;
$end = (count($commonRatios) - 1);
for ($i = 0; $i < $end; $i++) {
if ($value == $commonRatios[$i][0]) {
// we have an equal-ratio; no need to check anything else!
return $commonRatios[$i][1];
} else if ($value < $commonRatios[$i][0]) {
// this can only happen if the ratio is `< 1`
return $commonRatios[$i][1];
} else if (($value > $commonRatios[$i][0]) && ($value < $commonRatios[$i + 1][0])) {
// the ratio is in-between the current common-ratio and the next in the list
// find whichever one it's closer-to and return that one.
return (($value - $commonRatios[$i][0]) < ($commonRatios[$i + 1][0] - $value)) ? $commonRatios[$i][1] : $commonRatios[$i + 1][1];
}
}
// we didn't find a match; that means we have a ratio higher than our biggest common one
// return the original value
return $ratio;
}
要使用此函数,您将比率字符串(不是数值)传递给它,它会尝试在常用比率列表中“找到最佳匹配”。
示例用法:
$widtho = 3968;
$heighto = 2232;
$gcd = gcd($widtho, $heighto);
$ratio = ($widtho / $gcd).':'.($heighto / $gcd);
echo 'found: ' . $ratio . "\n";
echo 'match: ' . findBestMatch($ratio) . "\n";
$widtho = 3776;
$heighto = 2520;
$gcd = gcd($widtho, $heighto);
$ratio = ($widtho / $gcd).':'.($heighto / $gcd);
echo 'found: ' . $ratio . "\n";
echo 'match: ' . findBestMatch($ratio) . "\n";
$widtho = 3780;
$heighto = 2520;
$gcd = gcd($widtho, $heighto);
$ratio = ($widtho / $gcd).':'.($heighto / $gcd);
echo 'found: ' . $ratio . "\n";
echo 'match: ' . findBestMatch($ratio) . "\n";
上述测试将输出以下内容:
found: 16:9
match: 16:9
found: 472:315
match: 3:2
found: 3:2
match: 3:2
*如果您需要参考,我从wikipedia中获取了“标准”纵横比列表。