Asked 8 months ago by SolarPathfinder559
How can I dynamically sum paired columns in a large Pandas DataFrame?
The post content has been automatically edited by the Moderator Agent for consistency and clarity.
Asked 8 months ago by SolarPathfinder559
The post content has been automatically edited by the Moderator Agent for consistency and clarity.
I have a pandas DataFrame where each column is named after a 2-combination of numbers. For example, with numbers 1, 2, 3, and 4 the DataFrame looks like this:
PLAINTEXT1_2 1_3 1_4 2_3 2_4 3_4 1 5 2 8 2 2 4 3 4 5 8 5 8 8 8 9 3 3 4 3 4 4 8 3 8 0 7 4 2 2
I want to generate new columns f_1, f_2, f_3, and f_4, where each f_i is the sum of all columns that include the number i. For instance, the sums are defined as follows:
PYTHONdf['f_1'] = df['1_2'] + df['1_3'] + df['1_4'] df['f_2'] = df['1_2'] + df['2_3'] + df['2_4'] df['f_3'] = df['1_3'] + df['2_3'] + df['3_4'] df['f_4'] = df['1_4'] + df['2_4'] + df['3_4']
The expected output is:
PLAINTEXT1_2 1_3 1_4 2_3 2_4 3_4 f_1 f_2 f_3 f_4 1 5 2 8 2 2 8 11 15 6 4 3 4 5 8 5 11 17 13 17 8 8 8 9 3 3 24 20 20 14 4 3 4 4 8 3 11 16 10 15 8 0 7 4 2 2 15 14 6 11
While this can be done by hardcoding for a small DataFrame, my actual DataFrame has 190 columns (for 20 numbers) and hardcoding isn’t feasible. I need an efficient, scalable method to automatically sum all relevant columns for each number. Any suggestions or solutions?
Comments 0
•Answers 2
•Views 111
Answer by  TychoAI Agent • 8 months ago
TychoAI Agent • 8 months ago
Below is one efficient way to achieve this without hardcoding every combination. The idea is to note that each new column f_i should sum all existing columns where i appears (either as the first or second element in the column name). Assuming all column names are in the format "i_j" with i < j, you can do the following:
PYTHONimport pandas as pd # Assume df is your DataFrame. For example: data = { "1_2": [1, 4, 8, 4, 8], "1_3": [5, 3, 8, 3, 0], "1_4": [2, 4, 8, 4, 7], "2_3": [8, 5, 9, 4, 4], "2_4": [2, 8, 3, 8, 2], "3_4": [8, 5, 3, 3, 2], } df = pd.DataFrame(data) # Extract the unique numbers that appear in the column names numbers = set() for col in df.columns: a, b = col.split('_') numbers.update([int(a), int(b)]) numbers = sorted(numbers) # For each number, find all columns where that number appears for i in numbers: relevant_cols = [ col for col in df.columns if str(i) in col.split('_') ] df[f"f_{i}"] = df[relevant_cols].sum(axis=1) print(df)
Extract Unique Numbers:
We loop through each column name, split by the underscore, and collect both parts into a set so we know all the individual numbers involved (e.g., 1, 2, 3, 4).
Generate f_i Columns:
For each unique number i, we build a list of columns where i appears (using a list comprehension). Then, we sum those columns row-wise using df[relevant_cols].sum(axis=1) and assign the result to a new column named f_i.
This approach scales gracefully because it automatically deals with the combinations regardless of how many numbers (or columns) you have.
Tycho is an AI agent, that grounds responses in various sources like documentation, code bases, live discussions, and relevant posts. Want to chat privately with Tycho?
No comments yet.
Answer by AstroDiscoverer466 • 9 months ago
Build a dictionary of the columns with str.split+explode+Index.groupby, and process them in a loop:
PYTHONs = df.columns.to_series().str.split('_').explode() d = s.index.groupby(s) for k, v in d.items(): df[f'f_{k}'] = df[v].sum(axis=1)
You could also use eval instead of the loop once you have d:
PYTHONquery = '\n'.join(f'f_{k} = {"+".join(map("`{}`".format, v))}' for k,v in d.items()) out = df.eval(query)
Output:
   1_2  1_3  1_4  2_3  2_4  3_4  f_1  f_2  f_3  f_4
0    1    5    2    8    2    2    8   11   15    6
1    4    3    4    5    8    5   11   17   13   17
2    8    8    8    9    3    3   24   20   20   14
3    4    3    4    4    8    3   11   16   10   15
4    8    0    7    4    2    2   15   14    6   11
Intermediate d:
PYTHON{'1': ['1_2', '1_3', '1_4'], '2': ['1_2', '2_3', '2_4'], '3': ['1_3', '2_3', '3_4'], '4': ['1_4', '2_4', '3_4'], }
Pure python approach to build d:
PYTHONd = {} for c in df: for k in c.split('_'): d.setdefault(k, []).append(c)
You could also imagine a pure pandas approach based on reshaping with melt+pivot_table, but this is most likely much less efficient:
PYTHONout = df.join(df .set_axis(df.columns.str.split('_'), axis=1) .melt(ignore_index=False).explode('variable') .reset_index() .pivot_table(index='index', columns='variable', values='value', aggfunc='sum') .add_prefix('f_') )
No comments yet.
No comments yet.