Check if an array is empty or exists

JavascriptJqueryArrays

Javascript Problem Overview


When the page is loading for the first time, I need to check if there is an image in image_array and load the last image.

Otherwise, I disable the preview buttons, alert the user to push new image button and create an empty array to put the images;

The problem is that image_array in the else fires all time. If an array exists - it just overrides it, but alert doesn't work.

if(image_array.length > 0)
	$('#images').append('<img src="'+image_array[image_array.length-1]+'" class="images" id="1" />');
else{
	$('#prev_image').attr('disabled', 'true');
	$('#next_image').attr('disabled', 'true');
	alert('Please get new image');
	var image_array = [];
}

UPDATE Before loading html, I have something like this:

<?php if(count($images) != 0): ?>
<script type="text/javascript">
	<?php echo "image_array = ".json_encode($images);?>
</script>
<?php endif; ?>

Javascript Solutions


Solution 1 - Javascript

if (typeof image_array !== 'undefined' && image_array.length > 0) {
    // the array is defined and has at least one element
}

Your problem may be happening due to a mix of implicit global variables and variable hoisting. Make sure you use var whenever declaring a variable:

<?php echo "var image_array = ".json_encode($images);?>
// add var  ^^^ here

And then make sure you never accidently redeclare that variable later:

else {
    ...
    image_array = []; // no var here
}

Solution 2 - Javascript

To check if an array is either empty or not

A modern way, ES5+:

if (Array.isArray(array) && array.length) {
	// array exists and is not empty
}

An old-school way:

typeof array != "undefined"
	&& array != null
	&& array.length != null
	&& array.length > 0

A compact way:

if (typeof array != "undefined" && array != null && array.length != null && array.length > 0) {
	// array exists and is not empty
}

A CoffeeScript way:

if array?.length > 0

Why?

Case Undefined
Undefined variable is a variable that you haven't assigned anything to it yet.

let array = new Array();     // "array" !== "array"
typeof array == "undefined"; // => true

Case Null
Generally speaking, null is state of lacking a value. For example a variable is null when you missed or failed to retrieve some data.

array = searchData();  // can't find anything
array == null;         // => true

Case Not an Array
Javascript has a dynamic type system. This means we can't guarantee what type of object a variable holds. There is a chance that we're not talking to an instance of Array.

supposedToBeArray =  new SomeObject();
typeof supposedToBeArray.length;       // => "undefined"

array = new Array();
typeof array.length;                   // => "number"

Case Empty Array
Now since we tested all other possibilities, we're talking to an instance of Array. In order to make sure it's not empty, we ask about number of elements it's holding, and making sure it has more than zero elements.

firstArray = [];
firstArray.length > 0;  // => false

secondArray = [1,2,3];
secondArray.length > 0; // => true

Solution 3 - Javascript

How about (ECMA 5.1):

if(Array.isArray(image_array) && image_array.length){
  // array exists and is not empty
}

Solution 4 - Javascript

This is what I use. The first condition covers truthy, which has both null and undefined. Second condition checks for an empty array.

if(arrayName && arrayName.length > 0){
	//do something.
}

or thanks to tsemer's comment I added a second version

if(arrayName && arrayName.length)

Then I made a test for the second condition, using Scratchpad in Firefox:

var array1;
var array2 = [];
var array3 = ["one", "two", "three"];
var array4 = null;

console.log(array1);
console.log(array2);
console.log(array3);
console.log(array4);

if (array1 && array1.length) {
  console.log("array1! has a value!");
}

if (array2 && array2.length) {
  console.log("array2! has a value!");
}

if (array3 && array3.length) {
  console.log("array3! has a value!");
}

if (array4 && array4.length) {
  console.log("array4! has a value!");
}

which also proves that if(array2 && array2.length) and if(array2 && array2.length > 0) are exactly doing the same

Solution 5 - Javascript

optional chaining

As optional chaining proposal reached stage 4 and is getting wider support, there is a very elegant way to do this

if(image_array?.length){

  // image_array is defined and has at least one element

}

Solution 6 - Javascript

You should use:

  if (image_array !== undefined && image_array.length > 0)

Solution 7 - Javascript

If you want to test whether the image array variable had been defined you can do it like this

if(typeof image_array === 'undefined') {
    // it is not defined yet
} else if (image_array.length > 0) {
    // you have a greater than zero length array
}

Solution 8 - Javascript

JavaScript

( typeof(myArray) !== 'undefined' && Array.isArray(myArray) && myArray.length > 0 )

Lodash & Underscore

( _.isArray(myArray) && myArray.length > 0 )

Solution 9 - Javascript

You can use jQuery's isEmptyObject() to check whether the array contains elements or not.

var testArray=[1,2,3,4,5]; 
var testArray1=[];
console.log(jQuery.isEmptyObject(testArray)); //false
console.log(jQuery.isEmptyObject(testArray1)); //true 

Source: https://api.jquery.com/jQuery.isEmptyObject/

Solution 10 - Javascript

A simple way that doesn't result in exceptions if not exist and convert to boolean:

!!array

Example:

if (!!arr) {
  // array exists
}

Solution 11 - Javascript

Using undescore or lodash:

_.isArray(image_array) && !_.isEmpty(image_array)

Solution 12 - Javascript

How about this ? checking for length of undefined array may throw exception.

if(image_array){
//array exists
    if(image_array.length){
    //array has length greater than zero
    }
}

Solution 13 - Javascript

The best is to check like:

    let someArray: string[] = [];
    let hasAny1: boolean = !!someArray && !!someArray.length;
    let hasAny2: boolean = !!someArray && someArray.length > 0; //or like this
    console.log("And now on empty......", hasAny1, hasAny2);

See full samples list: code sample results

Solution 14 - Javascript

I come across this issue quite a lot in Javascript. For me the best way to do it is to put a very broad check before checking for length. I saw some other solutions in this Q&A, but I wanted to be able to check for either null or undefined or any other false value.

if(!array || array.length == 0){
    console.log("Array is either empty or does not exist")
}

This will first check for undefined, null, or other false values. If any of those are true, it will complete the boolean as this is an OR. Then the more risky check of array.length, which could error us if array is undefined, can be checked. This will never be reached if array is undefined or null, so the ordering of conditions is very important.

Solution 15 - Javascript

If you do not have a variable declared as array you can create a check:

if(x && x.constructor==Array && x.length){
   console.log("is array and filed");
}else{
    var x= [];
    console.log('x = empty array');
}

This checks if variable x exists and if it is, checks if it is a filled array. else it creates an empty array (or you can do other stuff);

If you are certain there is an array variable created there is a simple check:

var x = [];

if(!x.length){
    console.log('empty');
} else {
    console.log('full');
}

You can check my fiddle here with shows most possible ways to check array.

Solution 16 - Javascript

For me sure some of the high rated answers "work" when I put them into jsfiddle, but when I have a dynamically generated amount of array list a lot of this code in the answers just doesn't work for ME.

This is what IS working for me.

var from = [];

if(typeof from[0] !== undefined) {
  //...
}

Notice, NO quotes around undefined and I'm not bothering with the length.

Solution 17 - Javascript

> The following is my solution wrapped in a function that also throws > errors to manage a couple of problems with object scope and all types > of possible data types passed to the function.

Here's my fiddle used to examine this problem (source)

var jill = [0];
var jack;
//"Uncaught ReferenceError: jack is not defined"

//if (typeof jack === 'undefined' || jack === null) {
//if (jack) {
//if (jack in window) {
//if (window.hasOwnP=roperty('jack')){
//if (jack in window){

function isemptyArray (arraynamed){
	//cam also check argument length
  if (arguments.length === 0) { 
    throw "No argument supplied";
  }
  
  //console.log(arguments.length, "number of arguments found");
  if (typeof arraynamed !== "undefined" && arraynamed !== null) {
      //console.log("found arraynamed has a value");
      if ((arraynamed instanceof Array) === true){
        //console.log("I'm an array");
        if (arraynamed.length === 0) {
        	//console.log ("I'm empty");
        	return true;
        } else {
          return false;
        }//end length check
      } else {
      	//bad type
        throw "Argument is not an array";
      } //end type check
  } else {
  	//bad argument
    throw "Argument is invalid, check initialization";;
  }//end argument check
}

try {
  console.log(isemptyArray(jill));
} catch (e) {
	console.log ("error caught:",e);
}

Solution 18 - Javascript

You should do this

    if (!image_array) {
      // image_array defined but not assigned automatically coerces to false
    } else if (!(0 in image_array)) {
      // empty array
      // doSomething
    }

Solution 19 - Javascript

Probably your image_array is not array but some OBJECT with length property (like string) - try

if(image_array instanceof Array && image_array.length)

function test(image_array) {
  if(image_array instanceof Array && image_array.length) { 
    console.log(image_array,'- it is not empty array!')
  } else {
    console.log(image_array,'- it is empty array or not array at all!')
  }
}

test({length:5});
test('undefined');
test([]);
test(["abc"]);

Solution 20 - Javascript

In my case, array_.length always returned 0, even if it had values inside. Probably, because of non-default indexes.

So to check if array is defined we use typeof _array !== 'undefined' And then to check if it contains any date i just simply compare it to an empty array _array !== []

Solution 21 - Javascript

the way I found to work (comming from another language) is to make a simple function to test.

create a function that check the size of the array and pass the lenght by parameter.

isEmpty(size){
        if(size==0) {
            return true;
        } else  {
            return false;
        }
    }

//then check
if(isEmpty(yourArray.length)==true){
            //its empty
        } else {
            //not empty
        }

Solution 22 - Javascript

in ts

 isArray(obj: any) 
{
    return Array.isArray(obj)
  }

in html

(photos == undefined || !(isArray(photos) && photos.length > 0) )

Solution 23 - Javascript

When you create your image_array, it's empty, therefore your image_array.length is 0

As stated in the comment below, i edit my answer based on this https://stackoverflow.com/questions/500431/javascript-variable-scope">question's answer) :

var image_array = []

inside the else brackets doesn't change anything to the image_array defined before in the code

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionuser1564141View Question on Stackoverflow
Solution 1 - JavascriptjbabeyView Answer on Stackoverflow
Solution 2 - JavascriptPooyan KhosraviView Answer on Stackoverflow
Solution 3 - JavascriptQueequegView Answer on Stackoverflow
Solution 4 - JavascriptJames DrinkardView Answer on Stackoverflow
Solution 5 - JavascriptLonelyCppView Answer on Stackoverflow
Solution 6 - JavascriptSamsonView Answer on Stackoverflow
Solution 7 - JavascriptMike BrantView Answer on Stackoverflow
Solution 8 - JavascriptAmit BhagatView Answer on Stackoverflow
Solution 9 - JavascriptMayank RaipureView Answer on Stackoverflow
Solution 10 - JavascriptinsignView Answer on Stackoverflow
Solution 11 - JavascriptVitalyView Answer on Stackoverflow
Solution 12 - JavascriptNikul PatelView Answer on Stackoverflow
Solution 13 - JavascriptOleksandr YefymovView Answer on Stackoverflow
Solution 14 - JavascriptJim FactorView Answer on Stackoverflow
Solution 15 - JavascriptPlippieView Answer on Stackoverflow
Solution 16 - JavascriptTom StickelView Answer on Stackoverflow
Solution 17 - JavascriptTommie C.View Answer on Stackoverflow
Solution 18 - Javascriptshivam malhotraView Answer on Stackoverflow
Solution 19 - JavascriptKamil KiełczewskiView Answer on Stackoverflow
Solution 20 - JavascriptIvan OffView Answer on Stackoverflow
Solution 21 - JavascriptThiago SilvaView Answer on Stackoverflow
Solution 22 - JavascriptvelanView Answer on Stackoverflow
Solution 23 - JavascriptAl_thView Answer on Stackoverflow