Я использую Spidermonkey 1.8.5 в моем приложении.
Мое приложение падает, когда я использую отладочную библиотеку JS. Я строю библиотеку со следующими параметрами:
—enable-debug —disable-optimize —enable-threadsafe
авария указывает здесь:
Ошибка подтверждения: (cx) -> thread-> data.requestDepth || (cx) -> thread == (cx) -> runtime-> gcThread, в ../../src/jsapi.cpp
Вот пример программы
/* Include the JSAPI header file to get access to SpiderMonkey. */
#include "jsapi.h"/* The class of the global object. */
static JSClass global_class = {
"global", JSCLASS_GLOBAL_FLAGS,
JS_PropertyStub, JS_PropertyStub, JS_PropertyStub, JS_StrictPropertyStub,
JS_EnumerateStub, JS_ResolveStub, JS_ConvertStub, JS_FinalizeStub,
JSCLASS_NO_OPTIONAL_MEMBERS
};
/* The error reporter callback. */
void reportError(JSContext *cx, const char *message, JSErrorReport *report)
{
fprintf(stderr, "%s:%u:%s\n",
report->filename ? report->filename : "<no filename=\"filename\">",
(unsigned int) report->lineno,
message);
}
int main(int argc, const char *argv[])
{
/* JSAPI variables. */
JSRuntime *rt;
JSContext *cx;
JSObject *global;
printf("Started\n");
/* Create a JS runtime. You always need at least one runtime per process. */
rt = JS_NewRuntime(8 * 1024 * 1024);
if (rt == NULL)
return 1;
/*
* Create a context. You always need a context per thread.
* Note that this program is not multi-threaded.
*/
cx = JS_NewContext(rt, 8192);
if (cx == NULL)
return 1;
JS_SetErrorReporter(cx, reportError);
/*
* Create the global object in a new compartment.
* You always need a global object per context.
*/
global = JS_NewCompartmentAndGlobalObject(cx, &global_class, NULL);
if (global == NULL)
return 1;
/*
* Populate the global object with the standard JavaScript
* function and object classes, such as Object, Array, Date.
*/
if (!JS_InitStandardClasses(cx, global))
return 1;
/* Your application code here. This may include JSAPI calls
* to create your own custom JavaScript objects and to run scripts.
*
* The following example code creates a literal JavaScript script,
* evaluates it, and prints the result to stdout.
*
* Errors are conventionally saved in a JSBool variable named ok.
*/
char *script = "'Hello ' + 'World!'";
jsval rval;
JSString *str;
JSBool ok;
const char *filename = "noname";
uintN lineno = 0;
ok = JS_EvaluateScript(cx, global, script, strlen(script),
filename, lineno, &rval);
if (rval == NULL | rval == JS_FALSE)
return 1;
str = JS_ValueToString(cx, rval);
printf("%s\n", JS_EncodeString(cx, str));
/* End of your application code */
/* Clean things up and shut down SpiderMonkey. */
JS_DestroyContext(cx);
JS_DestroyRuntime(rt);
JS_ShutDown();
return 0;
}
Если я работаю в режиме релиза, программа работает нормально. эта проблема только с режимом отладки. Что мне здесь не хватает?
Вставить JS_BeginRequest(cx);
как раз перед JS_NewCompartmentAndGlobalObject
вызов.
Вставить JS_EndRequest(cx);
незадолго до звонка JS_DestroyContext
,
Большинство функций JSAPI требуют запроса. (Я не уверен почему. Первоначальная причина для потоков была связана с многопоточностью, но теперь каждый JSRuntime однопоточный.)
Отладочная сборка SpiderMonkey включает в себя утверждения, которые проверяют использование API способами, недоступными режиму выпуска. Таким образом, вы, скорее всего, снова увидите утверждения только для отладки. Я настоятельно рекомендую разрабатывать против отладочной сборки, потому что эти утверждения почти всегда указывают на реальные проблемы.
Скоро выйдет следующая версия SpiderMonkey: https://bugzilla.mozilla.org/show_bug.cgi?id=735599#c54
Других решений пока нет …