Removing elements of an array - c
I am new to c and was wondering if there are any built in operations to remove a specified element from an array.
for example if I wanted to remove the even elements in an array
for(.....) //goes through the array one by one
if(nums[i] / 2 = 0)
nums[i].remove;
What could I put instead of .remove to remove the number.
on a separate note if anybody knows a good documentation website for other c array operations would you be able to link it?
No, elements cannot be removed from an array.
An array has a certain size from the moment you create it and that size cannot be changed.
You would need to loop through your array starting at the item you want to remove and then copy each successive array item into the one before it. e.g. Shift the array items to the left.
Once you have done that, you can use realloc() to trim the last array item off of the allocated memory. You'll of course need to do the math to determine the size of each array item and pass realloc() the original size of the array minus the one that you are going to "trim off".
Other options would bememmove and memcopy, but then you get into all kinds of extra temp buffers.
An example of "manually" shifting array items:
int* items = NULL;
int arraySize = 10;
int itemToRemove = 5;
items = (int*)malloc(sizeof(int) * arraySize);
//Initialize the array with some dummy values.
for (int i = 0; i < arraySize; i++)
{
items[i] = (i * 100);
}
//Print out the contents of the array - before we remove an item.
printf("Before removing item:\n");
for (int i = 0; i < arraySize; i++)
{
printf("items[%d]: %d\n", i, items[i]);
}
//Shift each array item left, starting at the item specified by "itemToRemove".
for (int i = itemToRemove; i < arraySize; i++)
{
items[i] = items[i + 1];
}
arraySize--; //Be sure to keep track of the new array size.
//Reallocate the array, this will trim the size of the allocated block of memory.
items = (int*)realloc(items, sizeof(int) * arraySize);
//Print out the contents of the array - after we remove an item.
//** NOTICE: The array now only contains 9 items and the 5th one contains the data previously held in the 6th, etc.
printf("After removing item:\n");
for (int i = 0; i < arraySize; i++)
{
printf("items[%d]: %d\n", i, items[i]);
}
//Be sure to cleanup when done. :)
free(items);
Related
What is this sorting algorithm?
I happened to write a simple sorting algorithm, but I am not sure what this algorithm is called. #include<stdio.h> #include<stdlib.h> void IDontKnowWhatThisIs(int* arr, int size){ int* minuscount = malloc(size * sizeof(int)); //new location chooser array int* valarr = malloc(size * sizeof(int)); //value backup array //compare all elements: size^2 for (int i = 0; i < size; i++){ valarr[i] = arr[i]; minuscount[i] = 0; for (int j = 0; j < size; j++){ if (i != j){ //the one with the least amount(0) is the smallest value if (arr[i] - arr[j] > 0){ minuscount[i] += 1; } } } } //O(size) for (int i = 0; i < size; i++){ //place everything back in arr[minuscount[i]] = valarr[i]; } free(minuscount); free(valarr); //total time complexity: O(size^2) } int main(){ int arr[10] = { 50, 2, 13, 33, 62, 11, 30, 66, 1, -101 }; IDontKnowWhatThisIs(arr, 10); for (int i = 0; i < 10; i++) printf("%d ", arr[i]); return 0; } It is a simple algorithm that compares each elements with one another and counts new location for them. and then it is copied back to the original array. I don't think it is one of those generic n^2 algorithms(selection, bubble, insertion), but the concept of it is still very simple, so I am sure this algorithm already exists. edit: on second thought, I think this is similar to a selection sort, but unoptimized as it compares even more..
I am not aware of a name for this algorithm. It's clever, but unfortunately you need to add an extra step if you want to handle possible duplicates in the array. For instance, if the array is: [3;4;4;1;2] then minuscount will be [2;3;3;0;1] and the two 4 will be put in the same cell in arr, resulting in the final array [1;2;3;4;2] where that final 2 is leftover from the original array.
I don't known a name either. I would call it RankSort, because it computes the rank of every element, in order to permute them to their sorted location. This sort is not very attractive because it takes two extra arrays, one for the ranks and one as a buffer for permutation (the buffer can be avoided by implementing the permutation in-place); as said by others, possible equal elements require special handling, namely a lexicographical comparison on value then index. This has a cost; it performs all N² comparisons. (This can be reduced to N(N-1)/2 by updating the rank of the largest element.)
Deleting Elements from an Array based on their Position every 3 Elements
I created an array called elements_n which has the elements 0 to N-1 where N is 2. The below numbers are the elements of the array called elements_n: 0 1 I have another array called Arr which has the following elements: 0 1 3 1 2 4 If any of the first 3 elements of the array Arr are equal to the first element of elements_n which is 0, I would like to delete that element from the array called Arr. I then repeat the same process for the next 3 elements of the array Arr. So to explain myself better, I will use the following example: Compare the first 3 elements of array Arr which are 0, 1, 3 to the first element of elements_n which is 0. Since Arr[0] == elements_n[0]. I delete Arr[0] from the array Arr. Compare the next 3 elements of array Arr which are 1, 2, 4 to the second element of elements_n which is 1. Since Arr[3] == elements_n[1]. I delete Arr[3] from the array Arr. So the elements that should be left in the array Arr are: 1 3 2 4 When I implemented it myself in C programming with the code found below the end result is coming: 1 3 3 2 2 4 Rather than: 1 3 2 4 This is the code I implemented: #include <stdio.h> #include <stdlib.h> #define N 2 int main() { unsigned *elements_n = malloc(N * sizeof(unsigned)); for (int i = 0; i < N; i++) { elements_n[i] = i; //Created an array which has the elements 0 to N-1 } printf("\n"); unsigned Arr[6] = { 0, 1, 3, 1, 2, 4 }; unsigned position_indices[2] = { 3, 3 }; //Moving every 3 elements in the Arr array. int count = 0; int index = 0; unsigned *ptr_Arr = &Arr[0]; do { for (int i = 0; i < position_indices[count]; i++) { if (ptr_Arr[i] == elements_n[count]) { index = i + 1; //Index of the Arr element that has the same value as the element in the array elements_n for (int j = index - 1; j < position_indices[count] - 1; j++) { ptr_Arr[j] = ptr_Arr[j + 1]; } } } printf("\n"); ptr_Arr += position_indices[count] - 1; count++; } while (count < 2); for (int i = 0; i < 6; i++) { printf("%d\t", Arr[i]); } printf("\n"); free(elements_n); return 0; }
You might try something like this (not tested). #include <stdio.h> #include <stdlib.h> #define N 2 int main() { unsigned *elements_n = malloc(N * sizeof(unsigned)); for (int i = 0; i < N; i++) { elements_n[i] = i; //Created an array which has the elements 0 to N-1 } unsigned Arr[6] = { 0, 1, 3, 1, 2, 4 }; int dest_index = 0; int src_index = 0; int count = sizeof(Arr)/sizeof(Arr[0]); for ( ; src_index < count; src_index++) { int group = src_index / 3; if (Arr[src_index] != elements_n[group]) { Arr[dest_index++] = Arr[src_index]; } } for (int i = 0; i < dest_index; i++) { printf("%d\t", Arr[i]); } printf("\n"); free(elements_n); return 0; }
You need to keep track of how many elements you removed from the array. My solution: #include <stdio.h> #include <stddef.h> #include <assert.h> #include <string.h> size_t fancy_delete_3(const int elems[], size_t elemssize, int arr[], size_t arrsize) { assert(elems != NULL); assert(arr != NULL); assert(arrsize%3 == 0); assert(elemssize*3 == arrsize); // we need to count the removed elements, to know how much we need to shift left size_t removed = 0; // for each element in elems for (size_t i = 0; i < elemssize; ++i) { // check the three correponding elements in arr for (size_t j = i*3; j < (i+1)*3; ++j) { assert(j >= removed); const size_t pos = j - removed; // if elems[i] matches any of the corresponding element in arr if (elems[i] == arr[pos]) { // remove element at position pos assert(arrsize >= pos + 1); // I don't think this can ever overflow memmove(&arr[pos], &arr[pos + 1], (arrsize - pos - 1) * sizeof(int)); ++removed; // array is one element shorter, so we can just decrease the array size assert(arrsize > 0); --arrsize; } } } // we return the new size of the array return arrsize; } #define __arraycount(x) sizeof(x)/sizeof(x[0]) int main() { int elements_n[] = {0,1}; int arr[] = {0,1,3, 1,2,4}; size_t newsize = fancy_delete_3(elements_n, __arraycount(elements_n), arr, __arraycount(arr)); printf("arr size=%zu {", newsize); for (size_t i = 0; i < newsize; ++i) printf("%d,", arr[i]); printf("}\n"); return 0; }
You have several related problems around how you perform deletions. In the first place, it's not clear that you understand that you cannot actually delete anything from a C array. The closest you can come is to overwrite it with something else. Often, pseudo-deletion from an array is implemented by moving each of the elements following the deleted one one position forward, and reducing the logical length of the array.* You seem to have chosen this alternative, but (problem 1) you miss maintaining or updating a logical array length. Your problem is made a bit more complicated by the fact that you logically subdivide your array into segments, and you seem not to appreciate that your segments are variable-length in that, as described, they shrink when you delete an element. This follows from the fact that deleting an element from one group does not change the assignments of elements to other groups. You do have a mechanism in position_groups that apparently serves to track the sizes of the groups, and in that sense its name seems ill-fitting. In the same way that you need to track and update the logical length of the overall array, you'll need to track and update the lengths of the groups. Finally, you appear to have an off-by-one error here: for (int j = index - 1; j < position_indices[count]-1; j++) that would be clearer if position_indices were better named (see above), but recognizing that what it actually contains is the size of each group, and that index and j represent indices within the group, it follows that the boundary condition for the iteration should instead be just j < position_indices[count]. That's moot, however, because you're going to need a somewhat different approach here anyway. Suggestion, then: When you delete an element from a group, move up the entire tail of the array, not just the tail of the group. In service to that, update both group size and logical array size when you perform a deletion, remembering that that affects also where each subsequent group starts. When you examine or output the result, remember to disregard array elements past the logical end of the array. * "Logical array size" means the number of (leading) elements that contain meaningful data. In your case, the logical array size is initially the same as the physical array size, but each time you delete an element (and therefore move up the tail) you reduce the logical size by one.
You never really "deleted" any element, you just shifted-down the second and third elements from each 3-group. And then, when printing, you iterated over the whole array. Arrays are just continuous blocks of memory, so you need a different strategy. You could traverse the original array with two indexes, one as the general index counter and other as the index for the shifted slot. If the current element is different from the corresponding elements_n item, copy it to the secondary index and increase it. In case nothing is equal to the elements_n item, you would just reassign the array elements to themselves. However, as soon as one is equal you will be shifting them with the advantage of keeping track of the new size. Also, calculating the corresponding elements_n item is a simple matter of dividing the current index by 3, so you don't even need an extra variable to that. #include <stdio.h> #define N 2 int main() { unsigned elements_n[N] = { 0, 1 }; unsigned Arr[N*3] = { 0, 1, 3, 1, 2, 4 }; int i, j; for (i = 0, j = 0; i < N*3; i++) if (Arr[i] != elements_n[i/3]) Arr[j++] = Arr[i]; for (i = 0; i < j; i++) printf(" %d", Arr[i]); printf("\n"); return 0; }
Why does the last element of an array change?
I have the following code: void generate_random_array(int8_t array[], int array_size){ srand(time(NULL)); for(int i = 0; i < array_size + 1; i++){ array[i] = rand() % 21 + (-10); printf("%d, %d\n", array[i], i); } } int main(){ int8_t some_array[100]; generate_random_array(some_array, 100); for(int i = 0; i < 101; i++){ printf("%d %d\n", some_array[i], i); } return 0; } The program generates random elements of a given array in the range from -10 to 10 and then it displays them. The problem is that the last element of an array changes to 100 when I print elements the second time. I would like to know why.
Indexing of an array starts at zero. int array[3];// an int array with 3 elements array[0]; //first element array[1]; //second element array[2]; //third element array[3]; //undefined because it is beyond the end of the array
In your function generate_random_array you are iterating the i upto array_size + 1. And you have declared an array of size 100; int8_t some_array[100]; OS will reserve the 100*sizeof(int8_t) bytes memory for you. Indexes of your array would be lying in range [0,100) ie. excluding the 100th location. Now, what you are doing is that you modifying the some_array[100] which you have not claimed in your declaration. Its being possible because C doesn't do any out-of-bound access checking. But key point to note is that you are trying to modifying/reading the unclaimed memory. So this is undetermined behavior. It might be possible that you might get different value other than 100, sometimes. But all story short, this behavior is undetermined because you are accessing the out-of-bound index of array.
Find location of numbers in 2d array
I have two arrays. Array A and Array B. Now I need to get where in array B is sequence from array A located. I need to get location of last number and I don't know how. A[4]={6,3,3,2}; B[10][18]={ {5,3,6,5,6,1,6,1,4,4,5,4,4,6,3,3,1,3}, {6,2,3,6,3,3,2,4,3,1,5,5,3,4,4,1,6,5}, {6,4,3,1,6,2,2,5,3,4,3,2,6,4,5,5,1,4}, {5,3,5,6,6,4,3,2,6,5,1,2,5,6,5,2,3,1}, {1,2,5,2,6,3,1,5,4,6,4,4,4,2,2,2,3,3}, {4,1,4,2,3,2,3,6,4,1,6,2,3,4,4,1,1,4}, {5,3,3,2,6,2,5,2,3,1,2,6,5,1,6,4,1,3}, {4,5,2,1,2,5,2,6,4,3,3,2,3,3,3,1,5,1}, {1,3,5,5,2,1,3,3,3,1,3,3,6,3,3,3,6,5}, {4,5,2,4,2,3,4,2,5,6,5,2,6,3,5,4,5,2} }; For example: Sequence 6,3,3,2 start in second row and in forth column and ends in seventh column. I need to get location of number 2. My result should be: Row = 2, Column= 7 Sequence isn't always in row. It can be in column to. For example: 3,2,4,3 and I ned to know location of number 4. I know how to search one number in one dimensional array but in this case I don't have solution. Language is C.
You can compare blocks using memcmp: for (i = 0; i < rows; i++) { /* For each row */ for (j = 0; j < cols - size; j++) { /* For each col until cols - 4 */ if (memcmp(A, &B[i][j], sizeof(A)) == 0) { /* Compare entire block */ #include <stdio.h> #include <string.h> int main(void) { int A[4] = {6,3,3,2}; int B[10][18] = { {5,3,6,5,6,1,6,1,4,4,5,4,4,6,3,3,1,3}, {6,2,3,6,3,3,2,4,3,1,5,5,3,4,4,1,6,5}, {6,4,3,1,6,2,2,5,3,4,3,2,6,4,5,5,1,4}, {5,3,5,6,6,4,3,2,6,5,1,2,5,6,5,2,3,1}, {1,2,5,2,6,3,1,5,4,6,4,4,4,2,2,2,3,3}, {4,1,4,2,3,2,3,6,4,1,6,2,3,4,4,1,1,4}, {5,3,3,2,6,2,5,2,3,1,2,6,5,1,6,4,1,3}, {4,5,2,1,2,5,2,6,4,3,3,2,3,3,3,1,5,1}, {1,3,5,5,2,1,3,3,3,1,3,3,6,3,3,3,6,5}, {4,5,2,4,2,3,4,2,5,6,5,2,6,3,5,4,5,2} }; size_t i, j, size, rows, cols; int founded = 0; size = sizeof(A) / sizeof(A[0]); rows = sizeof(B) / sizeof(B[0]); cols = sizeof(B[0]) / sizeof(B[0][0]); for (i = 0; i < rows; i++) { for (j = 0; j < cols - size; j++) { if (memcmp(A, &B[i][j], sizeof(A)) == 0) { founded = 1; break; } } if (founded) break; } if (founded) printf("Row: %zu Col: %zu\n", i + 1, j + size); return 0; }
The problem is not the language. The problem you face is you need to come out with the algorithm first. Actually this can be easily done by just looking at the first number of the 1D array. In your example it is 6 from (6,3,3,2). Look for 6 in your 2D array. Once 6 is found use a loop which loop 4 times (because there are 4 numbers to look for - (6,3,3,2). In the loop, check whether the subsequent numbers are 3,3,2. If it is, return the location Else continue the process to look for 6. Done! It will look like this: for(x=0; x<rows; x++) for(y=0; y<cols; y++) { if(matrix[x][y] == array1D[0]) for(z=1; z<array1DSize; z++){ if(matrix[x][y] != array1D[z]) break; location = y; } }
If you know how to do it with a one dimensional array, you can do it like that in C with multidimensional arrays too! For instance, say you have a two dimensional array like so: int array[5][5]; // 5x5 array of ints You can actually access it in linear fashion, by doing: (*array)[linear offset] So that means if you want to access the 2nd column of the 2nd row, you can do: (*array)[6] Because the 2nd row starts at index 5, and the second column is at index 1, so you would do (5+1) to get 6. Likewise, the 3rd row would start at index 10, so if you wanted the 2nd column in the third row, you can do (10+1). Knowing that, you can take your original algorithm and adapt it to access the multidimensional array in a linear fashion. This takes place of the "wrap around" possibility as well.
How to insert an element into an array on malloc?
say we are going to insert an element into an array on malloc. I know where and how to insert, but I'm having trouble shuffling every succeeding element down by 1. What would be the technical approach for this? Thanks | x x x x x x x x x x x | original array | x x x x x 0 x x x x x x | new array Suppose the "memmove" function is not available to us...
Yes, if you need to do this without memmove, you can do it with a simple loop. Note that you might also need to use realloc first, to expand the size of the allocated array so that it can fit the new element. The trick to this is having the loop move each element one forward, starting from the last one. A moment's reflection should tell you why this is necessary.
The basic principle is the same whether the array is dynamically allocated, statically allocated or automatically allocated. The main difference is that if there is insufficient room in a dynamically allocated array, you can reallocate it with more space (subject to some system-imposed limits. Assuming there is enough space in the array, you could use memmove() to copy the section of the array after target location up one space, and then set the target location to the inserted value. Or you could write a loop to do the job. int *dynarr = malloc(24 * sizeof(*dynarr)); int idx = 0; dynarr[idx++] = 0; dynarr[idx++] = 23; dynarr[idx++] = 34; dynarr[idx++] = 9; dynarr[idx++] = 15; Now insert at position n = 2: memmove(&dynarr[n+1], &dynarr[n], (idx - n) * sizeof(int)); dynarr[n] = 19; idx++; That's a bulk move, an assignment, and increment the counter because there's one more element in the array. Since the question was edited to disallow memmove(), here is a solution with simple array indexing, assuming that the same initialization sequence is used: int i; int n = 2; for (i = idx; i > n; i--) { dynarr[i] = dynarr[i-1]; } dynarr[n] = 19; idx++; Complete example code: #include <stdlib.h> #include <string.h> #include <stdio.h> static void print_array(int *a, int n) { int i; for (i = 0; i < n; i++) { printf("a[%d] = %d\n", i, a[i]); } } int main() { { int *dynarr = malloc(24 * sizeof(*dynarr)); int idx = 0; dynarr[idx++] = 0; dynarr[idx++] = 23; dynarr[idx++] = 34; dynarr[idx++] = 9; dynarr[idx++] = 15; printf("Before insert\n"); print_array(dynarr, idx); int n = 2; memmove(&dynarr[n+1], &dynarr[n], (idx - n) * sizeof(int)); dynarr[n] = 19; idx++; printf("After insert\n"); print_array(dynarr, idx); free(dynarr); } { int *dynarr = malloc(24 * sizeof(*dynarr)); int idx = 0; dynarr[idx++] = 0; dynarr[idx++] = 23; dynarr[idx++] = 34; dynarr[idx++] = 9; dynarr[idx++] = 15; printf("Before insert\n"); print_array(dynarr, idx); int n = 2; int i; for (i = idx; i > n; i--) { dynarr[i] = dynarr[i-1]; } dynarr[n] = 19; idx++; printf("After insert\n"); print_array(dynarr, idx); free(dynarr); } return(0); }
As Don suggested, memmove() will allow moving part of this array, in order to make room for the new element. Depending on the size of the elements in the array, you may also consider storing only pointers, in the array, allowing easier/faster re-shuffling of the array, at the cost of a extra indirection when accessing individual elements. (and also at the cost of having to manage individual element-sized memory blocks). Deciding on this type of approach depends on the amount of reorganization of the array elements, as well as their size. Alert: in view of the added "picture" in the question, memmove(), or indeed any operation, may be impossible, if the memory move implies writing past the size of memory originally allocated! If this is really what is desired, the idea of an array of pointers may be more appropriate as this allows allocating an over-sized memory block initially (for the array proper) and to allocate (or dispose of) individual elements as needed. Edit: "We're not allowed to use memmove()" indicates some form of homework. (BTW do tag it as such !!!) To better help you we need to understand the particular premise of the question. Here's what appears to be the situtation: 1) we readily have an array, containing say N elements. 2) the array on the heap, i.e. it was allocated using malloc() (or related functions) 3) the effective size of the malloc-ated block of memory is bigger than that of the array. Is #3 true ? 4) Depending on #3 we need to either allocate a new memory block (a bigger one) and copy the array. We expect this copy would be done in 3 steps - copy the elements that precede the new element - copy the new element - copy the elements that are after the new element or... (if we have enough room), we'd require two steps - "shift" the elements that are supposed to be after the new element This can be done one element at a time, if we wish to avoid memcopy - copy the new element.