将数字转换为excel的字符串

时间:2013-09-01 14:16:37

标签: php string phpexcel

我需要根据excel列命名方案将整数(列数)转换为字符串,如下所示:

1 => A
2 => B
25 => Z
26 => AA
28 => AC
51 => BA

你知道在php中做一个聪明而无痛的方法,还是应该编写我自己的自定义函数?

2 个答案:

答案 0 :(得分:3)

你可以通过一个简单的循环来完成:

$number = 51;
$letter = 'A';
for ($i = 1; $i <= $number; ++$i) {
    ++$letter;
}
echo $letter;

虽然如果你经常使用更高的值来做这件事,那就会有点慢

或查看PHPExcel的Cell对象中的stringFromColumnIndex()方法,该对象用于此目的

public static function stringFromColumnIndex($pColumnIndex = 0) {
    //  Using a lookup cache adds a slight memory overhead, but boosts speed
    //    caching using a static within the method is faster than a class static,
    //    though it's additional memory overhead
    static $_indexCache = array();

    if (!isset($_indexCache[$pColumnIndex])) {
        // Determine column string
        if ($pColumnIndex < 26) {
            $_indexCache[$pColumnIndex] = chr(65 + $pColumnIndex);
        } elseif ($pColumnIndex < 702) {
            $_indexCache[$pColumnIndex] = chr(64 + ($pColumnIndex / 26)) .
                chr(65 + $pColumnIndex % 26);
        } else {
            $_indexCache[$pColumnIndex] = chr(64 + (($pColumnIndex - 26) / 676)) .
                chr(65 + ((($pColumnIndex - 26) % 676) / 26)) .
                chr(65 + $pColumnIndex % 26);
        }
    }
    return $_indexCache[$pColumnIndex];
}

请注意,PHPExcel方法的索引从0开始,因此您可能需要稍微调整它以使A从1开始,或者递减传递的数值

单元格对象中还有一个对应的columnIndexFromString()方法,它从列地址返回一个数字

答案 1 :(得分:1)

使用纯PHP也可以轻松完成:

function getCellFromColnum($colNum) {
    return ($colNum < 26 ? chr(65+$colNum) : chr(65+floor($colNum/26)-1) . chr(65+ ($colNum % 26)));
}