25

I want to know how to check if a value or a object exists in an array, like in python:

a = [1,2,3,4,5]
b = 4
if b in a:
    print("True!")
else:
    print("False")

I want to know if something similar already exists in cython. I have a struct object array of pointers; I want to know if the object exists in this array.

Like

cdef Node *array

array = <Node *>malloc( 5 * cython.sizeof(Node))

for i in range(5):
     array[i].index = i

cdef Node test = array[3]

if test in array:
    print("True!")

cdef struct Node:
    int index

The code above is not correct, but it illustrates what I mean.

hat
  • 781
  • 2
  • 14
  • 25
Jean-Francois Gallant
  • 13,583
  • 6
  • 20
  • 24

2 Answers2

35

You pretty much have to iterate through the array and check each element.

#include <stdbool.h>

bool isvalueinarray(int val, int *arr, int size){
    int i;
    for (i=0; i < size; i++) {
        if (arr[i] == val)
            return true;
    }
    return false;
}
luser droog
  • 18,988
  • 3
  • 53
  • 105
  • 2
    thanks , in my case I think is the best solution. My array is short and I have to search in it many time. Sorting and bsearch each time propably don't make a great time improvement. thanks a lot. – Jean-Francois Gallant Feb 27 '13 at 10:52
-3

Try next:

(read comments and tests for details how it working)

#include <stdio.h>
#include <assert.h>


/*
Return index an integer number begin from start an array,
otherwise return -1.
 */
int indexOf(int *array, int array_size, int number) {
    for (int i = 0; i < array_size; ++i) {
        if (array[i] == number) {
            return i;
        }
    }
    return -1;
}


// Tests for indexOf()
void test_indexOf() {
    int array[10] = {12, 78, -43, 0, 21, 12, 20, -9, 1, -1};
    assert(indexOf(array, 10, 12) == 0);
    assert(indexOf(array, 10, 0) == 3);
    assert(indexOf(array, 10, 2) == -1);
    assert(indexOf(array, 10, 43) == -1);
    assert(indexOf(array, 10, 11) == -1);
    assert(indexOf(array, 10, -1) == 9);
    assert(indexOf(array, 10, 1) == 8);
    assert(indexOf(array, 10, -2) == -1);
    assert(indexOf(array, 10, 3) == -1);
}


int main () {
    test_indexOf();
    return 0;
}

Notes:

  1. Since the C has not support for reload functions, indexOf() will be work only with array type of integer.

  2. The C has not support for determinate length of a pointer of an array. So, you need manually pass size of array.

  3. Testing environment:

-

$ uname -a
Linux wlysenko-Aspire 3.13.0-37-generic #64-Ubuntu SMP Mon Sep 22 21:28:38 UTC 2014 x86_64 x86_64 x86_64 GNU/Linux
$ gcc --version
gcc (Ubuntu 4.8.5-2ubuntu1~14.04.1) 4.8.5
PADYMKO
  • 4,217
  • 2
  • 36
  • 41