How to get the sum of all elements in an integer array in Java?
To get the sum of all elements in an integer array in Java, you can use a loop to iterate through each element of the array and keep adding them up. Here’s an example code snippet:
<span class="hljs-keyword">public</span> <span class="hljs-keyword">class</span> <span class="hljs-title class_">ArraySum</span> {
    <span class="hljs-keyword">public</span> <span class="hljs-keyword">static</span> <span class="hljs-keyword">void</span> <span class="hljs-title function_">main</span><span class="hljs-params">(String[] args)</span> {
        <span class="hljs-type">int</span>[] numbers = {<span class="hljs-number">2</span>, <span class="hljs-number">4</span>, <span class="hljs-number">6</span>, <span class="hljs-number">8</span>, <span class="hljs-number">10</span>}; <span class="hljs-comment">// Example array</span>
<span class="hljs-type">int</span> <span class="hljs-variable">sum</span> <span class="hljs-operator">=</span> <span class="hljs-number">0</span>; <span class="hljs-comment">// Initialize sum variable</span>
        <span class="hljs-comment">// Iterate through each element in the array</span>
        <span class="hljs-keyword">for</span> (<span class="hljs-type">int</span> <span class="hljs-variable">i</span> <span class="hljs-operator">=</span> <span class="hljs-number">0</span>; i < numbers.length; i++) {
            sum += numbers[i]; <span class="hljs-comment">// Add the current element to the sum</span>
        }
        System.out.println(<span class="hljs-string">"Sum: "</span> + sum);
    }
}
In this example, the numbers array contains the integers {2, 4, 6, 8, 10}. The sum variable is initialized to 0. The for loop iterates through each element of the array and adds it to the sum variable. Finally, the sum is printed out, which in this case would be 30.
You can replace the numbers array with your own array or modify the code according to your requirements.
