// Your Rust code here
fn matrix_multiply(
matrix: [[i32; 3]; 3],
mul: [[i32; 1]; 3]
) -> [[i32; 1]; 3]
{
let mut result = [[0; 1]; 3];
for i in 0..3 {
for j in 0..1 {
for k in 0..3 {
result[i][j] += matrix[i][k] * mul[k][j];
}
}
}
result
}
fn main() {
#[rustfmt::skip]
let matrix_2d = [
[1, 2, 3],
[4, 5, 6],
[7, 8, 9]
];
#[rustfmt::skip]
let mat_mul = [
[1],
[2],
[3]
];
let mat_result = matrix_multiply(matrix_2d, mat_mul);
println!("Matrix 2D:");
for row in matrix_2d {
println!("{:?}", row);
}
println!("\nMatrix Mul:");
for row in mat_mul {
println!("{:?}", row);
}
println!("\nResult:");
for row in mat_result {
println!("{:?}", row);
}
}
// ~~~~~~ cargo run
// Result
Matrix 2D:
[1, 2, 3]
[4, 5, 6]
[7, 8, 9]
Matrix Mul:
[1]
[2]
[3]
Result:
[14]
[32]
[50]
matrix자동으로 인식하게 코드 구현
// Your Rust code here
fn matrix_multiply<T>(
matrix_a: &[Vec<T>],
matrix_b: &[Vec<T>],
mut multiply: impl FnMut(&T, &T) -> T,
mut add: impl FnMut(&T, &T) -> T,
) -> Vec<Vec<T>>
where
T: Default + Clone,
{
let rows_a = matrix_a.len();
let cols_a = matrix_a[0].len();
let rows_b = matrix_b.len();
let cols_b = matrix_b[0].len();
assert_eq!(
cols_a, rows_b,
"Matrix dimensions do not match for multiplication!"
);
// Initialize the result matrix with default values.
let mut result = vec![vec![T::default(); cols_b]; rows_a];
for i in 0..rows_a {
for j in 0..cols_b {
for k in 0..cols_a {
result[i][j] = add(&result[i][j], &multiply(&matrix_a[i][k], &matrix_b[k][j]));
}
}
}
result
}
malloc을 활용하여 동적 활당(dynamic programming)도 가능합니다. 이건...유료 회원에게만...
// Your C code here(C matrix)
#include <stdio.h>
#include <string.h>
#define COLS (5)
void init_matrix(int m[][COLS], int rows)
{
int i, j;
for (i = 0; i < rows; i++) {
for (j = 0; j < COLS; j++) {
m[i][j] = i*j;
}
}
}
int main(void)
{
int matrix[10][COLS];
init_matrix(matrix, 5);
// Print the matrix
for (int i = 0; i < 5; i++) {
for (int j = 0; j < COLS; j++) {
printf("%d ", matrix[i][j]);
}
printf("\n");
}
return 0;
}
// Result
0 0 0 0 0
0 1 2 3 4
0 2 4 6 8
0 3 6 9 12
0 4 8 12 16
void init_matrix(int m[][COLS], int rows)
{
int i, j;
for (i = 0; i < rows; i++) {
for (j = 0; j < COLS; j++) {
m[i][j] = 0;
}
}
}
이상 matrix를 활용하여 데이터를 저장하는 방법을 알아보았습니다.
유료 회원에게는 더 다양한 코드와 snippet과 AI를 활용한 생산성 100배의 코드제공과 코드의 기본 원리를 1:1로 알려 드리고 있습니다.
머신러닝과 AI시대는 matrix가 필수 인거 아시죠. 이제 데이터를 1차원으로 넣는게 아니라. 다차원으로 Data를 넣어서 알고리즘을 만들어야 하는 시대로 들어왔습니다.
OpenGV나 요즘 컴퓨터 비젼으로 뜨고 있는 OpenCV 코딩의 기초중에 기초는 매트릭스를 가지고 놀아야합니다.
AI 혁명으로 1900년도 산업업명 -> 2000년도 인터넷 혁명 -> 2010년도 스마트폰 혁명 -> 2016년 AI 혁명
인간 지능의 한계점을 돌파하는 시대에 살아 남으시려면 AI를 활용한 코딩은 필수 입니다.
Last update: 11-Jan-2025