1

次のような文字列のセットがあります。

1024 x 768  
1280 x 960  
1280 x 1024     
1280 x 800 widescreen   
1440 x 900 widescreen   
1680 x 1050 widescreen

その最大の解像度を見つけるにはどうすればよいですか? 最大とは、高さが最も高く、幅が最も長いものを意味します。上記のケース1680 x 1050では、最大の次元があり、そこから他のすべての解像度を作成できるため、最大です。

これを解決するための私の行動計画は、解像度の値を取り出すことでしたが、単純な正規表現しかなく、解像度を抽出するだけでは十分ではありません。次に、高さと幅を使用して最大解像度の寸法を決定する方法がわかりません。

4

3 に答える 3

4

次のように、文字列を配列に収集します

$resolutions = array(
    '1024 x 768',
    '1680 x 1050 widescreen',
    '1280 x 960',
    '1280 x 1024',
    '1280 x 800 widescreen',
    '1440 x 900 widescreen'
);

sscanf文字列から幅と高さを抽出するために使用できます。幅と高さを掛けて、どの解像度が最も多くのピクセルを持っているか、または最大の解像度であるかを判断する必要があります。

$getPixels = function($str) {
    list($width, $height) = sscanf($str, '%d x %d');
    return $width * $height;
};

次に、どちらかを使用しますarray_reduce

echo array_reduce(
    $resolutions, 
    function($highest, $current) use ($getPixels) {
        return $getPixels($highest) > $getPixels($current) 
            ? $highest 
            : $current;
    }
);

またはusort配列

usort(
    $resolutions, 
    function($highest, $current) use ($getPixels) {
        return $getPixels($highest) - $getPixels($current);
    }
);

echo end($resolutions);

最高解像度の1680 x 1050 ワイドスクリーンを取得するには

于 2013-08-10T13:51:12.247 に答える
0

このコードを使用して、最大解像度を取得できます。

$resolutions = array(
"1024 x 768",  
"1280 x 960",  
"1280 x 1024",     
"1280 x 800 widescreen",   
"1440 x 900 widescreen",   
"1680 x 1050 widescreen"
);

$big = 0;
$max = 0;

foreach($resolution as $res){
$sides = explode(' ', $res);
if(($sides[0] * $sides[2]) > $big)
    $max = $res;
}

または、最大解像度のインデックスだけを保持したい場合は、コードを次のように変更できます。

$big = 0;
$max = 0;
$i = 0;

foreach($resolution as $res){
$sides = explode(' ', $res);
if(($sides[0] * $sides[2]) > $big)
    $max = $i;
$i++;
}
于 2013-08-10T13:53:27.117 に答える
0

解像度を求めるには、幅に高さを掛けるだけです。

リストに最大幅と最大高さの両方を持つアイテムがない場合があることに注意してください。

PHP 抽出 :

// I assume your set of string is an array
$input = <<<RES
1024 x 768  
1280 x 960  
1280 x 1024     
1680 x 1050 widescreen
1280 x 800 widescreen   
1440 x 900 widescreen   
RES;

$resolutions = explode( "\n", $input );


// Build a resolution name / resolution map
$areas = array();

foreach( $resolutions as $resolutionName )
{
    preg_match( '/([0-9]+) x ([0-9]+)/', $resolutionName, $matches ); 

    // Affect pixel amount to each resolution string
    $areas[$resolutionName] = $matches[1]*$matches[2];
}

// Sort on pixel amount
asort($areas);

// Pick the last item key
$largest = end( array_keys($areas) );


echo $largest;
于 2013-08-10T13:50:09.617 に答える