2009-07-16 6 views
1

Я довольно новый программист, поэтому, пожалуйста, несите меня. Я использую VC++ 2008.Необработанное исключение в mswcp90d.dll?

Я получаю эту ошибку из моей программы:

Необработанное исключение в 0x68bce2ba (msvcp90d.dll) в г projection.exe: 0xC0000005: нарушение прав доступа месте для записи 0x00630067.

Компьютер затем выводит меня на эту страницу кода, которая выглядит довольно запутанной и что-то, что я определенно не писал. Он указывает на этот раздел кода как вредоносный код, (maerked от «< -Компьютер указывает на этой линии»):

public: 
_CRTIMP2_PURE static size_t __CLRCALL_OR_CDECL _Getcat(const facet ** = 0, 
    const locale * = 0) 
{ // get category value, or -1 if no corresponding C category 
    return ((size_t)(-1)); 
} 

_CRTIMP2_PURE void __CLR_OR_THIS_CALL _Incref() 
{ // safely increment the reference count 
    _BEGIN_LOCK(_LOCK_LOCALE) 
     if (_Refs < (size_t)(-1)) 
      ++_Refs;  <-computer points to this line 
    _END_LOCK() 
} 

_CRTIMP2_PURE facet *__CLR_OR_THIS_CALL _Decref() 
{ // safely decrement the reference count, return this when dead 
    _BEGIN_LOCK(_LOCK_LOCALE) 
    if (0 < _Refs && _Refs < (size_t)(-1)) 
     --_Refs; 
    return (_Refs == 0 ? this : 0); 
    _END_LOCK() 
} 

я сузили его до строки кода в моей программе, которая, скорее всего, причиной аварии (4-я строка кода, начиная с «индексом», также стадии = 1):

stringstream index; 
string fileName = ""; 
index.str("");// 

index << setw(3) << setfill('0') << stage - 1; 

fileName = "positive Z topography-" + index.str() + ".txt"; 

дело в том, что озадачивает меня в том, что я скопировал и вставил этот код из другой программы я написал, что уже работают сотни раз без проблем, что так всегда.

Редактировать: здесь представлен весь код.

#include <iostream> 
#include <fstream> 
#include <sstream> 
#include <string> 
#include <iomanip> 

using namespace std; 

int main() 
{ 
    int dim = 100; 
    int steps = 9; //step 0 = 1, steps = actual steps + 1 
    int spread = 5; //number of points averaged to get a slope, must be an odd number 
    int halfSpread = (spread - 1)/2; //redefine for eazier use in program (better efficency) 

    char * partMap = new char [dim * dim * dim]; // cad data 

    // positive and negitive denote the x direction the check is moving in. Positive is 0 -> x, negitive is x -> 0. 
    unsigned short int * positiveProjection = new unsigned short int [dim * dim]; //projection arrays 
    unsigned short int * negitiveProjection = new unsigned short int [dim * dim]; 

    unsigned short int * negitiveThickness = new unsigned short int [dim * dim]; 

    double * negitiveXGradient = new double [dim * dim]; 
    double * negitiveYGradient = new double [dim * dim]; 

    stringstream index; 
    string fileName; 

    ifstream txtFile; 
    txtFile.open("3D CAD Part.txt"); 
    txtFile.read(partMap, dim * dim * dim); 
    txtFile.close(); 


    for (int stage = 1; stage < steps; stage++) 
    { 

     cout << "stage " << stage << endl; 

     //z axis projections 
     //projection order is along x then along y, during each step, along z in both directions 

     int k = 0; // z axis loop variable 

     for (int j = 0; j < dim; j++) 
     { 
      for (int i = 0; i < dim; i++) 
      { 
       k = 0; 

       while ((k != dim) && partMap[dim * ((dim - 1 - k) + dim * i) + j] < stage) 
        k++; 
       positiveProjection[dim * k + j] = k; 

       k = dim; 

       while ((k != 0) && partMap[dim * ((dim - 1 - (k - 1)) + dim * i) + j] < stage) 
        k--; 
       negitiveProjection[dim * k + j] = i; 

       while ((k != 0) && partMap[dim * ((dim - 1 - (k - 1)) + dim * i) + j] >= stage) 
        k--; 
       negitiveThickness[dim * k + j] = negitiveProjection[dim * k + j] - k; 
      } 
     } 

     // negitive dz/dx gradient 
     for (int j = 0; j < dim; j++) 
     { 

      //first loop to handle the first edge gradients 
      for (int i = 0; i < halfSpread; i++) 
       negitiveXGradient[(j * dim) + i] = (double(negitiveProjection[(j * dim) + halfSpread + i]) - double(negitiveProjection[j * dim]))/(halfSpread + i); // untested 

      //second loop to handle the main middle section 
      for (int i = halfSpread; i < dim - halfSpread; i++) 
       negitiveXGradient[(j * dim) + i] = (double(negitiveProjection[(j * dim) + i + halfSpread]) - double(negitiveProjection[(j * dim) + i - halfSpread]))/ (spread - 1); // untested 

      //third loop to handle the end edge gradients 
      for (int i = dim - halfSpread; i < dim; i++) 
       negitiveXGradient[(j * dim) + i] = (double(negitiveProjection[(j * dim) + dim - 1]) - double(negitiveProjection[j * dim + i - halfSpread]))/((dim - 1) - i + halfSpread); // untested 
     } 

     // negitive dz/dy gradient 
     for (int i = 0; i < dim; i++) 
     { 
      //first loop to handle the first edge gradients 
      for (int j = 0; j < halfSpread; j++) 
       negitiveYGradient[(j * dim) + i] = (double(negitiveProjection[((j + halfSpread) * dim) + i]) - double(negitiveProjection[i]))/(halfSpread + j); // untested 

      //second loop to handle the main middle section 
      for (int j = halfSpread; j < dim - halfSpread; j++) 
       negitiveYGradient[(j * dim) + i] = (double(negitiveProjection[((j + halfSpread) * dim) + i]) - double(negitiveProjection[((j - halfSpread) * dim) + i]))/ (spread - 1); // untested 

      //third loop to handle the end edge gradients 
      for (int j = dim - halfSpread; j < dim; j++) 
       negitiveYGradient[(j * dim) + i] = (double(negitiveProjection[(dim * (dim - 1)) + i]) - double(negitiveProjection[((j - halfSpread) * dim) + i]))/((dim - 1) - j + halfSpread); // untested 
     } 

     fileName = ""; // reset string and stringstream 
     index.str("");// 

     index << setw(3) << setfill('0') << stage - 1; // set index, index is -1 of stage due to the program structure 

     fileName = "positive Z topography-" + index.str() + ".txt"; 

     ofstream outputFile1(fileName.c_str(), std::ios::binary | std::ios::out); 
     outputFile1.write(reinterpret_cast<const char*>(positiveProjection), streamsize(dim * dim * sizeof(unsigned short int))); 
     outputFile1.close(); 

     fileName = "negitive Z topography-" + index.str() + ".txt"; 

     ofstream outputFile2(fileName.c_str(), std::ios::binary | std::ios::out); 
     outputFile2.write(reinterpret_cast<const char*>(negitiveProjection), streamsize(dim * dim * sizeof(unsigned short int))); 
     outputFile2.close(); 

     fileName = "negitive Z thickness-" + index.str() + ".txt"; 

     ofstream outputFile4(fileName.c_str(), std::ios::binary | std::ios::out); 
     outputFile4.write(reinterpret_cast<const char*>(negitiveThickness), streamsize(dim * dim * sizeof(unsigned short int)));  
     outputFile4.close(); 

     fileName = "negitive Z X gradient-" + index.str() + ".txt"; 

     ofstream outputFile5(fileName.c_str(), std::ios::binary | std::ios::out); 
     outputFile5.write(reinterpret_cast<const char*>(negitiveXGradient), streamsize(dim * dim * sizeof(double))); 
     outputFile5.close(); 

     fileName = "negitive Z Y gradient-" + index.str() + ".txt"; 

     ofstream outputFile6(fileName.c_str(), std::ios::binary | std::ios::out); 
     outputFile6.write(reinterpret_cast<const char*>(negitiveYGradient), streamsize(dim * dim * sizeof(double))); 
     outputFile6.close(); 
    } 
} 

Хорошо, все в порядке до последнего фрагмента кода, где я начинаю выводить свои результаты на жесткий диск. Я использовал точки останова в VC++, а последняя точка останова прошла успешно до того, как ошибка была в упомянутой ранее точке (второй блок кода, который я опубликовал). И, по-видимому, HTML тоже не похож на мой код на C++.

О, также, спасите себя от необходимости проходить через петли ... они должны быть в порядке ... там есть дюжина петель, вам не нужно беспокоиться о том, что происходит в них, они довольно безопасны. У меня только проблемы с последним куском.

+0

Это код, скопированный как есть из вашей программы? –

+0

это почти как скопировано из моей программы, за исключением того, что я объявил индекс строки и имя файла string ранее. Нет переменных, о которых стоит беспокоиться, все, что вам нужно знать о переменных, это этап = 1 (я сказал это). большой кусок кода выше НЕ МОЙ. У меня нет первой подсказки, почему ее там или что-то не так с этим только в том, что мой отладчик говорит, что это плохо ... – Faken

+0

Является ли этот код частью класса, а индекс и имя файла являются членами? Это единственная причина, по которой я мог думать, что данные члена индекса недействительны. Если у вас раньше нет кода в функции, которая ударяет стек ... Не могли бы вы опубликовать всю процедуру? –

ответ

3

Несмотря на проблемы, по-видимому, возникают в связи с последним куском не обязательно означает, что ошибок в ваших циклах нет. Если вы выходите из пределов на любой из ваших массивов, вы можете не получить никаких указаний об этом до тех пор.

В первом интерьере while петли у вас есть

while ((k != dim) && partMap[dim * ((dim - 1 - k) + dim * i) + j] < stage) 
    k++; 

, что означает, что потенциально k может иметь значение dim, когда закончите с контуром while. Следующая строка затем делает

positiveProjection[dim * k + j] = k; 

, который будет выходить за пределы в positiveProjection для любого j, поскольку вы пытаетесь индексировать с dim*dim + j и это только имеет размерность dim*dim.

+1

Nice! Я подозревал столько же, но не имел энергии ходить по петлям. –

+0

Хм ... похоже, вы решили мою проблему, хотя я этого не ожидал. Большое спасибо! Да, ваше право. Фактически, я пренебрег изменением переменных вокруг, когда я справился и вставил этот код из другой программы (вы можете догадаться о других именах программ, x проекции, y проекции). Теперь программа запускается ... мне просто нужно проверить выходы. – Faken

+0

Отлично! Рад помочь. – Troubadour

1

Я довольно новый программист, поэтому, пожалуйста, нести меня на этом.

Ok. Я обещаю не высмеивать вас;)

Компьютер затем подводит меня к этой странице кода

Вы, вероятно, означает, что Visual Studio отладчик приносит вам к этой линии. Вы можете использовать функцию «трассировка стека», чтобы найти точное местоположение, где все идет не так: нажмите меню «Отладка» -> «Windows» -> «Стек вызовов».

Однако я не могу найти что-то не так в вашем коде. Это простое приложение работает отлично:

int main() 
{ 

    std::stringstream index; 
    std::string fileName = ""; 
    index.str("");// 
    int stage = 1; 
    index << std::setw(3) << std::setfill('0') << stage - 1; 
    fileName = "positive Z topography-" + index.str() + ".txt"; 
    std::cout << "Done with test.\n"; 
    return 0; 
} 

Так что для того, чтобы помочь вам, мы должны видеть больше кода ...

+0

+1 Начинающие не понимают преимуществ видения Call Stack – MSalters

Смежные вопросы