System.out.print("Enter an integer: ");
Scanner sc = new Scanner(System.in);
int x = sc.nextInt();
int lArray = x - 2;
int[] newArray = new int[lArray];
System.out.println("Let's display all possible integers...");
for (int i = 0; i <= newArray.length; i++) {
newArray[i] = i + 2;
System.out.print(newArray[i] + " ");
}
I’ve just started Java recently, but I sure that if I coded similarly in another language, I would face the same problem. This is an excerpt from an application where it lists all the prime numbers up until the user’s input.
The reason why x-2 is used as the definition of lArray is because the length of the array will be all the integers from 2 until the number {2, 3, 4, 5… x}.
I noticed that for the line
for (int i = 0; i <= newArray.length; i++) {
if I change i <= newArray to i < newArray, the code works without error. However, the user’s input, x, is left out which is a problem if x is prime.
John Kugelman
343k67 gold badges518 silver badges566 bronze badges
asked Oct 16, 2010 at 23:24
You should use < and not <= in:
for (int i = 0; i <= newArray.length; i++)
^^
If foo any array, valid index of foo are [0,foo.length-1]
Using foo.length as an index will cause ArrayIndexOutofBoundsException.
And also lArray which contains number of natural numbers <=x but excluding only one number 1, its value should be x-1 and not x-2.
answered Oct 16, 2010 at 23:26
codaddictcodaddict
440k80 gold badges490 silver badges527 bronze badges
Change the array length to (x - 1) instead, and go with the < condition, which you’ve already found is necessary to avoid the out-of-bounds exception.
The reason you need an array that is 1 element larger than what you’re currently using is because there are (n - 1) candidates that must be considered between 2 and n , not (n - 2).
For example, there are two candidates less than or equal to three (2 and 3), both of which, coincidentally, happen to be prime.
answered Oct 16, 2010 at 23:26
AniAni
110k26 gold badges258 silver badges304 bronze badges
0
for (int i = 0; i <= newArray.length; i++) //should be <, not <=
for (int i = 0; i < newArray.length; i++)
answered Oct 16, 2010 at 23:27
a1ex07a1ex07
36.6k12 gold badges87 silver badges102 bronze badges
You need to use:
int lArray = x - 1;
And change your condition to use < instead of <=.
In Java as in C/C++, arrays are ZERO based. So your array of N values will go from index 0 to N-1.
Taking your example: {2, 3, 4, 5... x}.
You will need N-1 values to store all positive numbers but 1 in an integer array. So, if N equals to 4, your array will be:
newArray[0] = 2;
newArray[1] = 3;
newArray[2] = 4;
Hence, array lenght must be 3 (N-1).
answered Oct 16, 2010 at 23:27
Pablo Santa CruzPablo Santa Cruz
174k32 gold badges239 silver badges291 bronze badges
What causes ArrayIndexOutOfBoundsException?
If you think of a variable as a «box» where you can place a value, then an array is a series of boxes placed next to each other, where the number of boxes is a finite and explicit integer.
Creating an array like this:
final int[] myArray = new int[5]
creates a row of 5 boxes, each holding an int. Each of the boxes has an index, a position in the series of boxes. This index starts at 0 and ends at N-1, where N is the size of the array (the number of boxes).
To retrieve one of the values from this series of boxes, you can refer to it through its index, like this:
myArray[3]
Which will give you the value of the 4th box in the series (since the first box has an index of 0).
An ArrayIndexOutOfBoundsException is caused by trying to retrieve a «box» that does not exist, by passing an index that is higher than the index of the last «box», or negative.
With my running example, these code snippets would produce such an exception:
myArray[5] //tries to retrieve the 6th "box" when there is only 5
myArray[-1] //just makes no sense
myArray[1337] //way to high
How to avoid ArrayIndexOutOfBoundsException
In order to prevent ArrayIndexOutOfBoundsException, there are some key points to consider:
Looping
When looping through an array, always make sure that the index you are retrieving is strictly smaller than the length of the array (the number of boxes). For instance:
for (int i = 0; i < myArray.length; i++) {
Notice the <, never mix a = in there..
You might want to be tempted to do something like this:
for (int i = 1; i <= myArray.length; i++) {
final int someint = myArray[i - 1]
Just don’t. Stick to the one above (if you need to use the index) and it will save you a lot of pain.
Where possible, use foreach:
for (int value : myArray) {
This way you won’t have to think about indexes at all.
When looping, whatever you do, NEVER change the value of the loop iterator (here: i). The only place this should change value is to keep the loop going. Changing it otherwise is just risking an exception, and is in most cases not necessary.
Retrieval/update
When retrieving an arbitrary element of the array, always check that it is a valid index against the length of the array:
public Integer getArrayElement(final int index) {
if (index < 0 || index >= myArray.length) {
return null; //although I would much prefer an actual exception being thrown when this happens.
}
return myArray[index];
}
What causes ArrayIndexOutOfBoundsException?
If you think of a variable as a «box» where you can place a value, then an array is a series of boxes placed next to each other, where the number of boxes is a finite and explicit integer.
Creating an array like this:
final int[] myArray = new int[5]
creates a row of 5 boxes, each holding an int. Each of the boxes has an index, a position in the series of boxes. This index starts at 0 and ends at N-1, where N is the size of the array (the number of boxes).
To retrieve one of the values from this series of boxes, you can refer to it through its index, like this:
myArray[3]
Which will give you the value of the 4th box in the series (since the first box has an index of 0).
An ArrayIndexOutOfBoundsException is caused by trying to retrieve a «box» that does not exist, by passing an index that is higher than the index of the last «box», or negative.
With my running example, these code snippets would produce such an exception:
myArray[5] //tries to retrieve the 6th "box" when there is only 5
myArray[-1] //just makes no sense
myArray[1337] //way to high
How to avoid ArrayIndexOutOfBoundsException
In order to prevent ArrayIndexOutOfBoundsException, there are some key points to consider:
Looping
When looping through an array, always make sure that the index you are retrieving is strictly smaller than the length of the array (the number of boxes). For instance:
for (int i = 0; i < myArray.length; i++) {
Notice the <, never mix a = in there..
You might want to be tempted to do something like this:
for (int i = 1; i <= myArray.length; i++) {
final int someint = myArray[i - 1]
Just don’t. Stick to the one above (if you need to use the index) and it will save you a lot of pain.
Where possible, use foreach:
for (int value : myArray) {
This way you won’t have to think about indexes at all.
When looping, whatever you do, NEVER change the value of the loop iterator (here: i). The only place this should change value is to keep the loop going. Changing it otherwise is just risking an exception, and is in most cases not necessary.
Retrieval/update
When retrieving an arbitrary element of the array, always check that it is a valid index against the length of the array:
public Integer getArrayElement(final int index) {
if (index < 0 || index >= myArray.length) {
return null; //although I would much prefer an actual exception being thrown when this happens.
}
return myArray[index];
}
The ArrayIndexOutOfBoundsException is a runtime exception in Java that occurs when an array is accessed with an illegal index. The index is either negative or greater than or equal to the size of the array.
Since the ArrayIndexOutOfBoundsException is an unchecked exception, it does not need to be declared in the throws clause of a method or constructor.
What Causes ArrayIndexOutOfBoundsException
The ArrayIndexOutOfBoundsException is one of the most common errors in Java. It occurs when a program attempts to access an invalid index in an array i.e. an index that is less than 0, or equal to or greater than the length of the array.
Since a Java array has a range of [0, array length — 1], when an attempt is made to access an index outside this range, an ArrayIndexOutOfBoundsException is thrown.
ArrayIndexOutOfBoundsException Example
Here is an example of a ArrayIndexOutOfBoundsException thrown when an attempt is made to retrieve an element at an index that falls outside the range of the array:
public class ArrayIndexOutOfBoundsExceptionExample {
public static void main(String[] args) {
String[] arr = new String[10];
System.out.println(arr[10]);
}
}
In this example, a String array of length 10 is created. An attempt is then made to access an element at index 10, which falls outside the range of the array, throwing an ArrayIndexOutOfBoundsException:
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: Index 10 out of bounds for length 10
at ArrayIndexOutOfBoundsExceptionExample.main(ArrayIndexOutOfBoundsExceptionExample.java:4)
How to Fix ArrayIndexOutOfBoundsException
To avoid the ArrayIndexOutOfBoundsException, the following should be kept in mind:
- The bounds of an array should be checked before accessing its elements.
- An array in Java starts at index
0and ends at indexlength - 1, so accessing elements that fall outside this range will throw anArrayIndexOutOfBoundsException. - An empty array has no elements, so attempting to access an element will throw the exception.
- When using loops to iterate over the elements of an array, attention should be paid to the start and end conditions of the loop to make sure they fall within the bounds of an array. An enhanced for loop can also be used to ensure this.
Track, Analyze and Manage Errors With Rollbar
Managing errors and exceptions in your code is challenging. It can make deploying production code an unnerving experience. Being able to track, analyze, and manage errors in real-time can help you to proceed with more confidence. Rollbar automates error monitoring and triaging, making fixing Java errors easier than ever. Sign Up Today!
#1
Отправлено 31 октября 2021 — 20:45
-
- Прохожий
-
Всем привет! У меня в консоле вылазит такая ошибка, помогите решить:
[18:00:20] [debug] Run time error 4: "Array index out of bounds" [18:00:20] [debug] Attempted to read/write array element at index 200 in array of size 200 [18:00:20] [debug] AMX backtrace: [18:00:20] [debug] #0 006411b4 in public BadEngine () at C:UsersrotkiDesktopсерверPRIME (1)gamemodesprime.pwn:73049 [18:00:20] [debug] Run time error 4: "Array index out of bounds" [18:00:20] [debug] Attempted to read/write array element at index 200 in array of size 200 [18:00:20] [debug] AMX backtrace: [18:00:20] [debug] #0 006411b4 in public BadEngine () at C:UsersrotkiDesktopсерверPRIME (1)gamemodesprime.pwn:73049 [18:00:21] [debug] Run time error 4: "Array index out of bounds" [18:00:21] [debug] Attempted to read/write array element at index 200 in array of size 200 [18:00:21] [debug] AMX backtrace: [18:00:21] [debug] #0 006411b4 in public BadEngine () at C:UsersrotkiDesktopсерверPRIME (1)gamemodesprime.pwn:73049 [18:00:21] [debug] Run time error 4: "Array index out of bounds" [18:00:21] [debug] Attempted to read/write array element at index 200 in array of size 200 [18:00:21] [debug] AMX backtrace: [18:00:21] [debug] #0 006411b4 in public BadEngine () at C:UsersrotkiDesktopсерверPRIME (1)gamemodesprime.pwn:73049 [18:00:22] [debug] Run time error 4: "Array index out of bounds" [18:00:22] [debug] Attempted to read/write array element at index 200 in array of size 200 [18:00:22] [debug] AMX backtrace: [18:00:22] [debug] #0 006411b4 in public BadEngine () at C:UsersrotkiDesktopсерверPRIME (1)gamemodesprime.pwn:73049
Я уже выяснил, что в строке 73049 проблема, но я не понимаю какая. Помогите пожалуйста!
forward BadEngine();
public BadEngine()
{
new veh, Float:spd[3], Float:hls;
for(new i; i != GetMaxPlayers(); i++)
{
if( !BE_Play_Check[i] ) { continue; }
veh = GetPlayerVehicleID( i );
if( !veh ) { continue; }
GetVehicleHealth( veh, hls );
if( hls > BE_MIN_HLS ) { continue; }
GetVehicleVelocity( veh, spd[0], spd[1], spd[2] );
if( floatabs(spd[0]) > floatabs(spd[1]) )
{
if( floatabs(spd[ 0 ]) > BE_MAX_SPD )
{
hls = BE_MAX_SPD / floatabs(spd[ 0 ]);
SetVehicleVelocity( veh, spd[0]*hls, spd[1]*hls, spd[2] );
}
}
else
{
if( floatabs(spd[ 1 ]) > BE_MAX_SPD )
{
hls = BE_MAX_SPD / floatabs(spd[ 1 ]);
SetVehicleVelocity( veh, spd[0]*hls, spd[1]*hls, spd[2] );
}
}
}
}
Сообщение отредактировал Leonardo_Macfly: 31 октября 2021 — 23:12
0
#2
Отправлено 01 ноября 2021 — 07:35
-
- Местный
-
Может у тебя в конфиге максимальное количество игроков больше чем MAX_PLAYERS?
0
#3
Отправлено 01 ноября 2021 — 08:57
-
- Прохожий
-

Может у тебя в конфиге максимальное количество игроков больше чем MAX_PLAYERS?
Нет, у меня на хостинге 500 слотов, и в max_players 500
0
#4
Отправлено 02 ноября 2021 — 07:25
-
- Местный
-
Я так понял, ошибка в BE_Play_Check? Покажи как объявил
0
#5
Отправлено 03 ноября 2021 — 15:59
-
- Знаток
-
[18:00:20] [debug] Run time error 4: "Array index out of bounds" [18:00:20] [debug] Attempted to read/write array element at index 200 in array of size 200
«Array index out of bounds» — Переводится как: Индекс массива за пределами границы. А во второй строке предоставленна информация, якобы что в данном месте произошел тот самый выход за пределы объявленного массива.
Чтобы избежать в дальнейшем подобных казусов, используй следующую конструкцию:
new Array[200];
for(new i; i < sizeof(Array); i++) {
printf("%i", Array[i]);
}
В данном случае, в заголовке объявления цикла ты используешь GetMaxPlayers(), на сколько мне известно, эта функция возвращает наибольший Id игрока, при этом в ходе итерции цикла отсутствует проверка на валидность Id, нежели это не if( !BE_Play_Check[i] ) { continue; }. Если это так, то, организация кода оставляет желать лучшего. Это дурной тон, при наличии того-же foreach в YSI и его форков.
0
- ← Предыдущая тема
- Вопросы по скриптингу
- Следующая тема →
- Вы не можете создать новую тему
-
Тема закрыта
1 человек читают эту тему
0 пользователей, 1 гостей, 0 скрытых пользователей
- Форум
- Pawn-скриптинг, SA:MP
- Уроки
- [Урок] Как бороться с выходами за пределы массива (CrashDetect)
-
06.12.2015, 11:46
#1
Как бороться с выходами за пределы массива (CrashDetect)
Чтобы не объяснять индивидуально каждому в разделе «Вопросы», распишу здесь один распространённый случай, в котором срабатывает CrashDetect.
Допустим, у нас есть скрипт test.pwn:
PHP код:
#include <a_samp>main()
{
new a[10];
for (new i = 0; i < 20; i++)
a[i] = i;
for (new i = 0; i < 20; i++)
printf("%d", a[i]);
}
При выполнении этого кода плагин CrashDetect выведет сообщение:
Код:
[debug] Run time error 5: "Invalid memory access" [debug] AMX backtrace: [debug] #0 00000078 in ?? (0x00000000, 0x00000000, 0xf050b5c3) from test.amx [debug] #1 0000000b in main () from test.amx Script[gamemodes/test.amx]: Run time error 5: "Invalid memory access"
Для начала откомпилируем код в режиме отладки (в теме про CrashDetect написано, как это сделать) и запустим скрипт заново:
Код:
[debug] Run time error 4: "Array index out of bounds" [debug] Accessing element at index 10 past array upper bound 9 [debug] AMX backtrace: [debug] #0 000000a4 in main () at C:servergamemodestest.pwn:7 Script[gamemodes/test.amx]: Run time error 4: "Array index out of bounds"
Теперь данных в сообщении достаточно, чтобы найти причину ошибки.
«Array index out of bounds» переводится как «выход за пределы массива».
Означает это, что вы что-то пытаетесь сделать с несуществующим элементом массива.Обратите внимание: в сообщении красным цветом выделен несуществующий элемент, зелёным — максимальный номер элемента в массиве.
Код:
[debug] Accessing element at index 10 past array upper bound 9
Ошибка произошла из-за того, что сервер попытался получить доступ к 10-му элементу массива, когда в массиве есть только элементы с номерами от 0 до 9.
Также синим цветом выделено название исходного файла (иногда ошибки возникают не только в .pwn мода, но и в инклудах и фильтрскриптах) и номер строки, на которой произошла ошибка.Код:
[debug] #0 000000a4 in main () at C:servergamemodestest.pwn:7Смотрим строку №7 в test.pwn:
PHP код:
for (new i = 0; i < 20; i++)
Обратите внимание на условие выхода из цикла: выход происходит только когда i становится равно 20.
При этом размер массива — 10 элементов.Как нам исправить эту проблему? Нужно сделать так, чтобы цикл был не до 20, а до (<размер массива> — 1).
PHP код:
for (new i = 0; i <= 10 - 1; i++)
Проблема решена? Ещё нет.
Выхода за пределы массива не будет, но что, если в будущем понадобится изменить размер массива, скажем, с 10 до 8?
Представьте себе мод из 30 000 строк кода: вам придётся обыскивать весь мод, чтобы найти, в каких циклах происходит перебор массива, и во всех этих циклах заменять 10 на 8.
Это как бомба замедленного действия: сейчас вы решите проблему, но вместо неё в будущем появится другая.
Чтобы такого не было, в цикле следует использовать оператор sizeof, который возвращает размер массива.PHP код:
for (new i = 0; i <= sizeof(a) - 1; i++)
Можно немного упростить запись, убрав «- 1» и заменив знак «меньше или равно» на «меньше».
PHP код:
for (new i = 0; i < sizeof(a); i++)
В итоге получится такой код:
PHP код:
#include <a_samp>main()
{
new a[10];
for (new i = 0; i < sizeof(a); i++)
a[i] = i;
for (new i = 0; i < sizeof(a); i++)
printf("%d", a[i]);
}
Компилируем и запускаем:
Код работает без ошибок. Проблема решена.
Автор статьи: Daniel_Cortez
Копирование данной статьи на других ресурсах без разрешения автора запрещено!
Индивидуально в ЛС по скриптингу не помогаю. Задавайте все свои вопросы
здесь (click)
.
-
14 пользователя(ей) сказали cпасибо:
-
01.12.2016, 22:31
#2
Пользователь
Тогда от чего может быть это:
-
07.12.2016, 04:28
#3
Пользователь
Сообщение от DoN_SancheS
Тогда от чего может быть это:
От кривых рук
-
11.12.2016, 12:18
#4
Пользователь
То-есть?
Я понимаю что я сделал что то не так но не понимаю почему ты умничаешь вместо того чтобы помогать.
-
11.12.2016, 12:49
#5
Сообщение от DoN_SancheS
То-есть?
Я понимаю что я сделал что то не так но не понимаю почему ты умничаешь вместо того чтобы помогать.Ты пытаешься сделать что-то, в чём не разбираешься, тебе нужно сначала изучить основы.
-
Пользователь сказал cпасибо:
-
31.10.2022, 21:37
#6
Пользователь
А у меня почему то архив не открывается.
Информация о теме
Пользователи, просматривающие эту тему
Эту тему просматривают: 1 (пользователей: 0 , гостей: 1)

Ваши права
- Вы не можете создавать новые темы
- Вы не можете отвечать в темах
- Вы не можете прикреплять вложения
- Вы не можете редактировать свои сообщения
- BB коды Вкл.
- Смайлы Вкл.
- [IMG] код Вкл.
- [VIDEO] код Вкл.
- HTML код Выкл.
Правила форума
Posted by Marta on March 4, 2022 Viewed 6066 times
In this article, you will learn the main reason why you will face the java.lang.ArrayIndexOutOfBoundsException Exception in Java along with a few different examples and how to fix it.
I think it is essential to understand why this error occurs, since the better you understand the error, the better your ability to avoid it.
This tutorial contains some code examples and possible ways to fix the error.
Watch the tutorial on Youtube:
What causes a java.lang.ArrayIndexOutOfBoundsException?
The java.lang.ArrayIndexOutOfBoundsException error occurs when you are attempting to access by index an item in indexed collection, like a List or an Array. You will this error, when the index you are using to access doesn’t exist, hence the “Out of Bounds” message.
To put it in simple words, if you have a collection with four elements, for example, and you try to access element number 7, you will get java.lang.ArrayIndexOutOfBoundsException error.
To help you visualise this problem, you can think of arrays and index as a set of boxes with label, where every label is a number. Note that you will start counting from 0.
For instance, we have a collection with three elements, the valid indexes are 0,1 and 2. This means three boxes, one label with 0, another one with 1, and the last box has the label 2. So if you try to access box number 3, you can’t, because it doesn’t exist. That’s when you get the java.lang.ArrayIndexOutOfBoundsException error.

The Simplest Case
Let’s see the simplest code snippet which will through this error:
public class IndexError {
public static void main(String[] args){
String[] fruits = {"Orange", "Pear", "Watermelon"};
System.out.println(fruits[4]);
}
}
Output:
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: Index 4 out of bounds for length 3
Although the error refer to arrays, you could also encounter the error when working with a List, which is also an indexed collection, meaning a collection where item can be accessed by their index.
import java.util.Arrays;
import java.util.List;
public class IndexError {
public static void main(String[] args){
List<String> fruits = Arrays.asList("Orange", "Pear", "Watermelon");
System.out.println(fruits.get(4));
}
}
Output:
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: Index 4 out of bounds for length 3
Example #1: Using invalid indexes in a loop
An instance where you might encounter the ArrayIndexOutOfBoundsException exception is when working with loops. You should make sure the index limits of your loop are valid in all the iterations. The loop shouldn’t try to access an item that doesn’t exist in the collection. Let’s see an example.
import java.util.Arrays;
import java.util.List;
public class IndexError {
public static void main(String[] args){
List<String> fruits = Arrays.asList("Orange", "Pear", "Watermelon");
for(int index=0;index<=fruits.size();index++){
System.out.println(fruits.get(index));
}
}
}
Output:
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: Index 3 out of bounds for length 3 Orange Pear Watermelon at java.base/java.util.Arrays$ArrayList.get(Arrays.java:4351) at com.hellocodeclub.IndexError.main(IndexError.java:11)
The code above will loop through every item in the list and print its value, however there is an exception at the end. The problem in this case is the stopping condition in the loop: index<=fruits.size(). This means that it will while index is less or equal to 3, therefore the index will start in 0, then 1, then 2 and finally 3, but unfortunately 3 is invalid index.
How to fix it – Approach #1
You can fix this error by changing the stopping condition. Instead of looping while the index is less or equal than 3, you can replace by “while index is less than 3”. Doing so the index will go through 0, 1, and 2, which are all valid indexes. Therefore the for loop should look as below:
for(int index=0;index<fruits.size();index++){
That’s all, really straightforward change once you understand the root cause of the problem. Here is how the code looks after the fix:
import java.util.Arrays;
import java.util.List;
public class IndexError {
public static void main(String[] args){
List<String> fruits = Arrays.asList("Orange", "Pear", "Watermelon");
for(int index=0;index<fruits.size();index++){
System.out.println(fruits.get(index));
}
}
}
Output:
How to fix it – Approach #2
Another way to avoid this issue is using the for each syntax. Using this approach, you don’t have to manage the index, since Java will do it for you. Here is how the code will look:
import java.util.Arrays;
import java.util.List;
public class IndexError {
public static void main(String[] args){
List<String> fruits = Arrays.asList("Orange", "Pear", "Watermelon");
for(String fruit: fruits){
System.out.println(fruit);
}
}
}
Example #2: Loop through a string
Another example. Imagine that you want to count the appearances of character ‘a’ in a given sentence. You will write a piece of code similar to the one below:
public class CountingA {
public static void main(String[] args){
String sentence = "Live as if you were to die tomorrow. Learn as if you were to live forever";
char [] characters = sentence.toCharArray();
int countA = 0;
for(int index=0;index<=characters.length;index++){
if(characters[index]=='a'){
countA++;
}
}
System.out.println(countA);
}
}
Output:
Exception in thread "main" java.lang.ArrayIndexOutOfBoundsException: Index 73 out of bounds for length 73 at com.hellocodeclub.dev.CountingA.main(CountingA.java:8)
The issue in this case is similar to the one from the previous example. The stopping condition is the loop is right. You should make sure the index is within the boundaries.
How to fix it
As in the previous example, you can fix it by removing the equal from the stopping condition, or by using a foreach and therefore avoid managing the index. See below both fixes:
public class CountingA {
public static void main(String[] args){
String sentence = "Live as if you were to die tomorrow. Learn as if you were to live forever";
int countA = 0;
for(Character charater: sentence.toCharArray()){ // FOR EACH
if(charater=='a'){
countA++;
}
}
System.out.println(countA);
}
}
Output:
Conclusion
In summary, we have seen what the “java.lang.ArrayIndexOutOfBoundsException” error means . Additionally we covered how you can fix this error by making sure the index is within the collection boundaries, or using foreach syntax so you don’t need to manage the index.
I hope you enjoy this article, and understand this issue better to avoid it when you are programming.
Thank you so much for reading and supporting this blog!
Happy Coding!



ArrayIndexOutOfBoundsException – это исключение, появляющееся во время выполнения. Оно возникает тогда, когда мы пытаемся обратиться к элементу массива по отрицательному или превышающему размер массива индексу. Давайте посмотрим на примеры, когда получается ArrayIndexOutOfBoundsException в программе на Java.
Попробуйте выполнить такой код:
static int number=11;
public static String[][] transactions=new String[8][number];
public static void deposit(double amount){
transactions[4][number]="deposit";
number++;
}
public static void main(String[] args) {
deposit(11);
}
}
Вы увидите ошибку:
Caused by: java.lang.ArrayIndexOutOfBoundsException: 0 at sample.Main.deposit(Main.java:22) at sample.Main.main(Main.java:27) Exception running application sample.Main Process finished with exit code 1
Что здесь произошло? Ошибка в строке 27 – мы вызвали метод deposit(), а в нем уже, в строке 22 – попытались внести в поле массива значение «deposit». Почему выкинуло исключение? Дело в том, что мы инициализировали массив размера 11 (number = 11), н опопытались обратиться к 12-му элементу. Нумерация элементов массива начинается с нуля. Так что здесь надо сделать, например, так
public static String[][] transactions=new String[8][100];
Но вообще, это плохой код, так писать не надо. Давайте рассмотрим еще один пример возникновения ошибки ArrayIndexOutOfBoundsException:
public static void main(String[] args) {
Random random = new Random();
int [] arr = new int[10];
for (int i = 0; i <= arr.length; i++) {
arr[i] = random.nextInt(100);
System.out.println(arr[i]);
}
}
Здесь массив заполняется случайными значениями. При выполнении IntelliJ IDEA выдаст ошибку
Caused by: java.lang.ArrayIndexOutOfBoundsException: 10 at sample.Main.main(Main.java:37)
В строке 37 мы заносим значение в массив. Ошибка возникла помтому, что индекса 10 нет в массиве arr, поэтому условие цикла i <= arr.length надо поменять на i < arr.length
Конструкция try для ArrayIndexOutOfBoundsException
ArrayIndexOutOfBoundsException можно обработать с помощью конструкции try-catch. Для этого оберните try то место, где происходит обращение к элементу массива по индексу, например, заносится значение. Как-то так:
try {
array[index] = "что-то";
}
catch (ArrayIndexOutOfBoundsException ae){
System.out.println(ae);
}
Но я бы рекомендовал вам все же не допускать данной ошибки, писать код таким образом, чтобы не пришлось ловить исключение ArrayIndexOutOfBoundsException.
Автор этого материала — я — Пахолков Юрий. Я оказываю услуги по написанию программ на языках Java, C++, C# (а также консультирую по ним) и созданию сайтов. Работаю с сайтами на CMS OpenCart, WordPress, ModX и самописными. Кроме этого, работаю напрямую с JavaScript, PHP, CSS, HTML — то есть могу доработать ваш сайт или помочь с веб-программированием. Пишите сюда.
заметки, ArrayIndexOutOfBoundsException, java, ошибки, исключения
Как исправить Error
Автор: neka
Значение Error можно посмотреть здесь.
error 040: duplicate «case» label (value 28)
Это означает что case стаким значением повторяется. Решение этой проблемы простое — нам нужно цифру 28 изменит на другую (в той строчке на которую жалуется )
error 032: array index out of bounds (variable «JoinPed»)
Это означает что индекс массива превышен (но не всегда, смотрим дальше) Пример:
131 — массив поигравшись с ним я понял что дело не в нем, а в чём же спросите вы? Пример данной ошибки:
Код: Выделить всё
else if(SelectCharPlace[playerid] == 2) { SetPlayerSkin(playerid, JoinPed[123][0]); SelectCharPlace[playerid] = 3; InviteSkin[playerid] = JoinPed[98][0]; }
как видим — JoinPed[123] сначало с таким значением, а потом JoinPed[98]. Решение простое: JoinPed[123] число в данных скобках должно быть одинаковым. Пример:
Код: Выделить всё
else if(SelectCharPlace[playerid] == 2) { SetPlayerSkin(playerid, JoinPed[123][0]); SelectCharPlace[playerid] = 3; InviteSkin[playerid] = JoinPed[123][0]; }
error 037: invalid string (possibly non-terminated string)
Это означает что строка неправильная, а точнее где то допущена ошибка:
Код: Выделить всё
else if(PlayerInfo[targetid][pRank] == 4) { rangz = "Зам.модера; }
как видим нам после слова «модера» не хватает «. Правим:
Код: Выделить всё
else if(PlayerInfo[targetid][pRank] == 4) { rangz = "Зам.модера"; }
error 001: expected token: «,», but found «;»
Это значит что мы пропустили знак или скобку (в данном примере скобку) Пример:
Код: Выделить всё
public SaveProdykts()
{
new idx;
new File: file2;
while (idx < sizeof(ProdyktsInfo))
{
new coordsstring[256];
format(coordsstring, sizeof(coordsstring), "%d,%d,%d,%d,%d,%d,%d,%d,%d,%d,%dn",
ProdyktsInfo[idx][prSous],
ProdyktsInfo[idx][prPizza],
ProdyktsInfo[idx][prMilk],
ProdyktsInfo[idx][prJuice],
ProdyktsInfo[idx][prSpirt],
ProdyktsInfo[idx][prChicken],
ProdyktsInfo[idx][prKolbasa],
ProdyktsInfo[idx][prFish],
ProdyktsInfo[idx][prIceCream],
ProdyktsInfo[idx][prChips],
ProdyktsInfo[idx][prZamProd];
if(idx == 0)
{
file2 = fopen("[prodykts]/prodykts.cfg", io_write);
}
else
{
file2 = fopen("[prodykts]/prodykts.cfg", io_append);
}
fwrite(file2, coordsstring);
idx++;
fclose(file2);
}
return 1;
}
смотрим на:
и вим что мы ппропустили )
Правим:
И в итоге:
Код: Выделить всё
public SaveProdykts()
{
new idx;
new File: file2;
while (idx < sizeof(ProdyktsInfo))
{
new coordsstring[256];
format(coordsstring, sizeof(coordsstring), "%d,%d,%d,%d,%d,%d,%d,%d,%d,%d,%dn",
ProdyktsInfo[idx][prSous],
ProdyktsInfo[idx][prPizza],
ProdyktsInfo[idx][prMilk],
ProdyktsInfo[idx][prJuice],
ProdyktsInfo[idx][prSpirt],
ProdyktsInfo[idx][prChicken],
ProdyktsInfo[idx][prKolbasa],
ProdyktsInfo[idx][prFish],
ProdyktsInfo[idx][prIceCream],
ProdyktsInfo[idx][prChips],
ProdyktsInfo[idx][prZamProd]);< ----------- И вот наша скобка
if(idx == 0)
{
file2 = fopen("[prodykts]/prodykts.cfg", io_write);
}
else
{
file2 = fopen("[prodykts]/prodykts.cfg", io_append);
}
fwrite(file2, coordsstring);
idx++;
fclose(file2);
}
return 1;
}
error 002: only a single statement (or expression) can follow each «case»
Это означает что у вас после «case» идет if(dialogid == ). Пример:
Код: Выделить всё
case 7507:
{
if(response) ClothesSex[playerid] = 1;
else ClothesSex[playerid] = 2;
ShowPlayerDialog(playerid,7504,2,"??????? ??????","{A0B0D0}?????????? ?????? {7CC000}300$n{A0B0D0}??????? ?????? {7CC000}300$n{A0B0D0}???????????? ?????? {7CC000}300$n{A0B0D0}?????","???????","?????");
return 1;
}
if(dialogid == 7504) <------------------- вот наша и ошибка
{
if(response)
{
SetCameraBehindPlayer(playerid); TogglePlayerControllable(playerid, 1);
SetPlayerSkin(playerid, PlayerInfo[playerid][pModel]);
ClothesRun[playerid] = 0;
return 1;
}
Решение простое: if(dialogid == 7504) это нам нужно заменить на case как и последующий диалог !
Код: Выделить всё
case 7504: <------------------- вот так это выглядит
{
if(response)
{
SetCameraBehindPlayer(playerid); TogglePlayerControllable(playerid, 1);
SetPlayerSkin(playerid, PlayerInfo[playerid][pModel]);
ClothesRun[playerid] = 0;
return 1;
}
error 004: function «%s» is not implemented
Это означает что мы пропустили скобку. Мой совет:
- проверить весь код в ручную
- на форуме был урок как найти не по ставленую скобку
- Можно воспользоватся notepad++ там показы линии открытых скобок и тогда можно найти эту скобку
error 017: undefined symbol %s
Это означает что мы не поставили переменную new. Пример:
Решение — ко всем new добавим:




Тема закрыта




