Перейти к содержимому
Compvision.ru
FormatCft

Как прикрутить OpenCV к билдеру?

Recommended Posts

Наконец-то удалось собрать OpenCV2.0 для билдера :)

Вот джентельменский набор:

DLL2_0 : Dlls2_0.rar (в архиве с базовым проектом уже есть)

Lib2_0bcb: libs2_0bcb.rar (в архиве с базовым проектом уже есть)

Include2_0bcb: include2_0.rar тоже есть в архиве с проектом, но файлы надо перекинуть в директорию include в корневой директории OpenCv2.0

Базовый проект: simple2_0.rar Базовый проект (у меня путь к нему: C:\Program Files\Borland\CBuilder6\Projects\Cv2Programs\)

Правки коснулись в основном шаблонов работы с матрицами.

Еще поправил оператор -> для FileNode, теперь он выдает указатель на FileNode. (надеюсь ни в какие проблемы это не выльется).

Вообще, тестировал еще очень мало, но изображение уже выводит, копирует и масштабирует, работает пример поиска углов, что не может не радовать.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

У меня вопрос такого плана: после использования библиотеки опенсв, даже если просто загрузить изображение из файла и уничтожить его, приложение висит. После его закрытия, форма исчезает, а процесс в диспетчере висит. Как быть? Что делать?

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
У меня вопрос такого плана: после использования библиотеки опенсв, даже если просто загрузить изображение из файла и уничтожить его, приложение висит. После его закрытия, форма исчезает, а процесс в диспетчере висит. Как быть? Что делать?

У меня такое обычно если проект камеру не отключит вовремя (вылетит где-то посередине).

Потом только перезагрузкой решается (холодной причем).

С такой проблемой как у Вас не сталкивался.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

Пока использую OpenCV_1.1pre1a.exe

Вопросы такие:

1. как скомпилировать нормально приложение, чтоб не просило лишнего. если установить опции компиляции в билдере для работы без установленного билдера, то требует неизвестную библиотеку VIDEOINPUT.DLL

2. если скомпилировать как указанотут, то приложение (перенес как понял из примеров facedetect.c) после закрытия не выгружается из памяти, в диспетчере задач видно. хотя если на кнопку нажать и отменить выбор картинки, то тоже не выгружается, хотя ни одна функция опенцв не успевает выполниться. пример тут (только без длл)пример.rar

это код примера. функция detect_and_draw не изменялась.

//---------------------------------------------------------------------------


#include <vcl.h>

#pragma hdrstop


#include "Unit1.h"


#include "cv.h"

#include "highgui.h"


#include <stdio.h>

#include <stdlib.h>

#include <string.h>

#include <assert.h>

#include <math.h>

#include <float.h>

#include <limits.h>

#include <time.h>

#include <ctype.h>


#ifdef _EiC

#define WIN32

#endif


//---------------------------------------------------------------------------

#pragma package(smart_init)

#pragma resource "*.dfm"

TForm1 *Form1;

//---------------------------------------------------------------------------

__fastcall TForm1::TForm1(TComponent* Owner)

		: TForm(Owner)

{

}

//---------------------------------------------------------------------------


static CvMemStorage* storage = 0;

static CvHaarClassifierCascade* cascade = 0;

static CvHaarClassifierCascade* nested_cascade = 0;

double scale = 1;


void detect_and_draw( IplImage* img )

{

	static CvScalar colors[] = 

	{

		{{0,0,255}},

		{{0,128,255}},

		{{0,255,255}},

		{{0,255,0}},

		{{255,128,0}},

		{{255,255,0}},

		{{255,0,0}},

		{{255,0,255}}

	};


	IplImage *gray, *small_img;

	int i, j;


	gray = cvCreateImage( cvSize(img->width,img->height), 8, 1 );

	small_img = cvCreateImage( cvSize( cvRound (img->width/scale),

						 cvRound (img->height/scale)), 8, 1 );


	cvCvtColor( img, gray, CV_BGR2GRAY );

	cvResize( gray, small_img, CV_INTER_LINEAR );

	cvEqualizeHist( small_img, small_img );

	cvClearMemStorage( storage );


	if( cascade )

	{

		double t = (double)cvGetTickCount();

		CvSeq* faces = cvHaarDetectObjects( small_img, cascade, storage,

											1.1, 2, 0

											//|CV_HAAR_FIND_BIGGEST_OBJECT

											//|CV_HAAR_DO_ROUGH_SEARCH

											|CV_HAAR_DO_CANNY_PRUNING

											//|CV_HAAR_SCALE_IMAGE

											,

											cvSize(30, 30) );

		t = (double)cvGetTickCount() - t;

		printf( "detection time = %gms\n", t/((double)cvGetTickFrequency()*1000.) );

		for( i = 0; i < (faces ? faces->total : 0); i++ )

		{

			CvRect* r = (CvRect*)cvGetSeqElem( faces, i );

			CvMat small_img_roi;

			CvSeq* nested_objects;

			CvPoint center;

			CvScalar color = colors[i%8];

			int radius;

			center.x = cvRound((r->x + r->width*0.5)*scale);

			center.y = cvRound((r->y + r->height*0.5)*scale);

			radius = cvRound((r->width + r->height)*0.25*scale);

			cvCircle( img, center, radius, color, 3, 8, 0 );

			if( !nested_cascade )

				continue;

			cvGetSubRect( small_img, &small_img_roi, *r );

			nested_objects = cvHaarDetectObjects( &small_img_roi, nested_cascade, storage,

										1.1, 2, 0

										//|CV_HAAR_FIND_BIGGEST_OBJECT

										//|CV_HAAR_DO_ROUGH_SEARCH

										//|CV_HAAR_DO_CANNY_PRUNING

										//|CV_HAAR_SCALE_IMAGE

										,

										cvSize(0, 0) );

			for( j = 0; j < (nested_objects ? nested_objects->total : 0); j++ )

			{

				CvRect* nr = (CvRect*)cvGetSeqElem( nested_objects, j );

				center.x = cvRound((r->x + nr->x + nr->width*0.5)*scale);

				center.y = cvRound((r->y + nr->y + nr->height*0.5)*scale);

				radius = cvRound((nr->width + nr->height)*0.25*scale);

				cvCircle( img, center, radius, color, 3, 8, 0 );

			}

		}

	}


	cvShowImage( "result", img );

	cvReleaseImage( &gray );

	cvReleaseImage( &small_img );

}

void __fastcall TForm1::Button1Click(TObject *Sender)

{

		if(OpenDialog1->Execute())

		{

				AnsiString s=Application->ExeName;

				s=s.SubString(1,s.LastDelimiter("\\"))+"haarcascade_frontalface_alt.xml";

				IplImage *image = 0;

				cascade = (CvHaarClassifierCascade*)cvLoad( s.c_str(), 0, 0, 0 );

				storage = cvCreateMemStorage(0);

				image = cvLoadImage( OpenDialog1->FileName.c_str(), 1 );

				cvNamedWindow( "result", 1 );

				detect_and_draw( image );

				cvWaitKey(0);

				cvReleaseImage( &image );

				cvDestroyWindow("result");

		}

}

//--------------------------------------------------------------------------

-

3. можно ли добавить в проект на билдере *.CPP или скомпилировать библиотеки в билдере, а то после конвертации либов в них остаются только ссылки на длл.

Спасибо за советы.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

У меня все чисто выгружается (конкретно этот пример).

Система виста.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

Недавно заинтересовался компьютерным зрением. Есть огромное желание изучать библиотеку OpenCV. Использую C++Builder 2009 и OpenCV 1.2. Всю неделю пытался подключить OpenCV к билдеру. Пока безуспешно. Последовательно выполнил все действия, которые описаны на форуме. Остановился на этом месте:

Заменяем в строках с ошибками "Mat_" на "Mat_<_Tp>".

Попробовал, проблемы с шаблонами это решает (остается много других ошибок, но они не сложно исправляются).

Перспектива есть.

У меня не получилось. Все равно ошибки.

Кто-нибудь разобрался до конца как подключить OpenCV к билдеру 2009? Получились какие-нибудь проекты?

Хотелось бы написать программку, демонстрирующую работу фильтров Canny и Sobel, дискретного преобразования Фурье, Преобразования Лапласа.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
Недавно заинтересовался компьютерным зрением. Есть огромное желание изучать библиотеку OpenCV. Использую C++Builder 2009 и OpenCV 1.2. Всю неделю пытался подключить OpenCV к билдеру. Пока безуспешно. Последовательно выполнил все действия, которые описаны на форуме. Остановился на этом месте:

У меня не получилось. Все равно ошибки.

Кто-нибудь разобрался до конца как подключить OpenCV к билдеру 2009? Получились какие-нибудь проекты?

Хотелось бы написать программку, демонстрирующую работу фильтров Canny и Sobel, дискретного преобразования Фурье, Преобразования Лапласа.

Вот тут есть подправленные файлы и базовый проект, правда на C++ Builder 6:

http://www.compvision.ru/forum/index.php?showtopic=202

PS: А вообще, последняя версия так и называется 2.0a. и берется здесь: http://sourceforge.net/projects/opencvlibr...opencv-win/2.0/

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

У меня тоже в памяти остается (про пример).

OpenCV начал изучать буквально на днях, но такая же проблема уже встречалась. Пока предполагаю что что-то не то с функцией cvLoadImage,

т.к. когда делаю через нее - глюк присутствует, без - все ОК.

Т.к. у меня результаты всех действий выводятся на экран в виде битмапа, и вообще все что происходит с TBitmap копируется сразу в IplImage, и наоборот, то пока решил проблему так:

bitmap_img -> LoadFromFile(g_filename);

cv_img = TBitmapToIplImage(bitmap_img);

если делать

bitmap_img -> LoadFromFile(g_filename);

cv_img = cvLoadImage(bitmap_img.c_str());

сразу глючит.

Система: ХР.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

Здравствуйте!

Попробовал изначально ЕХЕ запустить не вышло, выдало ошибку. Подключил проект к С++ Builder 6. Попытался запустить, выдало несколько десятков ошибок.

[C++ Warning] cxcore.h(277): W8027 Functions containing for are not expanded inline

[C++ Warning] cxcore.hpp(143): W8027 Functions containing for are not expanded inline

[C++ Warning] cxcore.hpp(997): W8027 Functions containing some return statements are not expanded inline

[C++ Error] cxcore.hpp(1261): E2299 Cannot generate template specialization from 'MatExpr_Op2_<A1,A2,M,Op>'

[C++ Error] cxcore.hpp(1261): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1261): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1262): E2299 Cannot generate template specialization from 'MatExpr_Op2_<A1,A2,M,Op>'

[C++ Error] cxcore.hpp(1262): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1262): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1264): E2299 Cannot generate template specialization from 'MatExpr_Op4_<A1,A2,A3,A4,M,Op>'

[C++ Error] cxcore.hpp(1264): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1264): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1266): E2299 Cannot generate template specialization from 'MatExpr_Op4_<A1,A2,A3,A4,M,Op>'

[C++ Error] cxcore.hpp(1266): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1266): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1269): E2299 Cannot generate template specialization from 'MatExpr_Op4_<A1,A2,A3,A4,M,Op>'

[C++ Error] cxcore.hpp(1269): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1269): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1307): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

Что я не так сделал?

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
Здравствуйте!

Попробовал изначально ЕХЕ запустить не вышло, выдало ошибку. Подключил проект к С++ Builder 6. Попытался запустить, выдало несколько десятков ошибок.

[C++ Warning] cxcore.h(277): W8027 Functions containing for are not expanded inline

[C++ Warning] cxcore.hpp(143): W8027 Functions containing for are not expanded inline

[C++ Warning] cxcore.hpp(997): W8027 Functions containing some return statements are not expanded inline

[C++ Error] cxcore.hpp(1261): E2299 Cannot generate template specialization from 'MatExpr_Op2_<A1,A2,M,Op>'

[C++ Error] cxcore.hpp(1261): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1261): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1262): E2299 Cannot generate template specialization from 'MatExpr_Op2_<A1,A2,M,Op>'

[C++ Error] cxcore.hpp(1262): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1262): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1264): E2299 Cannot generate template specialization from 'MatExpr_Op4_<A1,A2,A3,A4,M,Op>'

[C++ Error] cxcore.hpp(1264): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1264): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1266): E2299 Cannot generate template specialization from 'MatExpr_Op4_<A1,A2,A3,A4,M,Op>'

[C++ Error] cxcore.hpp(1266): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1266): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1269): E2299 Cannot generate template specialization from 'MatExpr_Op4_<A1,A2,A3,A4,M,Op>'

[C++ Error] cxcore.hpp(1269): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

[C++ Error] cxcore.hpp(1269): E2040 Declaration terminated incorrectly

[C++ Error] cxcore.hpp(1307): E2299 Cannot generate template specialization from 'MatExpr_<E,M>'

Что я не так сделал?

Смотрите первый пост. Надо заменить заголовочные файлы.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

in the c++Builder 2007, the DLLS can't work!but compile can success.when run program , the following message will be shown:

Debug Output: LDR: LdrpWalkImportDescriptor() failed to probe E:\Opencv\simple\Debug\CV200.DLL for its manifest, ntstatus 0xc0150002 Process mytest.exe (3968)

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
in the c++Builder 2007, the DLLS can't work!but compile can success.when run program , the following message will be shown:

Debug Output: LDR: LdrpWalkImportDescriptor() failed to probe E:\Opencv\simple\Debug\CV200.DLL for its manifest, ntstatus 0xc0150002 Process mytest.exe (3968)

Hello, this problem already solved, You just need to install MSVCRT 8.0 (visual c++ run time).

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

Builder6+OpenCV2

27.12.2009 Здравствуйте. Все вышеперечисленные этапы прошел. Застрял на следующей ошибке (на рисунке)

post-609-1261909792_thumb.jpg

[C++ Error] cxoperations.hpp(107): E2316 '_fm_cos' is not a member of 'std'

Библиотека "math.h" подключена. Но по ходу другая библиотечка нужна, какая? понять и найти ни как не могу.

Стал подключать все подряд:#include <vcl.h>#include <math.h>#include <utility>#include <complex>#include <stdlib.h>

#include <ctype.h># include <cmath.h>#include <functional>#include <numeric>#include <valarray>#include <functional>

#include <fstream>#include <sstream>#include <cstdlib.h>#include <stdlib.h>

не помогает. Хелп плиз. Это "базовый" пример из первого топика.

28.12.2009 уф... хоть базовый проект компилиться стал(свой все так же ругается)

сейчас как и остальной народ уперся в 0xc0150002. Поставил MSVCRT8.0 и 2005 и 2008 и SP1. Результата нет.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

Сделал все по инструкции, в С++Builder 6 под Windows 7 проект компилирует, но полученный ехе при запуске вылетает с ошибкой:

(Х) Ошибка при запуске приложения (0xc0150002). Для выхода из

приложения нажмите кнопку "ОК".

Ок

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
Сделал все по инструкции, в С++Builder 6 под Windows 7 проект компилирует, но полученный ехе при запуске вылетает с ошибкой:

Везет же, я уже неделю парюсь. Не могу скомпилить простейший(базовый) проект.

(Х) Ошибка при запуске приложения (0xc0150002). Для выхода из

про эту ошибку на этом форуме написано в нескольких местах, рунТайм библиотечка нужна. И ссылка на скачивание здесь где-то есть :-). Смотри на два сообщения выше.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
Везет же, я уже неделю парюсь. Не могу скомпилить простейший(базовый) проект.

про эту ошибку на этом форуме написано в нескольких местах, рунТайм библиотечка нужна. И ссылка на скачивание здесь где-то есть :-). Смотри на два сообщения выше.

Да но у меня и так установленна VS 2008

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
Hello, this problem already solved, You just need to install MSVCRT 8.0 (visual c++ run time).

I install the MSVCRT 8.0(Microsoft Visual C++ 2005 Redistributable Setup and Microsoft Visual C++ 2008 Redistributable Setup),but the problem remain. How can i do?

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
I install the MSVCRT 8.0(Microsoft Visual C++ 2005 Redistributable Setup and Microsoft Visual C++ 2008 Redistributable Setup),but the problem remain. How can i do?

Reboot after install, and try again, this may help.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
Anyone know how to builde DLL and LIB files.I want to build them in c++Builder 2007?Thanks.

You can't build it by borland (inprise, codegear) compiler, without correcting sources. You can build it by Microsoft Visual Studio, and then convert libs to borland format.

1) Create solution with CMake

2) Build it

3) Convert libs to borland format

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
You can't build it by borland (inprise, codegear) compiler, without correcting sources. You can build it by Microsoft Visual Studio, and then convert libs to borland format.

1) Create solution with CMake

2) Build it

3) Convert libs to borland format

Yes, I build them in vs2008 and convert libs to borland format, but when you add libs in c++Builder 2007, you can't compile it.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

to Smorodov

напишите, пожалуйста, какая у вас версия Windows и какие стоят сервиспаки. Ни как не могу избавиться от ошибки 0xc0150002. Установка MSVCRT 8.0 и перегруз компа не помогают. И если вам не трудно скиньте архив директории %windir%/winsxs вашей операционки.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
to Smorodov

напишите, пожалуйста, какая у вас версия Windows и какие стоят сервиспаки. Ни как не могу избавиться от ошибки 0xc0150002. Установка MSVCRT 8.0 и перегруз компа не помогают. И если вам не трудно скиньте архив директории %windir%/winsxs вашей операционки.

Система - Vista Ultimate SP2

winsxs - весит 10 с небольшим Гб, может список файлов пойдет?

Установлены еще VS2008, BCB6, BCB2008, CodeBlocks.

Вот из VS2008 информация о версиях

Microsoft Visual Studio 2008

Version 9.0.30729.1 SP

Microsoft .NET Framework

Version 3.5 SP1

Installed Edition: Professional

Microsoft Visual Basic 2008

Microsoft Visual Basic 2008

Microsoft Visual C# 2008

Microsoft Visual C# 2008

Microsoft Visual C++ 2008

Microsoft Visual C++ 2008

Microsoft Visual Studio 2008 Tools for Office

Microsoft Visual Studio 2008 Tools for Office

Microsoft Visual Web Developer 2008

Microsoft Visual Web Developer 2008

Crystal Reports Basic for Visual Studio 2008

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB944899) KB944899

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/944899.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB945282) KB945282

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/945282.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB946040) KB946040

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/946040.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB946308) KB946308

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/946308.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB946344) KB946344

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/946344.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB946581) KB946581

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/946581.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB947171) KB947171

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/947171.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB947173) KB947173

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/947173.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB947180) KB947180

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/947180.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB947540) KB947540

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/947540.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB947789) KB947789

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/947789.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB948127) KB948127

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/948127.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB953256) KB953256

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/953256.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB971091) KB971091

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/971091.

Hotfix for Microsoft Visual Studio 2008 Professional Edition - ENU (KB971092) KB971092

This hotfix is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this hotfix will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/971092.

Microsoft Visual Studio 2008 Professional Edition - ENU Service Pack 1 (KB945140) KB945140

This service pack is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this service pack will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/945140.

Microsoft Visual Studio 2008 Professional Edition - ENU Service Pack 1 (KB947888) KB947888

This service pack is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this service pack will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/947888.

Microsoft Visual Studio 2008 Professional Edition - ENU Service Pack 1 (KB948484) KB948484

This service pack is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this service pack will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/948484.

Security Update for Microsoft Visual Studio 2008 Professional Edition - ENU (KB972222) KB972222

This security update is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this security update will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/972222.

Security Update for Microsoft Visual Studio 2008 Professional Edition - ENU (KB973675) KB973675

This security update is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this security update will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/973675.

Update for Microsoft Visual Studio 2008 Professional Edition - ENU (KB956453) KB956453

This update is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this update will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/956453.

Update for Microsoft Visual Studio 2008 Professional Edition - ENU (KB967143) KB967143

This update is for Microsoft Visual Studio 2008 Professional Edition - ENU.

If you later install a more recent service pack, this update will be uninstalled automatically.

For more information, visit http://support.microsoft.com/kb/967143.

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах
I install the MSVCRT 8.0(Microsoft Visual C++ 2005 Redistributable Setup and Microsoft Visual C++ 2008 Redistributable Setup),but the problem remain. How can i do?

Maybe in the DLL zip files lack of its manifest file, wee know when you build program using default seting it will create manifest file. For example when you build cxcore.dll, it also creat cxcore.dl.embed.manifest

Поделиться сообщением


Ссылка на сообщение
Поделиться на других сайтах

Создайте учётную запись или войдите для комментирования

Вы должны быть пользователем, чтобы оставить комментарий

Создать учётную запись

Зарегистрируйтесь для создания учётной записи. Это просто!

Зарегистрировать учётную запись

Войти

Уже зарегистрированы? Войдите здесь.

Войти сейчас


  • Сейчас на странице   0 пользователей

    Нет пользователей, просматривающих эту страницу

×