행렬의 덧셈은 행과 열의 크기가 같은 두 행렬의 같은 행, 같은 열의 값을 서로 더한 결과가 됩니다. 2개의 행렬 arr1과 arr2를 입력받아, 행렬 덧셈의 결과를 반환하는 함수, solution을 완성해주세요.
class Solution {
fun solution(arr1: Array<IntArray>, arr2: Array<IntArray>): Array<IntArray> {
//var answer = Array(arr1.count()) {IntArray(arr1[0].count())}
var answer = Array(arr1.count()) {IntArray(arr1[0].count(), {0})}
for (i in arr1.indices) {
for (j in arr1[i].indices) {
answer[i][j] = arr1[i][j] + arr2[i][j]
}
}
return answer
}
}
class Solution {
fun solution(arr1: Array<IntArray>, arr2: Array<IntArray>): Array<IntArray> {
return Array(arr1.size) {
row ->
IntArray(arr1[0].size) {
col ->
arr1[row][col] + arr2[row][col]
}
}
}
}