Si sus matrices no están ordenadas, la peor complejidad de tiempo para una exclusión de matriz con una solución intuitiva es O (n) (aunque puede mejorar esto si ordena las matrices primero), ya que necesita para verificar la matriz completa si un elemento existe o no.
Ejemplo de peor de los casos:
array a1 = [1, 3, 4, 5, 8];
array a2 = [8, 5, 4, 3, 1];
Si se ordenan las matrices, a continuación, el peor complejidad de tiempo caso es O (n + m) (pseudo-código):
int i = 0;
for(int j = 0; i < a1.size && j < a2.size;){
if(a1[i] == a2[j])
++i, ++j; // exclude this element
if(a1[i] < a2[j]){
a3.push(a1[i]); // include this element
++i;
}
if(a1[i] > a2[j])
++j; // ignore lesser elements
}
while(i < a1.size)
a3.push(a1[i]);
ACTUALIZACIÓN código-Wall -Wextra -pedantic
C:
#include <stdio.h>
#include <malloc.h>
/**
* The following function excludes values from an array using another arrays values.
* Note that this version won't exclude multiple values, for this you have to drop
* '++j' in line 25.
*
* \param[in] from Original sorted array
* \param[in] from_length Original array length
* \param[in] what Sorted array including the excluding values
* \param[in] what_length self describing
* \param[out] result_length the lenght of the new array - a value lesser 0 indicates an error.
*/
int* exclude(int* from, int from_length, int* what, int what_length, int* result_length){
int i,j,k;
int* result = (int*) malloc(sizeof(int)*from_length);
if(result == NULL){
*result_length = -1;
return NULL;
}
for(i = j = k = 0; i < from_length && j < what_length;){
if(from[i] == what[j])
++i, ++j; /* exclude this element - to enable multiple exclusion drop '++j'
4,4,5,6 /4 --> 5,6 */
if(from[i] < what[j])
result[k++] = from[i++];
if(from[i] > what[j])
++j; /* ignore lesser elements */
}
while(i < from_length)
result[k++] = from[i++];
if(k < from_length){
int* tmp = (int*) realloc(result,sizeof(int)*k);
if(tmp == NULL){
/* either error handling or returning result */
}else{
result = tmp;
}
}
*result_length = k;
return result;
}
int main(){
int a[6] = {1,2,3,4,5,6};
int b[3] = {2,4,5};
int result_length;
int i;
int *c = exclude(a,6,b,3,&result_length);
for(i = 0; i < result_length; ++i)
printf("%i ",c[i]);
free(c);
return 0;
}
Esta voluntad r esult en la peor complejidad de tiempo de O(n+m)
para matrices ordenadas y O(n log n + m log m)
para matrices no ordenadas (ordena ambas, usa la función provista anteriormente).
me temo que esto es un camino a seguir. Excepto ... Si ha ordenado matrices, siempre puede mover el "punto de partida" y comenzar desde 'j = something' ... – Vyktor