John Mavrick's Garden

Search IconIcon to open search

Last updated Unknown

Status: Tags: Links: C Variables


C Arrays

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
int arr[2] = {0, 1, 2} //stating size isn't necessary

//Changing Values
arr [2] = 3;
(array + 2) = 3; //equivalent

___
# Backlinks
```dataview
list from C Arrays AND !outgoing(C Arrays)

Examples

Average of an array’s values
 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
float average(float ar[], int n) {
    float sum = 0; 

    for (int i = 0; i < n; i++) {
        sum += ar[i];
    }

    return sum / n; 
}

int main() {
    float arr[6] = {0.2, 4.5, 1.2, 5.5, 1.1, -1.2};
    float avg = average(arr, 6);
    return 0; 
}
Copy Array

Write a function that gets arrays of ints of length n and copies all data from one array into the other.

 1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
void copy_arry(float* dest, const float* src, int n) {
    for (int i = 0; i < n; i++) {
       dest[i] = src[i];
    }
}

int main() {
    float arr[6] = {0.2, 4.5, 1.2, 5.5, 1.1, -1.2};
    float arr2[6] = {0.2, 4.5, 1.2, 5.5, 1.1, -1.2};

    copy_arry(arr, arr2, 6);
    return 0; 
}

Multidimensional Array

Creating a 2D array

1
2
int width = 640, height = 480;
int image[height][width];

Accessing a 2D array

1
2
3
4
image[i][j] = 128; 
// ---- OR --- 
(*(image + i))[j] = 128 // each element of image is type of int[width] 
// the size of each element is sizeof(int)*width 

See multid_array.c

Q: Is the type int** is equivalent to int[][]

A: int** is


References: C - Array of pointers (tutorialspoint.com)

Created:: 2021-09-13 15:35


Interactive Graph