Skip to main content

How to convert column index into letters with Google Apps Script

Although Google Sheets does not provide a ready-to-use function that takes a column index as an input and returns corresponding letters as output, we can still do the task by leveraging other built-in functions ADDRESS, REGEXEXTRACT, INDEX, SPLIT as shown in the post. However, in form of a formula, that solution is not applicable for scripting with Google Apps Script. In this post, we look at how to write a utility function with Google Apps Script that converts column index into corresponding letters.

Use SPARKLINE column chart to show stock price trend in Google Sheets

Table of Contents

Concept

With the solution in the form of a formula, we don't even need to understand how column index and letters map each other. With apps script, we need to understand the mapping to come up with an algorithm.

In a spreadsheet, columns are indexed alphabetically, starting from A.

  • Obviously, the first 26 columns correspond to 26 alphabet characters, A to Z.
  • The next 676 columns (26*26), from 27th to 702nd, are indexed with 2 letters. [AA, AB, ... AY, AZ], [BA, BB, ... BY, BZ], ... [MA, MB, ... MY, MZ], ... [ZA, ZB, ... ZY, ZZ]. Each alphabet character takes a turn (in order) to precede all 26 alphabet characters.
  • The next 17576 columns (26*26*26), from 703rd to 18278th, are indexed with 3 letters. [AAA, AAB, ... AAY, AAZ], [ABA, ABB, ... ABY, ABZ], ... [ZZA, ZZB, ... ZZY, ZZZ]. Each letter AA to ZZ above takes a turn (in order) to precede all 26 alphabet characters.
  • etc.

The above observation suggests a recursive pattern. Columns with 3 letters depend on columns with 2 letters, columns with 2 letters depend on columns with 1 letter. Moreover, the number of letters for a column depends on its index divided by 26. It suggests that we need to divide column index by 26 to apply the recursive pattern. So, here are the steps of the algorithm:

  • let ALPHABETS=['A', 'B', 'C', 'D', ... 'X', 'Y', 'Z']
  • if k <= 26, then return ALPHABETS[k - 1];
  • else return getColumnLetters(k / 26) + ALPHABETS[(k % 26) - 1]
Column IndexColumn LettersDivide by 26
12L=12
13M=13
26Z=26
27AA=1*26+1
37AK=1*26+11
38AL=1*26+12
53BA=2*26+1
75BW=2*26+23
988AKZ=37*26+26
989ALA=38*26+1
1390BAL=53*26+12
1963BWM=75*26+13

Let's take the column 1963rd as an example:

  • As 1963=75*26+13, the 1963rd column letters are the concatenation of the 75th column letters and the 13th column letters.
    • As 13 < 26, the 13rd column's letter is the 13rd alphabet character that is M.
    • As 75 = 2 * 26 + 23, the 75th column letters are the concatenation of the 2nd column letters and the 23rd column letters.
      • As 2 < 26, the 2nd column letter is the 2nd alphabet character that is B.
      • As 23 < 26, the 23rd column letter is the 23rd alphabet character that is W.
      • The 75th column letters are hence B + W = BW.
    • The 1963rd column letters are hence BW + M = BWM.

Let's analyze the column 988th that is a little bit trickier because 988 is divisible by 26:

  • As 988=38*26+0, the 988th column letters are the concatenation of the 38th column letters and the 0th column letters. But wait, column index starts from 1, doesn't it?.
    • In fact, as 988 is divisible by 26, it can be expressed as 988=37*26+26. That means the 988th column letters are the concatenation of the 37th column letters and the 26th column letters.
    • As 26 = 26, the 26th column letter is the 26th alphabet character that is Z.
    • As 37 = 1 * 26 + 11, the 37th column letters are the concatenation of the 1st column's letter and the 11th column's letter.
      • Because, 1 < 26, the 1st column letter is the 1st alphabet character that is A.
      • As 11 < 26, the 11th column letter is the 11th alphabet character that is K.
      • The 37th column letters are hence A + K = AK.
    • The 988th column letters are hence AK + Z = AKZ.

To implement this algorithm in javascript, we need to pay attention to certain points:

  • The column index, which is the input of the function, starts from 1, while the array in javascript starts from 0.
  • When dividing the column index by 26, we need to round the result down.
  • If the column index is divisible by 26, the residual is 0. To apply the next recursive call, we need to reduce the result by one while increasing the residual by 26.

Demo

Finally, you can find below an example of code to convert column index into corresponding letters in Google Apps Script and a test function that prints out letters for all the first 1000 columns in 3 different ways that we have discovered in these 2 posts.

function getColumnLetters(columnIndexStartFromOne) { const ALPHABETS = ['A', 'B', 'C', 'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U', 'V', 'W', 'X', 'Y', 'Z'] if (columnIndexStartFromOne < 27) { return ALPHABETS[columnIndexStartFromOne - 1] } else { var res = columnIndexStartFromOne % 26 var div = Math.floor(columnIndexStartFromOne / 26) if (res === 0) { div = div - 1 res = 26 } return getColumnLetters(div) + ALPHABETS[res - 1] } }

function test() { var rows = [] var row1 = [] var row2 = [] var row3 = [] var row4 = [] for(let i = 1; i < 1000; i++) { row1.push(getColumnLetters(i)) row2.push(i) row3.push('=REGEXEXTRACT(ADDRESS(1, ' + i + '),"\\$([A-Za-z]+)\\$")') row4.push('=INDEX(SPLIT(ADDRESS(1, ' + i + '),"$"),1,1)') } rows.push(row1, row2, row3, row4) var sheetName = "test" var spreadsheet = SpreadsheetApp.getActive() var sheet = spreadsheet.getSheetByName(sheetName) if (sheet) { sheet.clear() } else { sheet = spreadsheet.insertSheet(sheetName, spreadsheet.getNumSheets()) } sheet.getRange(1, 1, rows.length, rows[0].length).setValues(rows) }

Disclaimer

The post is only for informational purposes and not for trading purposes or financial advice.

Feedback

If you have any feedback, question, or request please:

Support this blog

If you value my work, please support me with as little as a cup of coffee! I appreciate it. Thank you!

Share with your friends

If you read it this far, I hope you have enjoyed the content of this post. If you like it, share it with your friends!

Comments

  1. Hello Friend, I found this and I think is better:

    function columnToLetter(column)
    {
    var temp, letter = '';
    while (column > 0)
    {
    temp = (column - 1) % 26;
    letter = String.fromCharCode(temp + 65) + letter;
    column = (column - temp - 1) / 26;
    }
    return letter;
    }

    ReplyDelete
    Replies
    1. Hi,

      Nice way of using while loop instead of recursive programming.

      Thanks for your comment.

      Delete

Post a Comment

Popular posts

Compute cost basis of stocks with FIFO method in Google Sheets

Compute cost basis of stocks with FIFO method in Google Sheets

After selling a portion of my holdings in a stock, the cost basis for the remain shares of that stock in my portfolio is not simply the sum of all transactions. When selling, I need to decide which shares I want to sell. One of the most common accounting methods is FIFO (first in, first out), meaning that the shares I bought earliest will be the shares I sell first. As you might already know, I use Google Sheets extensively to manage my stock portfolio investment, but, at the moment of writing this post, I find that Google Sheets does not provide a built-in formula for FIFO. Luckily, with lots of effort, I succeeded in building my own FIFO solution in Google Sheets, and I want to share it on this blog. In this post, I explain how to implement FIFO method in Google Sheets to compute cost basis in stocks investing.
Create personal stock portfolio tracker with Google Sheets and Google Data Studio

Create personal stock portfolio tracker with Google Sheets and Google Data Studio

I have been investing in the stock market for a while. I was looking for a software tool that could help me better manage my portfolio, but, could not find one that satisfied my needs. One day, I discovered that the Google Sheets application has a built-in function called GOOGLEFINANCE which fetches current or historical prices of stocks into spreadsheets. So I thought it is totally possible to build my own personal portfolio tracker with Google Sheets. I can register my transactions in a sheet and use the pivot table, built-in functions such as GOOGLEFINANCE, and Apps Script to automate the computation for daily evolutions of my portfolio as well as the current position for each stock in my portfolio. I then drew some sort of charts within the spreadsheet to have some visual ideas of my portfolio. However, I quickly found it inconvenient to have the charts overlapped the table and to switch back and forth among sheets in the spreadsheet. That's when I came to know the existen...
Use SPARKLINE to create 52-week range price indicator chart for stocks in Google Sheets

Use SPARKLINE to create 52-week range price indicator chart for stocks in Google Sheets

The 52-week range price indicator chart shows the relative position of the current price compared to the 52-week low and the 52-week high price. It visualizes whether the current price is closer to the 52-week low or the 52-week high price. In this post, I explain how to create a 52-week range price indicator chart for stocks by using the SPARKLINE function and the GOOGLEFINANCE function in Google Sheets.
Compute daily evolutions of a stock portfolio with Google Sheets and Apps Script

Compute daily evolutions of a stock portfolio with Google Sheets and Apps Script

When it comes to investment, it is not only important to know the up-to-date state of portfolio but also to track its evolution day by day. We need to know on a specific day, how much money has been invested in the portfolio, the current market value of owned shares, the available cash and the current profit. Visualizing those historical data points on a time-based graph helps us to identify which transactions were good and which were bad. This post shows how to compute automatically those historical data points by using data in Transactions sheet and the built-in GOOGLEFINANCE function of Google Sheets. A sample spreadsheet can be found in this post Demo stock portfolio tracker with Google Sheets . You can take a look at the sample spreadsheet to have an idea of how the data is organized and related. It is possible to make a copy of the spreadsheet to study it thoroughly.
Manage Stock Transactions With Google Sheets

Manage Stock Transactions With Google Sheets

The first task of building a stock portfolio tracker is to design a solution to register transactions. A transaction is an event when change happens to a stock portfolio, for instance, selling shares of a company, depositing money, or receiving dividends. Transactions are essential inputs to a stock portfolio tracker and it is important to keep track of transactions to make good decisions in investment. In this post, I will explain step by step how to keep track of stock transactions with Google Sheets.
Time value of money, Present Value (PV), Future Value (FV), Net Present Value (NPV), Internal Rate of Return (IRR)

Time value of money, Present Value (PV), Future Value (FV), Net Present Value (NPV), Internal Rate of Return (IRR)

Why do I use my current money to invest in the stock market? Because I expect to have more money in the future. Why do I need more money in the future than now? Because of many reasons, the same amount of money will have less purchasing power than today. Therefore my investment needs to generate more money than today to protect my purchasing power in the future. That is the main concept of the time value of money where one dollar today is worth more than one dollar in the future.
Slice array in Google Sheets

Slice array in Google Sheets

Many functions in Google Sheets return an array as the result. However, I find that there is a lack of built-in support functions in Google Sheets when working with an array. For example, the GOOGLEFINANCE function can return the historical prices of a stock as a table of two columns and the first-row being headers Date and Close. How can I ignore the headers or remove the headers from the results?
Monitor stock investment portfolio with Pivot table and GOOGLEFINANCE function in Google Sheets

Monitor stock investment portfolio with Pivot table and GOOGLEFINANCE function in Google Sheets

As an investor, it is important to know the latest state of the stock portfolio. We need to know what stocks currently owned in the portfolio, how many shares for each one, how much dividend or gain contributed so far by each stock, etc. As we have registered stock transactions in a spreadsheet with Google Sheets, we can easily have the latest update from the stock portfolio by using pivot tables and GOOGLEFINANCE function.
Create a dividend income tracker with Google Sheets by simply using pivot tables

Create a dividend income tracker with Google Sheets by simply using pivot tables

As my investment strategy is to buy stocks that pay regular and stable dividends during a long-term period, I need to monitor my dividends income by stocks, by months, and by years, so that I can answer quickly and exactly the following questions: How much dividend did I receive on a given month and a given year? How much dividend did I receive for a given stock in a given year? Have a given stock's annual dividend per share kept increasing gradually over years? Have a given stock's annual dividend yield been stable over years? In this post, I explain how to create a dividend tracker for a stock investment portfolio with Google Sheets by simply using pivot tables.