Home »
Kotlin »
Kotlin Programs »
Kotlin Array Programs
Kotlin program to subtract two matrices
Kotlin | Two matrices subtraction: Here, we are going to learn how to subtract two given matrices using multi-dimensional array in Kotlin programming language?
Submitted by IncludeHelp, on May 06, 2020
Kotlin - Subtract two matrices
Given two matrices, we have to subtract them.
Example:
Input:
matrix 1:
[2, 3, 5]
[0, 5, 4]
[2, 1, 2]
matrix 2:
[6, 34, 2]
[5, 7, 5]
[3, 4, 3]
Output:
[-4, -31, 3]
[-5, -2, -1]
[-1, -3, -1]
Program to subtract two matrices in Kotlin
package com.includehelp
import java.util.*
// Main function, Entry Point of Program
fun main(args: Array<String>) {
//variable of rows and col
val rows: Int
val column: Int
//Input Stream
val scanner = Scanner(System.`in`)
//Input no of rows and column
print("Enter the number of rows and columns of matrix : ")
rows = scanner.nextInt()
column = scanner.nextInt()
//Create Array
val matrixA = Array(rows) { IntArray(column) }
val matrixB = Array(rows) { IntArray(column) }
val matrixSum = Array(rows) { IntArray(column) }
//Input Matrix
println("Enter the Elements of First Matrix ($rows X $column} ): ")
for(i in matrixA.indices){
for(j in matrixA[i].indices){
print("matrixA[$i][$j]: ")
matrixA[i][j]=scanner.nextInt()
}
}
//Input Matrix
println("Enter the Elements of Second Matrix ($rows X $column} ): ")
for(i in matrixB.indices){
for(j in matrixB[i].indices){
print("matrixB[$i][$j]: ")
matrixB[i][j]=scanner.nextInt()
}
}
//print Matrix A
println("Matrix A : ")
for(i in matrixA.indices){
println("${matrixA[i].contentToString()} ")
}
//print Matrix B
println("Matrix B : ")
for(i in matrixB.indices){
println("${matrixB[i].contentToString()} ")
}
//Perform Subtraction
for(i in matrixSum.indices){
for(j in matrixSum[i].indices){
matrixSum[i][j] = matrixA[i][j] - matrixB[i][j]
}
}
//Print Sum of Matrices
println("Sum of the Matrices:")
for(i in matrixSum.indices){
println("${matrixSum[i].contentToString()} ")
}
}
Output
Run 1:
Enter the number of rows and columns of matrix : 3
3
Enter the Elements of First Matrix (3 X 3} ):
matrixA[0][0]: 2
matrixA[0][1]: 3
matrixA[0][2]: 5
matrixA[1][0]: 0
matrixA[1][1]: 5
matrixA[1][2]: 4
matrixA[2][0]: 2
matrixA[2][1]: 1
matrixA[2][2]: 2
Enter the Elements of Second Matrix (3 X 3} ):
matrixB[0][0]: 6
matrixB[0][1]: 34
matrixB[0][2]: 2
matrixB[1][0]: 5
matrixB[1][1]: 7
matrixB[1][2]: 5
matrixB[2][0]: 3
matrixB[2][1]: 4
matrixB[2][2]: 3
Matrix A :
[2, 3, 5]
[0, 5, 4]
[2, 1, 2]
Matrix B :
[6, 34, 2]
[5, 7, 5]
[3, 4, 3]
Sum of the Matrices:
[-4, -31, 3]
[-5, -2, -1]
[-1, -3, -1]