473,621 Members | 2,745 Online
Bytes | Software Development & Data Engineering Community
+ Post

Home Posts Topics Members FAQ

Help Summing Rows and Columns In A Matrix

1 New Member
Hey
I have been trying to figure out how to sum rows and columns in a matrix square. I also have been trying to get the program to list the numbers of the diagonal in the matrix. So far this is the code I have (I am using Python):
Expand|Select|Wrap|Line Numbers
  1. def generate (rows, cols): # This just prints the coordinates and the number that goes in it, It also prints the matrix in a square
  2.     import random
  3.     m = {}
  4.     for r in range(rows):
  5.        for c in range(cols):
  6.             m[r,c]=random.randrange(100)
  7.     print m
  8.  
  9.     print "\n"
  10.  
  11.     for r in range(rows):
  12.         for c in range (cols):
  13.             print str(m[r,c]).rjust(4),
  14.         print
  15.     return m
  16.  
  17. def rowsum(m): # This is summing the row
  18.      results = []
  19.      for row in len(m): 
  20.         results=sum(m(row))  # I think this is were my problem is
  21.      return results
  22.  
  23. def columnsum(m): # This is summing the column
  24.      rows = len(m)
  25.      cols = len(m[0])  # I think this is were my other problem is
  26.      result = []
  27.      for c in range(cols):
  28.          sum = 0
  29.          for r in range(rows):
  30.              sum += m[r][c]
  31.          result.append(sum)
  32.      return result
  33.  
  34. def diagonal(m):  # This shows the numbers from the top left to bottom right diagonal
  35.      diagonal = []
  36.      rows = len(m)
  37.      for row in range(rows):
  38.          diagonal.append(m[row][row]) # I think this is were my final problem is
  39.      return diagonal
  40.  
The error I am getting is about my rows, columns and diagonals being strings and not numbers. I can do all the summing of the rows and columns and show the numbers in the diagonal just fine using lists. I know the dictionary form of summing the rows and columns and showing the numbers in the diagonal are very similar to the list form, but for the love of me I just can't figure it out. If someone has any ideas on how to best sum the rows and columns and show the numbers in the diagonal the help would be appreciated.
Jun 28 '07 #1
7 14983
bartonc
6,596 Recognized Expert Expert
Hey
I have been trying to figure out how to sum rows and columns in a matrix square. I also have been trying to get the program to list the numbers of the diagonal in the matrix. So far this is the code I have (I am using Python):
Expand|Select|Wrap|Line Numbers
  1. def generate (rows, cols): # This just prints the coordinates and the number that goes in it, It also prints the matrix in a square
  2.     import random
  3.     m = {}
  4.     for r in range(rows):
  5.        for c in range(cols):
  6.             m[r,c]=random.randrange(100)
  7.     print m
  8.  
  9.     print "\n"
  10.  
  11.     for r in range(rows):
  12.         for c in range (cols):
  13.             print str(m[r,c]).rjust(4),
  14.         print
  15.     return m
  16.  
  17. def rowsum(m): # This is summing the row
  18.      results = []
  19.      for row in len(m): 
  20.         results=sum(m(row))  # I think this is were my problem is
  21.      return results
  22.  
  23. def columnsum(m): # This is summing the column
  24.      rows = len(m)
  25.      cols = len(m[0])  # I think this is were my other problem is
  26.      result = []
  27.      for c in range(cols):
  28.          sum = 0
  29.          for r in range(rows):
  30.              sum += m[r][c]
  31.          result.append(sum)
  32.      return result
  33.  
  34. def diagonal(m):  # This shows the numbers from the top left to bottom right diagonal
  35.      diagonal = []
  36.      rows = len(m)
  37.      for row in range(rows):
  38.          diagonal.append(m[row][row]) # I think this is were my final problem is
  39.      return diagonal
  40.  
The error I am getting is about my rows, columns and diagonals being strings and not numbers. I can do all the summing of the rows and columns and show the numbers in the diagonal just fine using lists. I know the dictionary form of summing the rows and columns and showing the numbers in the diagonal are very similar to the list form, but for the love of me I just can't figure it out. If someone has any ideas on how to best sum the rows and columns and show the numbers in the diagonal the help would be appreciated.
I've added CODE tags to your post. More on that later.

The syntax
Expand|Select|Wrap|Line Numbers
  1. m = {}
creates an empty dictionary. For matrix work, you'll want to install the NumPy package.

I'll post an example shortly.

Thanks for joining the Python Forum on TheScripts.com.
Jun 28 '07 #2
bartonc
6,596 Recognized Expert Expert
I've added CODE tags to your post. More on that later.

The syntax
Expand|Select|Wrap|Line Numbers
  1. m = {}
creates an empty dictionary. For matrix work, you'll want to install the NumPy package.

I'll post an example shortly.

Thanks for joining the Python Forum on TheScripts.com.
Here is the download page for SciPy and NumPy.
Jun 28 '07 #3
bartonc
6,596 Recognized Expert Expert
I've added CODE tags to your post. More on that later.

The syntax
Expand|Select|Wrap|Line Numbers
  1. m = {}
creates an empty dictionary. For matrix work, you'll want to install the NumPy package.

I'll post an example shortly.

Thanks for joining the Python Forum on TheScripts.com.
Expand|Select|Wrap|Line Numbers
  1. import random
  2. import numpy
  3.  
  4.  
  5.  
  6.  
  7. def generate (rows, cols): # This just prints the coordinates and the number that goes in it, It also prints the matrix in a square
  8. ##    m = {}
  9.     m = numpy.zeros((rows, cols), int)
  10.     for r in range(rows):
  11.         for c in range(cols):
  12.             m[r, c] = random.randrange(100)
  13. ##    print m
  14. ##
  15. ##    print "\n"
  16. ##
  17. ##    for r in range(rows):
  18. ##        for c in range (cols):
  19. ##            print str(m[r,c]).rjust(4),
  20. ##        print
  21.     return m
  22.  
  23. matrix = generate(4, 4)
  24. print matrix
  25.  
[[72 69 51 67]
[65 14 39 51]
[84 54 6 2]
[67 13 3 54]]
Jun 28 '07 #4
bartonc
6,596 Recognized Expert Expert
Here is the download page for SciPy and NumPy.
Here's a native python list version:
Expand|Select|Wrap|Line Numbers
  1. def NativeZeros(nRows, nCols):
  2.     return [[0 for row in range(nRows)] for col in range(nCols)]
  3.  
  4.  
  5.  
  6. matrix = NativeZeros(4, 4)
  7. print matrix
  8. matrix[2][2] = 11
  9. for item in matrix:
  10.     print item
[[0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]]
[0, 0, 0, 0]
[0, 0, 0, 0]
[0, 0, 11, 0]
[0, 0, 0, 0]
Jun 28 '07 #5
bartonc
6,596 Recognized Expert Expert
Here's a native python list version:
Expand|Select|Wrap|Line Numbers
  1. def NativeZeros(nRows, nCols):
  2.     return [[0 for row in range(nRows)] for col in range(nCols)]
  3.  
  4.  
  5.  
  6. matrix = NativeZeros(4, 4)
  7. print matrix
  8. matrix[2][2] = 11
  9. for item in matrix:
  10.     print item
[[0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]]
[0, 0, 0, 0]
[0, 0, 0, 0]
[0, 0, 11, 0]
[0, 0, 0, 0]
These techniques use a thing called list comprehension. Here's an example of using one to sum the entire matrix:
Expand|Select|Wrap|Line Numbers
  1. def NativeZeros(nRows, nCols):
  2.     return [range(nRows) for col in range(nCols)]
  3.  
  4.  
  5.  
  6. matrix = NativeZeros(4, 4)
  7. print matrix
  8. print sum([sum(row) for row in matrix])
[[0, 1, 2, 3], [0, 1, 2, 3], [0, 1, 2, 3], [0, 1, 2, 3]]
24
Jun 28 '07 #6
bartonc
6,596 Recognized Expert Expert
These techniques use a thing called list comprehension. Here's an example of using one to sum the entire matrix:
Expand|Select|Wrap|Line Numbers
  1. def NativeZeros(nRows, nCols):
  2.     return [range(nRows) for col in range(nCols)]
  3.  
  4.  
  5.  
  6. matrix = NativeZeros(4, 4)
  7. print matrix
  8. print sum([sum(row) for row in matrix])
[[0, 1, 2, 3], [0, 1, 2, 3], [0, 1, 2, 3], [0, 1, 2, 3]]
24
Here's the column summer:
Expand|Select|Wrap|Line Numbers
  1. print sum([row[3] for row in matrix])
12
Jun 28 '07 #7
bvdet
2,851 Recognized Expert Moderator Specialist
Here is a simple matrix class I have played with in the past and this AM:
Expand|Select|Wrap|Line Numbers
  1. class Matrix(object):
  2.     def __init__(self, rows, cols):
  3.         self.rows = rows
  4.         self.cols = cols
  5.         # initialize matrix and fill with zeroes
  6.         self.data = [[0 for _ in range(cols)] for _ in range(rows)]
  7.  
  8.     def sumRow(self, row):
  9.         return sum(self.data[row])
  10.  
  11.     def sumCol(self, col):
  12.         return sum([row[col] for row in self.data])
  13.  
  14.     def sumDiag(self, startCol):
  15.         colList = [startCol+i for i in range(self.cols)]
  16.         for i, item in enumerate(colList):
  17.             if item > self.cols-1:
  18.                 colList[i] -= self.cols
  19.         return sum([row[col] for row,col in zip(self.data, colList)])
  20.  
  21.     def sumDiag2(self, startCol):
  22.         num = max(self.cols, self.rows)
  23.         colList = [startCol+i for i in range(num)]
  24.         rowList = range(num)
  25.         for i in range(len(colList)):
  26.             while colList[i] > self.cols-1:
  27.                 colList[i] -= self.cols
  28.         for i in range(len(rowList)):
  29.             while rowList[i] > self.rows-1:
  30.                 rowList[i] -= self.rows
  31.         return sum([self.data[row][col] for row,col in zip(rowList, colList)])
  32.  
  33.     def __setitem__(self, pos, v):
  34.         self.data[pos[0]][pos[1]] = v
  35.  
  36.     def __getitem__(self, pos):
  37.         return self.data[pos[0]][pos[1]]
  38.  
  39.     def __iter__(self):
  40.         for row in self.data:
  41.             yield row
  42.  
  43.     def __str__(self):
  44.         outStr = ""
  45.         for i in range(self.rows):
  46.             outStr += 'Row %s = %s\n' % (i, self.data[i])
  47.         return outStr
  48.  
  49.     def __repr__(self):
  50.         return 'Matrix(%d, %d)' % (self.rows, self.cols)
and some interaction:
Expand|Select|Wrap|Line Numbers
  1. >>> import random
  2. >>> b = Matrix(4,8)
  3. >>> for row in b:
  4. ...     for i in range(b.cols):
  5. ...         row[i] = random.randrange(100)
  6. ...         
  7. >>> b
  8. Matrix(4, 8)
  9. >>> print b
  10. Row 0 = [77, 61, 7, 76, 66, 88, 74, 7]
  11. Row 1 = [87, 2, 52, 42, 99, 55, 6, 16]
  12. Row 2 = [19, 42, 95, 89, 17, 59, 71, 12]
  13. Row 3 = [87, 12, 76, 55, 49, 56, 5, 0]
  14.  
  15. >>> b.sumCol(3)
  16. 262
  17. >>> b.sumRow(0)
  18. 456
  19. >>> sum([77, 61, 7, 76, 66, 88, 74, 7])
  20. 456
  21. >>> b.sumDiag(0)
  22. 229
  23. >>> b.sumDiag2(0)
  24. 421
  25. >>> b.sumDiag2(3)
  26. 451
  27. >>> 
Can someone improve the sum diagonal methods?
Jun 28 '07 #8

Sign in to post your reply or Sign up for a free account.

Similar topics

7
1740
by: greenflame | last post by:
I am trying to make a matrix object. I have given it some properites. I am trying to add a method. When I call the method by Test.showDims(...) I want to only enter one input, that is the method by which to do it. As you can see from the object definition that it corresponds to a function that takes two inputs. When I try to run the script it does nothing. So what is wrong and how do I fix it? Here is the script. function...
7
1735
by: Jim | last post by:
Hi people. I was hoping someone could help me as this is driving me up the wall. I'm trying to write a program that deals with matrix multiplication. The Program uses a couple of typedefined structure as follows: typedef double (*Rowptr); // Holds rows of 4 doubles
10
1827
by: Nevets Steprock | last post by:
I'm writing a web program where one of the sections is supposed to output a correlation matrix. The typical correlation matrix looks like this: ..23 ..34 .54 ..76 .44 .28 ..02 .77 .80 .99 I've written code to calculate the correlation data and it is populated in a vector like this:
4
320
by: rburdette | last post by:
I need to do a sum of rows and sum of columns in Visual Basic. Is there another way to do it other than the one I have below? 5 7 3 9 12 4 8 9 13 4 0 -`1 -7 13 8 4 4 4 4 0 Private Sub Form1_Load(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles MyBase.Load
6
3969
by: kilter | last post by:
Anyone know of a routine that will return the number of rows and columns in a matrix?
8
2318
by: mohammaditraders | last post by:
#include <iostream.h> #include <stdlib.h> #include <conio.h> #include <string.h> class Matrix { private : int numRows, numCols ; int elements ;
8
1881
by: Dameon99 | last post by:
my program compiles without problems but when i try to run it pauses shortly and then crashes. When i set it to debug it came up with the following message: "An Access Violation (Segmentation Fault) raised in your program." Ill put my code below. can anyone see why it is doing this? /* Program Function: Reads in data on a boolean matrix (/s) and outputs * whether the file has parity, is corrupt or the coordinates of the bit...
3
3876
by: crazygrey | last post by:
Hello, I'm a newbie to C++ so excuse me if my question was trivial but it is important to me. I'm implementing a simple code to find the forward kinematics of a robot: #include "stdafx.h" #include<iostream> #include<iomanip> #include<fstream> #include"math.h"
1
1954
by: dcatunlucky | last post by:
Ok, I have an assignment to write a program that multiplies two matrices. The matrices dimensions will be user defined as well as the numbers (floating point values) inside of them. The program must check to see if the two matrices are able to be multiplied. This is the code that I have so far: #include "stdafx.h" #include <iostream> using namespace std;
0
8213
marktang
by: marktang | last post by:
ONU (Optical Network Unit) is one of the key components for providing high-speed Internet services. Its primary function is to act as an endpoint device located at the user's premises. However, people are often confused as to whether an ONU can Work As a Router. In this blog post, we’ll explore What is ONU, What Is Router, ONU & Router’s main usage, and What is the difference between ONU and Router. Let’s take a closer look ! Part I. Meaning of...
1
8306
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows Update option using the Control Panel or Settings app; it automatically checks for updates and installs any it finds, whether you like it or not. For most users, this new feature is actually very convenient. If you want to control the update process,...
0
8457
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each protocol has its own unique characteristics and advantages, but as a user who is planning to build a smart home system, I am a bit confused by the choice of these technologies. I'm particularly interested in Zigbee because I've heard it does some...
1
6101
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 1 May 2024 starting at 18:00 UK time (6PM UTC+1) and finishing by 19:30 (7.30PM). In this session, we are pleased to welcome a new presenter, Adolph Dupré who will be discussing some powerful techniques for using class modules. He will explain when you may want to use classes instead of User Defined Types (UDT). For example, to manage the data in unbound forms. Adolph will...
0
5554
by: conductexam | last post by:
I have .net C# application in which I am extracting data from word file and save it in database particularly. To store word all data as it is I am converting the whole word file firstly in HTML and then checking html paragraph one by one. At the time of converting from word file to html my equations which are in the word document file was convert into image. Globals.ThisAddIn.Application.ActiveDocument.Select();...
0
4150
by: adsilva | last post by:
A Windows Forms form does not have the event Unload, like VB6. What one acts like?
1
2587
by: 6302768590 | last post by:
Hai team i want code for transfer the data from one system to another through IP address by using C# our system has to for every 5mins then we have to update the data what the data is updated we have to send another system
1
1763
muto222
by: muto222 | last post by:
How can i add a mobile payment intergratation into php mysql website.
2
1460
bsmnconsultancy
by: bsmnconsultancy | last post by:
In today's digital era, a well-designed website is crucial for businesses looking to succeed. Whether you're a small business owner or a large corporation in Toronto, having a strong online presence can significantly impact your brand's success. BSMN Consultancy, a leader in Website Development in Toronto offers valuable insights into creating effective websites that not only look great but also perform exceptionally well. In this comprehensive...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.