Create a method called countZeros, which takes an integer array as an input parameter and returns the number of zero entries in the array

Create a function called minifigs_from_themes that takes as input a theme id (as an integer) and outputs all the minifigs contained in sets with that theme

To create a method called `countZeros` that counts the number of zero entries in an integer array, you can follow these steps:

1. Declare a method named `countZeros` that takes an integer array as an input parameter. The return type of this method should be an integer representing the count of zero entries.
```java
public static int countZeros(int[] array) {
// Method implementation goes here
}
```

2. Initialize a variable `count` to keep track of the number of zero entries in the array. Set it initially to zero.
```java
int count = 0;
```

3. Loop through the elements of the array using a `for` loop. For each element, check if it is equal to zero.
```java
for (int i = 0; i < array.length; i++) {
if (array[i] == 0) {
// Increment the count if the element is zero
count++;
}
}
```

4. Finally, return the value of the `count` variable as the result.
```java
return count;
```

Putting it all together, the complete `countZeros` method would look like this:
```java
public static int countZeros(int[] array) {
int count = 0;
for (int i = 0; i < array.length; i++) {
if (array[i] == 0) {
count++;
}
}
return count;
}
```

You can now call this method by passing an integer array as an argument, and it will return the count of zero entries in that array.