我想通过以下规则集增加版本号$numero1 = "1.0.1"
。
所以我所做的是$numerosumado = $numero1 + 1
但由于这些点而无法正常工作。所以我的问题是我该怎么做?
答案 0 :(得分:4)
注意:这只是许多人的一种方式...
有关详细说明,请参阅此工作代码段中的注释。
<?php
$numero1 = "1.9.9";
$numerosumado = explode( ".", $numero1 ); // array( "1", "9", "9" )
if ( ++$numerosumado[2] > 9 ) { // if last incremented number is greater than 9 reset to 0
$numerosumado[2] = 0;
if ( ++$numerosumado[1] > 9 ) { // if second incremented number is greater than 9 reset to 0
$numerosumado[1] = 0;
++$numerosumado[0]; // incremented first number
}
}
$numerosumado = implode( ".", $numerosumado ); // implode array back to string
提示:递增数字字符串,例如&#34; 1&#34;或&#34; 0.9&#34;将自动将类型更改为整数或浮点数并按预期增量。
编辑:此解决方案更优雅。
<?php
$version = "9.9.9";
for ( $new_version = explode( ".", $version ), $i = count( $new_version ) - 1; $i > -1; --$i ) {
if ( ++$new_version[ $i ] < 10 || !$i ) break; // break execution of the whole for-loop if the incremented number is below 10 or !$i (which means $i == 0, which means we are on the number before the first period)
$new_version[ $i ] = 0; // otherwise set to 0 and start validation again with next number on the next "for-loop-run"
}
$new_version = implode( ".", $new_version );
答案 1 :(得分:3)
我认为如果没有太多if / #s / loop:
,这个工作更顺畅$a = '1.9.9';
$a = str_replace('.', '', $a) + 1;
$a = implode('.', str_split($a));
echo $a;
基本上将其转换为数字,然后将其转换回来。
唯一的缺点是第一个整数必须是>= 1
。所以0.0.1
无法工作。我假设它总是>= 1.0.0
来自你发布的内容。