diff options
| author | 2023-09-28 03:53:24 -0700 | |
|---|---|---|
| committer | 2023-09-28 03:53:24 -0700 | |
| commit | 387f1260c9dc0cea667b44ec0152fff0cd4def25 (patch) | |
| tree | 24dde83cf812481b6d1c8de316a30ece7b745a54 /src | |
| parent | e60b3607c12c91959ec795228cc299703d5b09d0 (diff) | |
| download | bun-387f1260c9dc0cea667b44ec0152fff0cd4def25.tar.gz bun-387f1260c9dc0cea667b44ec0152fff0cd4def25.tar.zst bun-387f1260c9dc0cea667b44ec0152fff0cd4def25.zip | |
Get Next.js Pages Router to work (#6095)
* hell
* make it so bun-debug-src
* teag
* wild
* yippee
* fas
* fix async hooks assertions
* yap
* yeah that's wild
* aa
* a
* increase time allowed
* so trivial
Diffstat (limited to '')
25 files changed, 470 insertions, 299 deletions
| diff --git a/src/bun.js/WebKit b/src/bun.js/WebKit -Subproject e1aa0a58e282b53fc20503d6e7ec93c621bc557 +Subproject 6ee85cc2dc431e146723885bc73ac14f33e0d82 diff --git a/src/bun.js/bindings/CommonJSModuleRecord.cpp b/src/bun.js/bindings/CommonJSModuleRecord.cpp index eea3b2a6f..38b55ba4d 100644 --- a/src/bun.js/bindings/CommonJSModuleRecord.cpp +++ b/src/bun.js/bindings/CommonJSModuleRecord.cpp @@ -8,7 +8,7 @@   * Then, at runtime, we create a JSCommonJSModule object.   *   * On this special object, we override the setter for the "exports" property in - * a non-observable way (`static bool put ...`) + * a non-observable way using a CustomGetterSetter.   *   * When the setter is called, we set the internal "exports" property to the   * value passed in and we also update the requireMap with the new value. @@ -20,17 +20,13 @@   *   * If an exception occurs, we remove the entry from the requireMap.   * - * We tried using a CustomGetterSetter instead of overriding `put`, but it led - * to returning the getter itself - * - * How cyclical dependencies are handled + * How cyclical dependencies are handled:   *   * Before executing the CommonJS module, we set the exports object in the   * requireMap to an empty object. When the CommonJS module is required again, we   * return the exports object from the requireMap. The values should be in sync   * while the module is being executed, unless module.exports is re-assigned to a   * different value. In that case, it will have a stale value. - *   */  #include "root.h" @@ -98,29 +94,35 @@ static bool canPerformFastEnumeration(Structure* s)  static bool evaluateCommonJSModuleOnce(JSC::VM& vm, Zig::GlobalObject* globalObject, JSCommonJSModule* moduleObject, JSString* dirname, JSValue filename, WTF::NakedPtr<Exception>& exception)  {      JSC::Structure* thisObjectStructure = globalObject->commonJSFunctionArgumentsStructure(); -    JSC::JSObject* thisObject = JSC::constructEmptyObject( -        vm, -        thisObjectStructure); -    thisObject->putDirectOffset( -        vm, -        0, -        moduleObject); -    thisObject->putDirectOffset( -        vm, -        1, -        dirname); +    JSFunction* resolveFunction = JSC::JSBoundFunction::create(vm, +        globalObject, +        globalObject->requireResolveFunctionUnbound(), +        moduleObject->id(), +        ArgList(), 1, jsString(vm, String("resolve"_s))); +    JSFunction* requireFunction = JSC::JSBoundFunction::create(vm, +        globalObject, +        globalObject->requireFunctionUnbound(), +        moduleObject, +        ArgList(), 1, jsString(vm, String("require"_s))); +    requireFunction->putDirect(vm, vm.propertyNames->resolve, resolveFunction, 0); +    moduleObject->putDirect(vm, WebCore::clientData(vm)->builtinNames().requirePublicName(), requireFunction, 0); -    thisObject->putDirectOffset( -        vm, -        2, -        filename); +    JSC::JSObject* thisObject = JSC::constructEmptyObject(vm, thisObjectStructure); +    thisObject->putDirectOffset(vm, 0, moduleObject); +    thisObject->putDirectOffset(vm, 1, requireFunction); +    thisObject->putDirectOffset(vm, 2, resolveFunction); +    thisObject->putDirectOffset(vm, 3, dirname); +    thisObject->putDirectOffset(vm, 4, filename);      moduleObject->hasEvaluated = true; +    // TODO: try to not use this write barrier. it needs some extensive testing. +    // there is some possible GC issue where `thisObject` is gc'd before it should be      globalObject->m_BunCommonJSModuleValue.set(vm, globalObject, thisObject);      JSValue empty = JSC::evaluate(globalObject, moduleObject->sourceCode.get()->sourceCode(), thisObject, exception); +    ensureStillAliveHere(thisObject);      globalObject->m_BunCommonJSModuleValue.clear();      moduleObject->sourceCode.clear(); @@ -398,9 +400,9 @@ JSC_DEFINE_HOST_FUNCTION(functionCommonJSModuleRecord_compile, (JSGlobalObject *      RETURN_IF_EXCEPTION(throwScope, JSValue::encode({}));      String wrappedString = makeString( -        "(function(module,exports,require,__dirname,__filename){"_s, +        "(function(exports,require,module,__filename,__dirname){"_s,          sourceString, -        "\n}).call($_BunCommonJSModule_$.module.exports, $_BunCommonJSModule_$.module, $_BunCommonJSModule_$.module.exports, ($_BunCommonJSModule_$.module.require = $_BunCommonJSModule_$.module.require.bind($_BunCommonJSModule_$.module), $_BunCommonJSModule_$.module.require.path = $_BunCommonJSModule_$.module.id, $_BunCommonJSModule_$.module.require.resolve = $_BunCommonJSModule_$.module.require.resolve.bind($_BunCommonJSModule_$.module.id), $_BunCommonJSModule_$.module.require), $_BunCommonJSModule_$.__dirname, $_BunCommonJSModule_$.__filename);"_s); +        "\n}).call(this.module.exports,this.module.exports,this.require,this.module,this.__filename,this.__dirname)"_s);      SourceCode sourceCode = makeSource(          WTFMove(wrappedString), @@ -483,14 +485,12 @@ public:          ASSERT(inherits(vm, info()));          reifyStaticProperties(vm, JSCommonJSModule::info(), JSCommonJSModulePrototypeTableValues, *this); -        this->putDirect(vm, clientData(vm)->builtinNames().requirePublicName(), (static_cast<Zig::GlobalObject*>(globalObject))->requireFunctionUnbound(), PropertyAttribute::Builtin | PropertyAttribute::Function | 0); -          this->putDirectNativeFunction(              vm,              globalObject,              clientData(vm)->builtinNames().requirePrivateName(),              2, -            jsFunctionRequireCommonJS, ImplementationVisibility::Public, NoIntrinsic, JSC::PropertyAttribute::ReadOnly | 0); +            jsFunctionRequireCommonJS, ImplementationVisibility::Public, NoIntrinsic, JSC::PropertyAttribute::ReadOnly | JSC::PropertyAttribute::DontDelete);      }  }; @@ -774,21 +774,6 @@ JSValue JSCommonJSModule::id()      return m_id.get();  } -bool JSCommonJSModule::put( -    JSC::JSCell* cell, -    JSC::JSGlobalObject* globalObject, -    JSC::PropertyName propertyName, -    JSC::JSValue value, -    JSC::PutPropertySlot& slot) -{ - -    auto& vm = globalObject->vm(); -    auto* clientData = WebCore::clientData(vm); -    auto throwScope = DECLARE_THROW_SCOPE(vm); - -    RELEASE_AND_RETURN(throwScope, Base::put(cell, globalObject, propertyName, value, slot)); -} -  template<typename, SubspaceAccess mode> JSC::GCClient::IsoSubspace* JSCommonJSModule::subspaceFor(JSC::VM& vm)  {      if constexpr (mode == JSC::SubspaceAccess::Concurrently) @@ -1022,7 +1007,7 @@ JSObject* JSCommonJSModule::createBoundRequireFunction(VM& vm, JSGlobalObject* l          globalObject,          globalObject->requireResolveFunctionUnbound(),          moduleObject, -        ArgList(), 1, jsString(vm, String("require"_s))); +        ArgList(), 1, jsString(vm, String("resolve"_s)));      requireFunction->putDirect(vm, builtinNames.resolvePublicName(), resolveFunction, PropertyAttribute::Function | 0); diff --git a/src/bun.js/bindings/CommonJSModuleRecord.h b/src/bun.js/bindings/CommonJSModuleRecord.h index 14d045478..2f9ba648f 100644 --- a/src/bun.js/bindings/CommonJSModuleRecord.h +++ b/src/bun.js/bindings/CommonJSModuleRecord.h @@ -20,7 +20,7 @@ JSC_DECLARE_HOST_FUNCTION(jsFunctionLoadModule);  class JSCommonJSModule final : public JSC::JSDestructibleObject {  public:      using Base = JSC::JSDestructibleObject; -    static constexpr unsigned StructureFlags = Base::StructureFlags | JSC::OverridesPut; +    static constexpr unsigned StructureFlags = Base::StructureFlags;      mutable JSC::WriteBarrier<JSString> m_id;      mutable JSC::WriteBarrier<Unknown> m_filename; @@ -74,10 +74,6 @@ public:      DECLARE_VISIT_CHILDREN; -    static bool put(JSC::JSCell* cell, JSC::JSGlobalObject* globalObject, -        JSC::PropertyName propertyName, JSC::JSValue value, -        JSC::PutPropertySlot& slot); -      DECLARE_INFO;      template<typename, SubspaceAccess mode>      static JSC::GCClient::IsoSubspace* subspaceFor(JSC::VM& vm); diff --git a/src/bun.js/bindings/ZigGlobalObject.cpp b/src/bun.js/bindings/ZigGlobalObject.cpp index 54fb58776..7ffd75ccf 100644 --- a/src/bun.js/bindings/ZigGlobalObject.cpp +++ b/src/bun.js/bindings/ZigGlobalObject.cpp @@ -1948,6 +1948,11 @@ JSC_DECLARE_HOST_FUNCTION(getInternalWritableStream);  JSC_DECLARE_HOST_FUNCTION(whenSignalAborted);  JSC_DECLARE_HOST_FUNCTION(isAbortSignal); +JSC_DEFINE_HOST_FUNCTION(jsCreateCJSImportMeta, (JSGlobalObject * globalObject, CallFrame* callFrame)) +{ +    return JSValue::encode(Zig::ImportMetaObject::create(globalObject, callFrame->argument(0).toString(globalObject))); +} +  JSC_DEFINE_HOST_FUNCTION(makeThisTypeErrorForBuiltins, (JSGlobalObject * globalObject, CallFrame* callFrame))  {      ASSERT(callFrame); @@ -2825,11 +2830,20 @@ void GlobalObject::finishCreation(VM& vm)      m_commonJSFunctionArgumentsStructure.initLater(          [](const Initializer<Structure>& init) {              auto* globalObject = reinterpret_cast<Zig::GlobalObject*>(init.owner); + +            auto prototype = JSC::constructEmptyObject(init.owner, globalObject->objectPrototype(), 1); +            prototype->putDirect( +                init.vm, +                Identifier::fromString(init.vm, "createImportMeta"_s), +                JSFunction::create(init.vm, init.owner, 2, ""_s, jsCreateCJSImportMeta, ImplementationVisibility::Public), +                PropertyAttribute::DontDelete | PropertyAttribute::DontEnum | 0); +              JSC::Structure* structure = globalObject->structureCache().emptyObjectStructureForPrototype(                  globalObject, -                globalObject->objectPrototype(), -                3); +                prototype, +                5);              JSC::PropertyOffset offset; +              auto& vm = globalObject->vm();              structure = structure->addPropertyTransition( @@ -2842,6 +2856,20 @@ void GlobalObject::finishCreation(VM& vm)              structure = structure->addPropertyTransition(                  vm,                  structure, +                JSC::Identifier::fromString(vm, "require"_s), +                0, +                offset); + +            structure = structure->addPropertyTransition( +                vm, +                structure, +                JSC::Identifier::fromString(vm, "resolve"_s), +                0, +                offset); + +            structure = structure->addPropertyTransition( +                vm, +                structure,                  JSC::Identifier::fromString(vm, "__dirname"_s),                  0,                  offset); @@ -3647,6 +3675,8 @@ void GlobalObject::addBuiltinGlobals(JSC::VM& vm)      putDirectBuiltinFunction(vm, this, builtinNames.internalRequirePrivateName(), importMetaObjectInternalRequireCodeGenerator(vm), PropertyAttribute::Builtin | PropertyAttribute::DontDelete | PropertyAttribute::ReadOnly);      putDirectBuiltinFunction(vm, this, builtinNames.requireNativeModulePrivateName(), moduleRequireNativeModuleCodeGenerator(vm), PropertyAttribute::Builtin | PropertyAttribute::DontDelete | PropertyAttribute::ReadOnly); +    putDirectBuiltinFunction(vm, this, builtinNames.overridableRequirePrivateName(), moduleOverridableRequireCodeGenerator(vm), 0); +      putDirectNativeFunction(vm, this, builtinNames.createUninitializedArrayBufferPrivateName(), 1, functionCreateUninitializedArrayBuffer, ImplementationVisibility::Public, NoIntrinsic, PropertyAttribute::DontDelete | PropertyAttribute::ReadOnly | PropertyAttribute::Function);      putDirectNativeFunction(vm, this, builtinNames.resolveSyncPrivateName(), 1, functionImportMeta__resolveSyncPrivate, ImplementationVisibility::Public, NoIntrinsic, PropertyAttribute::DontDelete | PropertyAttribute::ReadOnly | PropertyAttribute::Function);      putDirectNativeFunction(vm, this, builtinNames.createInternalModuleByIdPrivateName(), 1, InternalModuleRegistry::jsCreateInternalModuleById, ImplementationVisibility::Public, NoIntrinsic, PropertyAttribute::DontDelete | PropertyAttribute::ReadOnly | PropertyAttribute::Function); diff --git a/src/bun.js/bindings/ZigGlobalObject.lut.h b/src/bun.js/bindings/ZigGlobalObject.lut.h index 8363a994d..6516648e8 100644 --- a/src/bun.js/bindings/ZigGlobalObject.lut.h +++ b/src/bun.js/bindings/ZigGlobalObject.lut.h @@ -4,7 +4,7 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 43, -1 }, +    { 42, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -13,7 +13,7 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { 6, -1 },      { 3, -1 },      { -1, -1 }, -    { 35, -1 }, +    { 34, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -21,10 +21,10 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 30, 258 }, +    { 29, 258 },      { -1, -1 },      { -1, -1 }, -    { 55, 257 }, +    { 54, 257 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -33,7 +33,7 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 52, -1 }, +    { 51, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -45,7 +45,7 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { 18, -1 }, -    { 57, -1 }, +    { 56, -1 },      { -1, -1 },      { -1, -1 },      { 14, -1 }, @@ -57,25 +57,25 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 42, -1 }, -    { 48, -1 }, +    { 41, -1 }, +    { 47, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 70, -1 }, +    { 69, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 40, -1 }, +    { 39, -1 },      { -1, -1 },      { -1, -1 }, -    { 39, -1 }, -    { 64, -1 }, +    { 38, -1 }, +    { 63, -1 },      { -1, -1 }, -    { 58, -1 }, +    { 57, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -83,47 +83,47 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 50, -1 }, +    { 49, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 59, -1 }, +    { 58, -1 },      { 11, -1 },      { -1, -1 },      { -1, -1 },      { 0, -1 },      { -1, -1 }, -    { 38, -1 }, -    { 22, -1 }, -    { 67, -1 }, +    { 37, -1 }, +    { 21, -1 }, +    { 66, -1 },      { -1, -1 },      { -1, -1 }, -    { 71, -1 }, +    { 70, -1 },      { -1, -1 }, -    { 46, -1 }, +    { 45, -1 },      { -1, -1 }, -    { 49, -1 }, +    { 48, -1 },      { -1, -1 },      { -1, -1 }, -    { 25, -1 }, +    { 24, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 34, -1 }, +    { 33, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 51, -1 }, -    { 47, -1 }, +    { 50, -1 }, +    { 46, -1 },      { -1, -1 },      { 13, -1 },      { -1, -1 },      { -1, -1 }, -    { 44, -1 }, +    { 43, -1 },      { -1, -1 },      { 1, -1 },      { -1, -1 }, @@ -131,35 +131,35 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 21, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 33, -1 },      { -1, -1 }, +    { 32, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 29, -1 },      { -1, -1 }, +    { 28, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 27, -1 }, +    { -1, -1 }, +    { 26, -1 },      { -1, -1 },      { -1, -1 },      { 17, -1 },      { -1, -1 }, -    { 32, -1 }, +    { 31, -1 },      { -1, -1 },      { -1, -1 }, -    { 36, -1 }, -    { 72, -1 }, +    { 35, -1 }, +    { 71, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 23, -1 }, +    { 22, -1 },      { -1, -1 },      { -1, -1 },      { 4, -1 }, @@ -167,15 +167,15 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 24, -1 }, +    { 23, -1 },      { -1, -1 },      { -1, -1 }, -    { 56, -1 }, +    { 55, -1 },      { -1, -1 }, -    { 54, -1 }, +    { 53, -1 },      { -1, -1 },      { 12, -1 }, -    { 26, -1 }, +    { 25, -1 },      { 7, -1 },      { -1, -1 },      { 9, -1 }, @@ -186,16 +186,16 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 62, -1 },      { 61, -1 }, +    { 60, -1 },      { -1, -1 },      { 5, 256 },      { -1, -1 }, -    { 65, -1 }, +    { 64, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 37, -1 }, +    { 36, -1 },      { -1, -1 },      { 15, -1 },      { -1, -1 }, @@ -204,10 +204,10 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 41, 259 }, +    { 40, 259 },      { -1, -1 },      { -1, -1 }, -    { 69, -1 }, +    { 68, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -217,7 +217,7 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 53, -1 }, +    { 52, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -228,19 +228,19 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 31, -1 }, +    { 30, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 28, -1 }, +    { 27, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, -    { 45, -1 }, +    { 44, -1 },      { -1, -1 },      { -1, -1 }, -    { 66, -1 }, +    { 65, -1 },      { -1, -1 },      { -1, -1 },      { -1, -1 }, @@ -257,12 +257,12 @@ static const struct CompactHashIndex bunGlobalObjectTableIndex[260] = {      { 19, -1 },      { -1, -1 },      { 8, -1 }, -    { 60, -1 }, -    { 63, -1 }, -    { 68, -1 }, +    { 59, -1 }, +    { 62, -1 }, +    { 67, -1 },  }; -static const struct HashTableValue bunGlobalObjectTableValues[73] = { +static const struct HashTableValue bunGlobalObjectTableValues[72] = {     { "addEventListener"_s, static_cast<unsigned>(PropertyAttribute::Function), NoIntrinsic, { HashTableValue::NativeFunctionType, jsFunctionAddEventListener, 2 } },     { "alert"_s, static_cast<unsigned>(PropertyAttribute::Function), NoIntrinsic, { HashTableValue::NativeFunctionType, WebCore__alert, 1 } },     { "atob"_s, static_cast<unsigned>(PropertyAttribute::Function), NoIntrinsic, { HashTableValue::NativeFunctionType, functionATOB, 1 } }, @@ -284,7 +284,6 @@ static const struct HashTableValue bunGlobalObjectTableValues[73] = {     { "structuredClone"_s, static_cast<unsigned>(PropertyAttribute::Function), NoIntrinsic, { HashTableValue::NativeFunctionType, functionStructuredClone, 2 } },     { "global"_s, static_cast<unsigned>(PropertyAttribute::PropertyCallback), NoIntrinsic, { HashTableValue::LazyPropertyType, GlobalObject_getGlobalThis } },     { "EventSource"_s, static_cast<unsigned>(PropertyAttribute::PropertyCallback), NoIntrinsic, { HashTableValue::LazyPropertyType, getEventSourceConstructor } }, -   { "$_BunCommonJSModule_$"_s, static_cast<unsigned>(PropertyAttribute::CustomAccessor|PropertyAttribute::DontDelete|PropertyAttribute::ReadOnly), NoIntrinsic, { HashTableValue::GetterSetterType, BunCommonJSModule_getter, 0 } },     { "Bun"_s, static_cast<unsigned>(PropertyAttribute::CellProperty|PropertyAttribute::DontDelete|PropertyAttribute::ReadOnly), NoIntrinsic, { HashTableValue::LazyCellPropertyType, OBJECT_OFFSETOF(GlobalObject, m_bunObject) } },     { "File"_s, static_cast<unsigned>(PropertyAttribute::CellProperty), NoIntrinsic, { HashTableValue::LazyCellPropertyType, OBJECT_OFFSETOF(GlobalObject, m_JSDOMFileConstructor) } },     { "crypto"_s, static_cast<unsigned>(PropertyAttribute::CellProperty), NoIntrinsic, { HashTableValue::LazyCellPropertyType, OBJECT_OFFSETOF(GlobalObject, m_cryptoObject) } }, @@ -339,4 +338,4 @@ static const struct HashTableValue bunGlobalObjectTableValues[73] = {  };  static const struct HashTable bunGlobalObjectTable = -    { 73, 255, true, nullptr, bunGlobalObjectTableValues, bunGlobalObjectTableIndex }; +    { 72, 255, false, nullptr, bunGlobalObjectTableValues, bunGlobalObjectTableIndex }; diff --git a/src/bun.js/bindings/ZigGlobalObject.lut.txt b/src/bun.js/bindings/ZigGlobalObject.lut.txt index 7700dcc8d..aadaee92a 100644 --- a/src/bun.js/bindings/ZigGlobalObject.lut.txt +++ b/src/bun.js/bindings/ZigGlobalObject.lut.txt @@ -25,8 +25,6 @@    global                          GlobalObject_getGlobalThis                           PropertyCallback    EventSource                     getEventSourceConstructor                            PropertyCallback -  $_BunCommonJSModule_$           BunCommonJSModule_getter                             CustomAccessor|DontDelete|ReadOnly -    Bun                             GlobalObject::m_bunObject                            CellProperty|DontDelete|ReadOnly    File                            GlobalObject::m_JSDOMFileConstructor                 CellProperty    crypto                          GlobalObject::m_cryptoObject                         CellProperty diff --git a/src/bun.js/module_loader.zig b/src/bun.js/module_loader.zig index ca066450d..89dca35b0 100644 --- a/src/bun.js/module_loader.zig +++ b/src/bun.js/module_loader.zig @@ -154,21 +154,26 @@ const BunDebugHolder = struct {      pub var lock: bun.Lock = undefined;  }; -fn dumpSource(specifier: string, printer: anytype) !void { +/// Dumps the module source to a file in /tmp/bun-debug-src/{filepath} +/// +/// This can technically fail if concurrent access across processes happens, or permission issues. +/// Errors here should always be ignored. +fn dumpSource(specifier: string, printer: anytype) void {      if (BunDebugHolder.dir == null) { -        BunDebugHolder.dir = try std.fs.cwd().makeOpenPathIterable("/tmp/bun-debug-src/", .{}); +        BunDebugHolder.dir = std.fs.cwd().makeOpenPathIterable("/tmp/bun-debug-src/", .{}) catch return;          BunDebugHolder.lock = bun.Lock.init();      }      BunDebugHolder.lock.lock();      defer BunDebugHolder.lock.unlock(); +    const dir = BunDebugHolder.dir orelse return;      if (std.fs.path.dirname(specifier)) |dir_path| { -        var parent = try BunDebugHolder.dir.?.dir.makeOpenPathIterable(dir_path[1..], .{}); +        var parent = dir.dir.makeOpenPathIterable(dir_path[1..], .{}) catch return;          defer parent.close(); -        try parent.dir.writeFile(std.fs.path.basename(specifier), printer.ctx.getWritten()); +        parent.dir.writeFile(std.fs.path.basename(specifier), printer.ctx.getWritten()) catch return;      } else { -        try BunDebugHolder.dir.?.dir.writeFile(std.fs.path.basename(specifier), printer.ctx.getWritten()); +        dir.dir.writeFile(std.fs.path.basename(specifier), printer.ctx.getWritten()) catch return;      }  } @@ -545,7 +550,7 @@ pub const RuntimeTranspilerStore = struct {              }              if (comptime Environment.dump_source) { -                dumpSource(specifier, &printer) catch {}; +                dumpSource(specifier, &printer);              }              this.resolved_source = ResolvedSource{ @@ -1230,7 +1235,7 @@ pub const ModuleLoader = struct {              }              if (comptime Environment.dump_source) { -                try dumpSource(specifier, &printer); +                dumpSource(specifier, &printer);              }              var commonjs_exports = try bun.default_allocator.alloc(ZigString, parse_result.ast.commonjs_export_names.len); @@ -1626,7 +1631,7 @@ pub const ModuleLoader = struct {                  };                  if (comptime Environment.dump_source) { -                    try dumpSource(specifier, &printer); +                    dumpSource(specifier, &printer);                  }                  var commonjs_exports = try bun.default_allocator.alloc(ZigString, parse_result.ast.commonjs_export_names.len); @@ -1979,6 +1984,7 @@ pub const ModuleLoader = struct {                  if (err == error.PluginError) {                      return null;                  } +                  VirtualMachine.processFetchLog(globalObject, specifier_ptr.*, referrer.*, &log, ret, err);                  return null;              }, diff --git a/src/bun.js/modules/NodeModuleModule.h b/src/bun.js/modules/NodeModuleModule.h index 6d8654024..ddb273de4 100644 --- a/src/bun.js/modules/NodeModuleModule.h +++ b/src/bun.js/modules/NodeModuleModule.h @@ -304,6 +304,39 @@ JSC_DEFINE_CUSTOM_SETTER(set_resolveFilename,    return false;  } +// These two setters are only used if you directly hit +// `Module.prototype.require` or `module.require`. When accessing the cjs +// require argument, this is a bound version of `require`, which calls into the +// overridden one. +// +// This require function also intentionally does not have .resolve on it, nor +// does it have any of the other properties. +// +// Note: allowing require to be overridable at all is only needed for Next.js to +// work (they do Module.prototype.require = ...) + +JSC_DEFINE_CUSTOM_GETTER(getterRequireFunction, +                         (JSC::JSGlobalObject * globalObject, +                          JSC::EncodedJSValue thisValue, JSC::PropertyName)) { +  return JSValue::encode(globalObject->getDirect( +      globalObject->vm(), WebCore::clientData(globalObject->vm()) +                              ->builtinNames() +                              .overridableRequirePrivateName())); +} + +JSC_DEFINE_CUSTOM_SETTER(setterRequireFunction, +                         (JSC::JSGlobalObject * globalObject, +                          JSC::EncodedJSValue thisValue, +                          JSC::EncodedJSValue value, +                          JSC::PropertyName propertyName)) { +  globalObject->putDirect(globalObject->vm(), +                          WebCore::clientData(globalObject->vm()) +                              ->builtinNames() +                              .overridableRequirePrivateName(), +                          JSValue::decode(value), 0); +  return true; +} +  namespace Zig {  DEFINE_NATIVE_MODULE(NodeModule) { @@ -371,8 +404,15 @@ DEFINE_NATIVE_MODULE(NodeModule) {    put(Identifier::fromString(vm, "globalPaths"_s),        constructEmptyArray(globalObject, nullptr, 0)); -  put(Identifier::fromString(vm, "prototype"_s), -      constructEmptyObject(globalObject)); +  auto prototype = +      constructEmptyObject(globalObject, globalObject->objectPrototype(), 1); +  prototype->putDirectCustomAccessor( +      vm, JSC::Identifier::fromString(vm, "require"_s), +      JSC::CustomGetterSetter::create(vm, getterRequireFunction, +                                      setterRequireFunction), +      0); + +  defaultObject->putDirect(vm, vm.propertyNames->prototype, prototype);    JSC::JSArray *builtinModules = JSC::JSArray::create(        vm, diff --git a/src/bundler.zig b/src/bundler.zig index cf0e0a4f8..479843bcd 100644 --- a/src/bundler.zig +++ b/src/bundler.zig @@ -1106,6 +1106,7 @@ pub const Bundler = struct {                      .minify_syntax = bundler.options.minify_syntax,                      .minify_identifiers = bundler.options.minify_identifiers,                      .transform_only = bundler.options.transform_only, +                    .import_meta_ref = ast.import_meta_ref,                  },                  enable_source_map,              ), @@ -1129,6 +1130,7 @@ pub const Bundler = struct {                          .transform_only = bundler.options.transform_only,                          .module_type = if (ast.exports_kind == .cjs) .cjs else .esm,                          .inline_require_and_import_errors = false, +                        .import_meta_ref = ast.import_meta_ref,                      },                      enable_source_map,                  ), diff --git a/src/js/_codegen/builtin-parser.ts b/src/js/_codegen/builtin-parser.ts index ffd5671c1..4e35f13dd 100644 --- a/src/js/_codegen/builtin-parser.ts +++ b/src/js/_codegen/builtin-parser.ts @@ -79,12 +79,14 @@ export function sliceSourceCode(        i = 1;      } else if (endOnComma && contents.startsWith(",")) {        if (bracketCount <= 1) { -        result += ",";          contents = contents.slice(1); -        // if the next non-whitespace character is ), also consume +        // if the next non-whitespace character is ), we will treat it like a )          let match = contents.match(/^\s*\)/);          if (match) {            contents = contents.slice(match[0].length); +          result += ")"; +        } else { +          result += ",";          }          break;        } diff --git a/src/js/_codegen/client-js.ts b/src/js/_codegen/client-js.ts index 2db3305fa..bd9ed63f4 100644 --- a/src/js/_codegen/client-js.ts +++ b/src/js/_codegen/client-js.ts @@ -27,10 +27,18 @@ export function createAssertClientJS(publicName: string) {    return `  let $assert = function(check, sourceString, ...message) {    if (!check) { -    console.error('[${publicName}] ASSERTION FAILED: ' + sourceString); -    if(message.length)console.warn (' ${" ".repeat(publicName.length)}', ...message); +    const prevPrepareStackTrace = Error.prepareStackTrace; +    Error.prepareStackTrace = (e, stack) => { +      return e.name + ': ' + e.message + '\\n' + stack.slice(1).map(x => '  at ' + x.toString()).join('\\n'); +    };      const e = new Error(sourceString); +    e.stack; // materialize stack      e.name = 'AssertionError'; +    Error.prepareStackTrace = prevPrepareStackTrace; +    console.error('[${publicName}] ASSERTION FAILED: ' + sourceString); +    if (message.length) console.warn(...message); +    console.warn(e.stack.split('\\n')[1] + '\\n'); +    if (Bun.env.ASSERT === 'CRASH') process.exit(0xAA);      throw e;    }  } diff --git a/src/js/_codegen/replacements.ts b/src/js/_codegen/replacements.ts index 5ce646ad5..45f2426b5 100644 --- a/src/js/_codegen/replacements.ts +++ b/src/js/_codegen/replacements.ts @@ -141,14 +141,27 @@ export function applyReplacements(src: string, length: number) {        ];      } else if (name === "assert") {        const checkSlice = sliceSourceCode(rest, true, undefined, true); +      let rest2 = checkSlice.rest; +      let extraArgs = ""; +      if (checkSlice.result.at(-1) === ",") { +        const sliced = sliceSourceCode("(" + rest2.slice(1), true, undefined, false); +        extraArgs = ", " + sliced.result.slice(1, -1); +        rest2 = sliced.rest; +      }        return [          slice.slice(0, match.index) +            "(IS_BUN_DEVELOPMENT?$assert(" +            checkSlice.result.slice(1, -1) +            "," + -          JSON.stringify(checkSlice.result.slice(1, -1).replace(/__intrinsic__/g, "$")) + +          JSON.stringify( +            checkSlice.result +              .slice(1, -1) +              .replace(/__intrinsic__/g, "$") +              .trim(), +          ) + +          extraArgs +            "):void 0)", -        checkSlice.rest, +        rest2,          true,        ];      } diff --git a/src/js/builtins.d.ts b/src/js/builtins.d.ts index cdda3ffe1..ee7bd68cf 100644 --- a/src/js/builtins.d.ts +++ b/src/js/builtins.d.ts @@ -12,7 +12,9 @@ declare function $debug(...args: any[]): void;  /** $assert is a preprocessor macro that only runs in debug mode. it throws an error if the first argument is falsy.   * The source code passed to `check` is inlined in the message, but in addition you can pass additional messages.   */ -declare function $assert(check: any, ...message: any[]): void; +declare function $assert(check: any, ...message: any[]): asserts check; + +declare const IS_BUN_DEVELOPMENT: boolean;  /** Place this directly above a function declaration (like a decorator) to make it a getter. */  declare const $getter: never; @@ -439,6 +441,8 @@ declare function $createCommonJSModule(    parent: CommonJSModuleRecord,  ): CommonJSModuleRecord; +declare function $overridableRequire(this: CommonJSModuleRecord, id: string): any; +  // The following I cannot find any definitions of, but they are functional.  declare function $toLength(length: number): number;  declare function $isTypedArrayView(obj: unknown): obj is ArrayBufferView | DataView | Uint8Array; diff --git a/src/js/builtins/BunBuiltinNames.h b/src/js/builtins/BunBuiltinNames.h index caaba1738..d124a7683 100644 --- a/src/js/builtins/BunBuiltinNames.h +++ b/src/js/builtins/BunBuiltinNames.h @@ -69,6 +69,7 @@ using namespace JSC;      macro(createCommonJSModule) \      macro(createEmptyReadableStream) \      macro(createFIFO) \ +    macro(createInternalModuleById) \      macro(createNativeReadableStream) \      macro(createReadableStream) \      macro(createUninitializedArrayBuffer) \ @@ -119,6 +120,7 @@ using namespace JSC;      macro(inFlightCloseRequest) \      macro(inFlightWriteRequest) \      macro(initializeWith) \ +    macro(internalModuleRegistry) \      macro(internalRequire) \      macro(internalStream) \      macro(internalWritable) \ @@ -145,6 +147,7 @@ using namespace JSC;      macro(once) \      macro(options) \      macro(origin) \ +    macro(overridableRequire) \      macro(ownerReadableStream) \      macro(parse) \      macro(password) \ @@ -185,6 +188,7 @@ using namespace JSC;      macro(require) \      macro(requireESM) \      macro(requireMap) \ +    macro(requireNativeModule) \      macro(resolve) \      macro(resolveSync) \      macro(resume) \ @@ -238,9 +242,6 @@ using namespace JSC;      macro(writer) \      macro(writing) \      macro(written) \ -    macro(createInternalModuleById) \ -    macro(internalModuleRegistry) \ -    macro(requireNativeModule) \  class BunBuiltinNames {  public: diff --git a/src/js/builtins/Module.ts b/src/js/builtins/Module.ts index 3d88f2484..b074d3488 100644 --- a/src/js/builtins/Module.ts +++ b/src/js/builtins/Module.ts @@ -4,6 +4,11 @@ export function main() {  }  export function require(this: CommonJSModuleRecord, id: string) { +  return $overridableRequire.$call(this, id); +} + +// overridableRequire can be overridden by setting `Module.prototype.require` +export function overridableRequire(this: CommonJSModuleRecord, id: string) {    const existing = $requireMap.$get(id) || $requireMap.$get((id = $resolveSync(id, this.path, false)));    if (existing) {      // Scenario where this is necessary: diff --git a/src/js/builtins/ProcessObjectInternals.ts b/src/js/builtins/ProcessObjectInternals.ts index ef8f1f9ce..aa7c9b783 100644 --- a/src/js/builtins/ProcessObjectInternals.ts +++ b/src/js/builtins/ProcessObjectInternals.ts @@ -89,7 +89,8 @@ export function getStdinStream(fd) {    const tty = require("node:tty"); -  const stream = new tty.ReadStream(fd); +  const ReadStream = tty.isatty(fd) ? tty.ReadStream : require("node:fs").ReadStream; +  const stream = new ReadStream(fd);    const originalOn = stream.on;    stream.on = function (event, listener) { diff --git a/src/js/node/async_hooks.ts b/src/js/node/async_hooks.ts index ef77b79f7..83b313912 100644 --- a/src/js/node/async_hooks.ts +++ b/src/js/node/async_hooks.ts @@ -19,17 +19,53 @@  // use. But the nature of this approach makes the implementation *itself* very low-impact on performance.  //  // AsyncContextData is an immutable array managed in here, formatted [key, value, key, value] where -// each key is an AsyncLocalStorage object and the value is the associated value. +// each key is an AsyncLocalStorage object and the value is the associated value. There are a ton of +// calls to $assert which will verify this invariant (only during bun-debug)  //  const { cleanupLater, setAsyncHooksEnabled } = $lazy("async_hooks"); +// Only run during debug +function assertValidAsyncContextArray(array: unknown): array is ReadonlyArray<any> | undefined { +  // undefined is OK +  if (array === undefined) return true; +  // Otherwise, it must be an array +  $assert( +    Array.isArray(array), +    "AsyncContextData must be an array or undefined, got", +    Bun.inspect(array, { depth: 1 }), +  ); +  // the array has to be even +  $assert(array.length % 2 === 0, "AsyncContextData should be even-length, got", Bun.inspect(array, { depth: 1 })); +  // if it is zero-length, use undefined instead +  $assert(array.length > 0, "AsyncContextData should be undefined if empty, got", Bun.inspect(array, { depth: 1 })); +  for (var i = 0; i < array.length; i += 2) { +    $assert( +      array[i] instanceof AsyncLocalStorage, +      `Odd indexes in AsyncContextData should be an array of AsyncLocalStorage\nIndex %s was %s`, +      i, +      array[i], +    ); +  } +  return true; +} + +// Only run during debug +function debugFormatContextValue(value: ReadonlyArray<any> | undefined) { +  if (value === undefined) return "{}"; +  let str = "{\n"; +  for (var i = 0; i < value.length; i += 2) { +    str += `  ${value[i].__id__}: ${Bun.inspect(value[i + 1], { depth: 1, colors: Bun.enableANSIColors })}\n`; +  } +} +  function get(): ReadonlyArray<any> | undefined { -  $debug("get", $getInternalField($asyncContext, 0)); +  $debug("get", debugFormatContextValue($getInternalField($asyncContext, 0)));    return $getInternalField($asyncContext, 0);  }  function set(contextValue: ReadonlyArray<any> | undefined) { -  $debug("set", contextValue); +  $assert(assertValidAsyncContextArray(contextValue)); +  $debug("set", debugFormatContextValue(contextValue));    return $putInternalField($asyncContext, 0, contextValue);  } @@ -38,6 +74,14 @@ class AsyncLocalStorage {    constructor() {      setAsyncHooksEnabled(true); + +    // In debug mode assign every AsyncLocalStorage a unique ID +    if (IS_BUN_DEVELOPMENT) { +      (this as any).__id__ = +        Math.random().toString(36).slice(2, 8) + +        "@" + +        require("node:path").basename(require("bun:jsc").callerSourceOrigin()); +    }    }    static bind(fn, ...args: any) { @@ -67,8 +111,11 @@ class AsyncLocalStorage {        return;      }      var { length } = context; +    $assert(length > 0); +    $assert(length % 2 === 0);      for (var i = 0; i < length; i += 2) {        if (context[i] === this) { +        $assert(length > i + 1);          const clone = context.slice();          clone[i + 1] = store;          set(clone); @@ -76,33 +123,42 @@ class AsyncLocalStorage {        }      }      set(context.concat(this, store)); +    $assert(this.getStore() === store);    }    exit(cb, ...args) {      return this.run(undefined, cb, ...args);    } -  run(store, callback, ...args) { +  // This function is literred with $asserts to ensure that everything that +  // is assumed to be true is *actually* true. +  run(store_value, callback, ...args) {      var context = get() as any[]; // we make sure to .slice() before mutating      var hasPrevious = false; -    var previous; +    var previous_value;      var i = 0; -    var contextWasInit = !context; -    if (contextWasInit) { -      set((context = [this, store])); +    var contextWasAlreadyInit = !context; +    if (contextWasAlreadyInit) { +      set((context = [this, store_value]));      } else {        // it's safe to mutate context now that it was cloned        context = context!.slice();        i = context.indexOf(this);        if (i > -1) { +        $assert(i % 2 === 0);          hasPrevious = true; -        previous = context[i + 1]; -        context[i + 1] = store; +        previous_value = context[i + 1]; +        context[i + 1] = store_value;        } else { -        context.push(this, store); +        i = context.length; +        context.push(this, store_value); +        $assert(i % 2 === 0); +        $assert(context.length % 2 === 0);        }        set(context);      } +    $assert(i > -1, "i was not set"); +    $assert(this.getStore() === store_value, "run: store_value was not set");      try {        return callback(...args);      } catch (e) { @@ -111,24 +167,36 @@ class AsyncLocalStorage {        // Note: early `return` will prevent `throw` above from working. I think...        // Set AsyncContextFrame to undefined if we are out of context values        if (!this.#disableCalled) { -        var context2 = get()! as any[]; -        if (context2 === context && contextWasInit) { +        var context2 = get()! as any[]; // we make sure to .slice() before mutating +        if (context2 === context && contextWasAlreadyInit) { +          $assert(context2.length === 2, "context was mutated without copy");            set(undefined);          } else {            context2 = context2.slice(); // array is cloned here +          $assert(context2[i] === this);            if (hasPrevious) { -            context2[i + 1] = previous; +            context2[i + 1] = previous_value;              set(context2);            } else { +            // i wonder if this is a fair assert to make              context2.splice(i, 2); +            $assert(context2.length % 2 === 0);              set(context2.length ? context2 : undefined);            }          } +        $assert( +          this.getStore() === previous_value, +          "run: previous_value", +          Bun.inspect(previous_value), +          "was not restored, i see", +          this.getStore(), +        );        }      }    }    disable() { +    $debug("disable " + (this as any).__id__);      // In this case, we actually do want to mutate the context state      if (!this.#disableCalled) {        var context = get() as any[]; @@ -156,11 +224,21 @@ class AsyncLocalStorage {    }  } +if (IS_BUN_DEVELOPMENT) { +  AsyncLocalStorage.prototype[Bun.inspect.custom] = function (depth, options) { +    if (depth < 0) return `AsyncLocalStorage { ${Bun.inspect((this as any).__id__, options)} }`; +    return `AsyncLocalStorage { [${options.stylize("debug id", "special")}]: ${Bun.inspect( +      (this as any).__id__, +      options, +    )} }`; +  }; +} +  class AsyncResource {    type;    #snapshot; -  constructor(type, options) { +  constructor(type, options?) {      if (typeof type !== "string") {        throw new TypeError('The "type" argument must be of type string. Received type ' + typeof type);      } @@ -200,6 +278,15 @@ class AsyncResource {        set(prev);      }    } + +  bind(fn, thisArg) { +    return this.runInAsyncScope.bind(this, fn, thisArg ?? this); +  } + +  static bind(fn, type, thisArg) { +    type = type || fn.name; +    return new AsyncResource(type || "bound-anonymous-fn").bind(fn, thisArg); +  }  }  // The rest of async_hooks is not implemented and is stubbed with no-ops and warnings. diff --git a/src/js/node/tty.js b/src/js/node/tty.js index 2ffc2d764..1c3fb2fac 100644 --- a/src/js/node/tty.js +++ b/src/js/node/tty.js @@ -11,30 +11,34 @@ function ReadStream(fd) {    const stream = require("node:fs").ReadStream.call(this, "", {      fd,    }); +  Object.setPrototypeOf(stream, ReadStream.prototype);    stream.isRaw = false; -  stream.isTTY = isatty(stream.fd); +  stream.isTTY = true; + +  $assert(stream instanceof ReadStream);    return stream;  }  Object.defineProperty(ReadStream, "prototype", {    get() { -    const Real = require("node:fs").ReadStream.prototype; +    const Prototype = Object.create(require("node:fs").ReadStream.prototype); -    Object.defineProperty(ReadStream, "prototype", { value: Real }); -    ReadStream.prototype.setRawMode = function (flag) { +    Prototype.setRawMode = function (flag) {        const mode = flag ? 1 : 0;        const err = ttySetMode(this.fd, mode);        if (err) { -        this.emit("error", new Error("setRawMode failed with errno:", err)); +        this.emit("error", new Error("setRawMode failed with errno: " + err));          return this;        }        this.isRaw = flag;        return this;      }; -    return Real; +    Object.defineProperty(ReadStream, "prototype", { value: Prototype }); + +    return Prototype;    },    enumerable: true,    configurable: true, diff --git a/src/js/out/InternalModuleRegistryConstants.h b/src/js/out/InternalModuleRegistryConstants.h index 344433952..b4a181d60 100644 --- a/src/js/out/InternalModuleRegistryConstants.h +++ b/src/js/out/InternalModuleRegistryConstants.h @@ -46,7 +46,7 @@ static constexpr ASCIILiteral NodeAssertStrictCode = "(function (){\"use strict\  //  // -static constexpr ASCIILiteral NodeAsyncHooksCode = "(function (){\"use strict\";// src/js/out/tmp/node/async_hooks.ts\nvar get = function() {\n  return @getInternalField(@asyncContext, 0);\n}, set = function(contextValue) {\n  return @putInternalField(@asyncContext, 0, contextValue);\n}, createWarning = function(message) {\n  let warned = !1;\n  var wrapped = function() {\n    if (warned)\n      return;\n    if (new Error().stack.includes(\"zx/build/core.js\"))\n      return;\n    warned = !0, console.warn(\"[bun] Warning:\", message);\n  };\n  return wrapped;\n}, createHook = function(callbacks) {\n  return {\n    enable: createHookNotImpl,\n    disable: createHookNotImpl\n  };\n}, executionAsyncId = function() {\n  return executionAsyncIdNotImpl(), 0;\n}, triggerAsyncId = function() {\n  return 0;\n}, executionAsyncResource = function() {\n  return executionAsyncResourceWarning(), process.stdin;\n}, $, { cleanupLater, setAsyncHooksEnabled } = @lazy(\"async_hooks\");\n\nclass AsyncLocalStorage {\n  #disableCalled = !1;\n  constructor() {\n    setAsyncHooksEnabled(!0);\n  }\n  static bind(fn, ...args) {\n    return this.snapshot().bind(null, fn, ...args);\n  }\n  static snapshot() {\n    var context = get();\n    return (fn, ...args) => {\n      var prev = get();\n      set(context);\n      try {\n        return fn(...args);\n      } catch (error) {\n        throw error;\n      } finally {\n        set(prev);\n      }\n    };\n  }\n  enterWith(store) {\n    cleanupLater();\n    var context = get();\n    if (!context) {\n      set([this, store]);\n      return;\n    }\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this) {\n        const clone = context.slice();\n        clone[i + 1] = store, set(clone);\n        return;\n      }\n    set(context.concat(this, store));\n  }\n  exit(cb, ...args) {\n    return this.run(@undefined, cb, ...args);\n  }\n  run(store, callback, ...args) {\n    var context = get(), hasPrevious = !1, previous, i = 0, contextWasInit = !context;\n    if (contextWasInit)\n      set(context = [this, store]);\n    else {\n      if (context = context.slice(), i = context.indexOf(this), i > -1)\n        hasPrevious = !0, previous = context[i + 1], context[i + 1] = store;\n      else\n        context.push(this, store);\n      set(context);\n    }\n    try {\n      return callback(...args);\n    } catch (e) {\n      throw e;\n    } finally {\n      if (!this.#disableCalled) {\n        var context2 = get();\n        if (context2 === context && contextWasInit)\n          set(@undefined);\n        else if (context2 = context2.slice(), hasPrevious)\n          context2[i + 1] = previous, set(context2);\n        else\n          context2.splice(i, 2), set(context2.length \? context2 : @undefined);\n      }\n    }\n  }\n  disable() {\n    if (!this.#disableCalled) {\n      var context = get();\n      if (context) {\n        var { length } = context;\n        for (var i = 0;i < length; i += 2)\n          if (context[i] === this) {\n            context.splice(i, 2), set(context.length \? context : @undefined);\n            break;\n          }\n      }\n      this.#disableCalled = !0;\n    }\n  }\n  getStore() {\n    var context = get();\n    if (!context)\n      return;\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this)\n        return context[i + 1];\n  }\n}\n\nclass AsyncResource {\n  type;\n  #snapshot;\n  constructor(type, options) {\n    if (typeof type !== \"string\")\n      @throwTypeError('The \"type\" argument must be of type string. Received type ' + typeof type);\n    setAsyncHooksEnabled(!0), this.type = type, this.#snapshot = get();\n  }\n  emitBefore() {\n    return !0;\n  }\n  emitAfter() {\n    return !0;\n  }\n  asyncId() {\n    return 0;\n  }\n  triggerAsyncId() {\n    return 0;\n  }\n  emitDestroy() {\n  }\n  runInAsyncScope(fn, thisArg, ...args) {\n    var prev = get();\n    set(this.#snapshot);\n    try {\n      return fn.apply(thisArg, args);\n    } catch (error) {\n      throw error;\n    } finally {\n      set(prev);\n    }\n  }\n}\nvar createHookNotImpl = createWarning(\"async_hooks.createHook is not implemented in Bun. Hooks can still be created but will never be called.\"), executionAsyncIdNotImpl = createWarning(\"async_hooks.executionAsyncId/triggerAsyncId are not implemented in Bun. It will return 0 every time.\"), executionAsyncResourceWarning = createWarning(\"async_hooks.executionAsyncResource is not implemented in Bun. It returns a reference to process.stdin every time.\"), asyncWrapProviders = {\n  NONE: 0,\n  DIRHANDLE: 1,\n  DNSCHANNEL: 2,\n  ELDHISTOGRAM: 3,\n  FILEHANDLE: 4,\n  FILEHANDLECLOSEREQ: 5,\n  FIXEDSIZEBLOBCOPY: 6,\n  FSEVENTWRAP: 7,\n  FSREQCALLBACK: 8,\n  FSREQPROMISE: 9,\n  GETADDRINFOREQWRAP: 10,\n  GETNAMEINFOREQWRAP: 11,\n  HEAPSNAPSHOT: 12,\n  HTTP2SESSION: 13,\n  HTTP2STREAM: 14,\n  HTTP2PING: 15,\n  HTTP2SETTINGS: 16,\n  HTTPINCOMINGMESSAGE: 17,\n  HTTPCLIENTREQUEST: 18,\n  JSSTREAM: 19,\n  JSUDPWRAP: 20,\n  MESSAGEPORT: 21,\n  PIPECONNECTWRAP: 22,\n  PIPESERVERWRAP: 23,\n  PIPEWRAP: 24,\n  PROCESSWRAP: 25,\n  PROMISE: 26,\n  QUERYWRAP: 27,\n  SHUTDOWNWRAP: 28,\n  SIGNALWRAP: 29,\n  STATWATCHER: 30,\n  STREAMPIPE: 31,\n  TCPCONNECTWRAP: 32,\n  TCPSERVERWRAP: 33,\n  TCPWRAP: 34,\n  TTYWRAP: 35,\n  UDPSENDWRAP: 36,\n  UDPWRAP: 37,\n  SIGINTWATCHDOG: 38,\n  WORKER: 39,\n  WORKERHEAPSNAPSHOT: 40,\n  WRITEWRAP: 41,\n  ZLIB: 42,\n  CHECKPRIMEREQUEST: 43,\n  PBKDF2REQUEST: 44,\n  KEYPAIRGENREQUEST: 45,\n  KEYGENREQUEST: 46,\n  KEYEXPORTREQUEST: 47,\n  CIPHERREQUEST: 48,\n  DERIVEBITSREQUEST: 49,\n  HASHREQUEST: 50,\n  RANDOMBYTESREQUEST: 51,\n  RANDOMPRIMEREQUEST: 52,\n  SCRYPTREQUEST: 53,\n  SIGNREQUEST: 54,\n  TLSWRAP: 55,\n  VERIFYREQUEST: 56,\n  INSPECTORJSBINDING: 57\n};\n$ = {\n  AsyncLocalStorage,\n  createHook,\n  executionAsyncId,\n  triggerAsyncId,\n  executionAsyncResource,\n  asyncWrapProviders,\n  AsyncResource\n};\nreturn $})\n"_s; +static constexpr ASCIILiteral NodeAsyncHooksCode = "(function (){\"use strict\";// src/js/out/tmp/node/async_hooks.ts\nvar get = function() {\n  return @getInternalField(@asyncContext, 0);\n}, set = function(contextValue) {\n  return @putInternalField(@asyncContext, 0, contextValue);\n}, createWarning = function(message) {\n  let warned = !1;\n  var wrapped = function() {\n    if (warned)\n      return;\n    if (new Error().stack.includes(\"zx/build/core.js\"))\n      return;\n    warned = !0, console.warn(\"[bun] Warning:\", message);\n  };\n  return wrapped;\n}, createHook = function(callbacks) {\n  return {\n    enable: createHookNotImpl,\n    disable: createHookNotImpl\n  };\n}, executionAsyncId = function() {\n  return executionAsyncIdNotImpl(), 0;\n}, triggerAsyncId = function() {\n  return 0;\n}, executionAsyncResource = function() {\n  return executionAsyncResourceWarning(), process.stdin;\n}, $, { cleanupLater, setAsyncHooksEnabled } = @lazy(\"async_hooks\");\n\nclass AsyncLocalStorage {\n  #disableCalled = !1;\n  constructor() {\n    setAsyncHooksEnabled(!0);\n  }\n  static bind(fn, ...args) {\n    return this.snapshot().bind(null, fn, ...args);\n  }\n  static snapshot() {\n    var context = get();\n    return (fn, ...args) => {\n      var prev = get();\n      set(context);\n      try {\n        return fn(...args);\n      } catch (error) {\n        throw error;\n      } finally {\n        set(prev);\n      }\n    };\n  }\n  enterWith(store) {\n    cleanupLater();\n    var context = get();\n    if (!context) {\n      set([this, store]);\n      return;\n    }\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this) {\n        const clone = context.slice();\n        clone[i + 1] = store, set(clone);\n        return;\n      }\n    set(context.concat(this, store));\n  }\n  exit(cb, ...args) {\n    return this.run(@undefined, cb, ...args);\n  }\n  run(store_value, callback, ...args) {\n    var context = get(), hasPrevious = !1, previous_value, i = 0, contextWasAlreadyInit = !context;\n    if (contextWasAlreadyInit)\n      set(context = [this, store_value]);\n    else {\n      if (context = context.slice(), i = context.indexOf(this), i > -1)\n        hasPrevious = !0, previous_value = context[i + 1], context[i + 1] = store_value;\n      else\n        i = context.length, context.push(this, store_value);\n      set(context);\n    }\n    try {\n      return callback(...args);\n    } catch (e) {\n      throw e;\n    } finally {\n      if (!this.#disableCalled) {\n        var context2 = get();\n        if (context2 === context && contextWasAlreadyInit)\n          set(@undefined);\n        else if (context2 = context2.slice(), hasPrevious)\n          context2[i + 1] = previous_value, set(context2);\n        else\n          context2.splice(i, 2), set(context2.length \? context2 : @undefined);\n      }\n    }\n  }\n  disable() {\n    if (!this.#disableCalled) {\n      var context = get();\n      if (context) {\n        var { length } = context;\n        for (var i = 0;i < length; i += 2)\n          if (context[i] === this) {\n            context.splice(i, 2), set(context.length \? context : @undefined);\n            break;\n          }\n      }\n      this.#disableCalled = !0;\n    }\n  }\n  getStore() {\n    var context = get();\n    if (!context)\n      return;\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this)\n        return context[i + 1];\n  }\n}\n\nclass AsyncResource {\n  type;\n  #snapshot;\n  constructor(type, options) {\n    if (typeof type !== \"string\")\n      @throwTypeError('The \"type\" argument must be of type string. Received type ' + typeof type);\n    setAsyncHooksEnabled(!0), this.type = type, this.#snapshot = get();\n  }\n  emitBefore() {\n    return !0;\n  }\n  emitAfter() {\n    return !0;\n  }\n  asyncId() {\n    return 0;\n  }\n  triggerAsyncId() {\n    return 0;\n  }\n  emitDestroy() {\n  }\n  runInAsyncScope(fn, thisArg, ...args) {\n    var prev = get();\n    set(this.#snapshot);\n    try {\n      return fn.apply(thisArg, args);\n    } catch (error) {\n      throw error;\n    } finally {\n      set(prev);\n    }\n  }\n  bind(fn, thisArg) {\n    return this.runInAsyncScope.bind(this, fn, thisArg \?\? this);\n  }\n  static bind(fn, type, thisArg) {\n    return type = type || fn.name, new AsyncResource(type || \"bound-anonymous-fn\").bind(fn, thisArg);\n  }\n}\nvar createHookNotImpl = createWarning(\"async_hooks.createHook is not implemented in Bun. Hooks can still be created but will never be called.\"), executionAsyncIdNotImpl = createWarning(\"async_hooks.executionAsyncId/triggerAsyncId are not implemented in Bun. It will return 0 every time.\"), executionAsyncResourceWarning = createWarning(\"async_hooks.executionAsyncResource is not implemented in Bun. It returns a reference to process.stdin every time.\"), asyncWrapProviders = {\n  NONE: 0,\n  DIRHANDLE: 1,\n  DNSCHANNEL: 2,\n  ELDHISTOGRAM: 3,\n  FILEHANDLE: 4,\n  FILEHANDLECLOSEREQ: 5,\n  FIXEDSIZEBLOBCOPY: 6,\n  FSEVENTWRAP: 7,\n  FSREQCALLBACK: 8,\n  FSREQPROMISE: 9,\n  GETADDRINFOREQWRAP: 10,\n  GETNAMEINFOREQWRAP: 11,\n  HEAPSNAPSHOT: 12,\n  HTTP2SESSION: 13,\n  HTTP2STREAM: 14,\n  HTTP2PING: 15,\n  HTTP2SETTINGS: 16,\n  HTTPINCOMINGMESSAGE: 17,\n  HTTPCLIENTREQUEST: 18,\n  JSSTREAM: 19,\n  JSUDPWRAP: 20,\n  MESSAGEPORT: 21,\n  PIPECONNECTWRAP: 22,\n  PIPESERVERWRAP: 23,\n  PIPEWRAP: 24,\n  PROCESSWRAP: 25,\n  PROMISE: 26,\n  QUERYWRAP: 27,\n  SHUTDOWNWRAP: 28,\n  SIGNALWRAP: 29,\n  STATWATCHER: 30,\n  STREAMPIPE: 31,\n  TCPCONNECTWRAP: 32,\n  TCPSERVERWRAP: 33,\n  TCPWRAP: 34,\n  TTYWRAP: 35,\n  UDPSENDWRAP: 36,\n  UDPWRAP: 37,\n  SIGINTWATCHDOG: 38,\n  WORKER: 39,\n  WORKERHEAPSNAPSHOT: 40,\n  WRITEWRAP: 41,\n  ZLIB: 42,\n  CHECKPRIMEREQUEST: 43,\n  PBKDF2REQUEST: 44,\n  KEYPAIRGENREQUEST: 45,\n  KEYGENREQUEST: 46,\n  KEYEXPORTREQUEST: 47,\n  CIPHERREQUEST: 48,\n  DERIVEBITSREQUEST: 49,\n  HASHREQUEST: 50,\n  RANDOMBYTESREQUEST: 51,\n  RANDOMPRIMEREQUEST: 52,\n  SCRYPTREQUEST: 53,\n  SIGNREQUEST: 54,\n  TLSWRAP: 55,\n  VERIFYREQUEST: 56,\n  INSPECTORJSBINDING: 57\n};\n$ = {\n  AsyncLocalStorage,\n  createHook,\n  executionAsyncId,\n  triggerAsyncId,\n  executionAsyncResource,\n  asyncWrapProviders,\n  AsyncResource\n};\nreturn $})\n"_s;  //  // @@ -190,7 +190,7 @@ static constexpr ASCIILiteral NodeTraceEventsCode = "(function (){\"use strict\"  //  // -static constexpr ASCIILiteral NodeTtyCode = "(function (){\"use strict\";// src/js/out/tmp/node/tty.ts\nvar ReadStream = function(fd) {\n  if (!(this instanceof ReadStream))\n    return new ReadStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.call(this, \"\", {\n    fd\n  });\n  return stream.isRaw = !1, stream.isTTY = isatty(stream.fd), stream;\n}, warnOnDeactivatedColors = function(env) {\n  if (warned)\n    return;\n  let name = \"\";\n  if (env.NODE_DISABLE_COLORS !== @undefined)\n    name = \"NODE_DISABLE_COLORS\";\n  if (env.NO_COLOR !== @undefined) {\n    if (name !== \"\")\n      name += \"' and '\";\n    name += \"NO_COLOR\";\n  }\n  if (name !== \"\")\n    process.emitWarning(`The '${name}' env is ignored due to the 'FORCE_COLOR' env being set.`, \"Warning\"), warned = !0;\n}, WriteStream = function(fd) {\n  if (!(this instanceof WriteStream))\n    return new WriteStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.call(this, \"\", {\n    fd\n  });\n  if (stream.columns = @undefined, stream.rows = @undefined, stream.isTTY = isatty(stream.fd), stream.isTTY) {\n    const windowSizeArray = [0, 0];\n    if (_getWindowSize(fd, windowSizeArray) === !0)\n      stream.columns = windowSizeArray[0], stream.rows = windowSizeArray[1];\n  }\n  return stream;\n}, { ttySetMode, isatty, getWindowSize: _getWindowSize } = @lazy(\"tty\"), StringPrototypeSplit = Function.prototype.call.bind(@String.prototype.split), RegExpPrototypeExec = Function.prototype.call.bind(@RegExp.prototype.exec), StringPrototypeToLowerCase = Function.prototype.call.bind(@String.prototype.toLowerCase), ArrayPrototypeSome = Function.prototype.call.bind(@Array.prototype.some), NumberIsInteger = Number.isInteger;\nObject.defineProperty(ReadStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.prototype;\n    return Object.defineProperty(ReadStream, \"prototype\", { value: Real }), ReadStream.prototype.setRawMode = function(flag) {\n      const mode = flag \? 1 : 0, err = ttySetMode(this.fd, mode);\n      if (err)\n        return this.emit(\"error\", new Error(\"setRawMode failed with errno:\", err)), this;\n      return this.isRaw = flag, this;\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar COLORS_2 = 1, COLORS_16 = 4, COLORS_256 = 8, COLORS_16m = 24, TERM_ENVS = {\n  eterm: COLORS_16,\n  cons25: COLORS_16,\n  console: COLORS_16,\n  cygwin: COLORS_16,\n  dtterm: COLORS_16,\n  gnome: COLORS_16,\n  hurd: COLORS_16,\n  jfbterm: COLORS_16,\n  konsole: COLORS_16,\n  kterm: COLORS_16,\n  mlterm: COLORS_16,\n  mosh: COLORS_16m,\n  putty: COLORS_16,\n  st: COLORS_16,\n  \"rxvt-unicode-24bit\": COLORS_16m,\n  terminator: COLORS_16m\n}, TERM_ENVS_REG_EXP = [/ansi/, /color/, /linux/, /^con[0-9]*x[0-9]/, /^rxvt/, /^screen/, /^xterm/, /^vt100/], warned = !1;\nObject.defineProperty(WriteStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.prototype;\n    Object.defineProperty(WriteStream, \"prototype\", { value: Real }), WriteStream.prototype._refreshSize = function() {\n      const oldCols = this.columns, oldRows = this.rows, windowSizeArray = [0, 0];\n      if (_getWindowSize(this.fd, windowSizeArray) === !0) {\n        if (oldCols !== windowSizeArray[0] || oldRows !== windowSizeArray[1])\n          this.columns = windowSizeArray[0], this.rows = windowSizeArray[1], this.emit(\"resize\");\n      }\n    };\n    var readline = @undefined;\n    return WriteStream.prototype.clearLine = function(dir, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearLine(this, dir, cb);\n    }, WriteStream.prototype.clearScreenDown = function(cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearScreenDown(this, cb);\n    }, WriteStream.prototype.cursorTo = function(x, y, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).cursorTo(this, x, y, cb);\n    }, WriteStream.prototype.getColorDepth = function(env = process.env) {\n      if (env.FORCE_COLOR !== @undefined)\n        switch (env.FORCE_COLOR) {\n          case \"\":\n          case \"1\":\n          case \"true\":\n            return warnOnDeactivatedColors(env), COLORS_16;\n          case \"2\":\n            return warnOnDeactivatedColors(env), COLORS_256;\n          case \"3\":\n            return warnOnDeactivatedColors(env), COLORS_16m;\n          default:\n            return COLORS_2;\n        }\n      if (env.NODE_DISABLE_COLORS !== @undefined || env.NO_COLOR !== @undefined || env.TERM === \"dumb\")\n        return COLORS_2;\n      if (env.TMUX)\n        return COLORS_256;\n      if (env.CI) {\n        if ([\"APPVEYOR\", \"BUILDKITE\", \"CIRCLECI\", \"DRONE\", \"GITHUB_ACTIONS\", \"GITLAB_CI\", \"TRAVIS\"].some((sign) => (sign in env)) || env.CI_NAME === \"codeship\")\n          return COLORS_256;\n        return COLORS_2;\n      }\n      if (\"TEAMCITY_VERSION\" in env)\n        return /^(9\\.(0*[1-9]\\d*)\\.|\\d{2,}\\.)/.test(env.TEAMCITY_VERSION) \? COLORS_16 : COLORS_2;\n      switch (env.TERM_PROGRAM) {\n        case \"iTerm.app\":\n          if (!env.TERM_PROGRAM_VERSION || /^[0-2]\\./.test(env.TERM_PROGRAM_VERSION))\n            return COLORS_256;\n          return COLORS_16m;\n        case \"HyperTerm\":\n        case \"MacTerm\":\n          return COLORS_16m;\n        case \"Apple_Terminal\":\n          return COLORS_256;\n      }\n      if (env.COLORTERM === \"truecolor\" || env.COLORTERM === \"24bit\")\n        return COLORS_16m;\n      if (env.TERM) {\n        if (/^xterm-256/.test(env.TERM) !== null)\n          return COLORS_256;\n        const termEnv = env.TERM.toLowerCase();\n        if (TERM_ENVS[termEnv])\n          return TERM_ENVS[termEnv];\n        if (TERM_ENVS_REG_EXP.some((term) => term.test(termEnv)))\n          return COLORS_16;\n      }\n      if (env.COLORTERM)\n        return COLORS_16;\n      return COLORS_2;\n    }, WriteStream.prototype.getWindowSize = function() {\n      return [this.columns, this.rows];\n    }, WriteStream.prototype.hasColors = function(count, env) {\n      if (env === @undefined && (count === @undefined || typeof count === \"object\" && count !== null))\n        env = count, count = 16;\n      else\n        validateInteger(count, \"count\", 2);\n      return count <= 2 ** this.getColorDepth(env);\n    }, WriteStream.prototype.moveCursor = function(dx, dy, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).moveCursor(this, dx, dy, cb);\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar validateInteger = (value, name, min = Number.MIN_SAFE_INTEGER, max = Number.MAX_SAFE_INTEGER) => {\n  if (typeof value !== \"number\")\n    throw new ERR_INVALID_ARG_TYPE(name, \"number\", value);\n  if (!NumberIsInteger(value))\n    throw new ERR_OUT_OF_RANGE(name, \"an integer\", value);\n  if (value < min || value > max)\n    throw new ERR_OUT_OF_RANGE(name, `>= ${min} && <= ${max}`, value);\n};\nreturn { ReadStream, WriteStream, isatty }})\n"_s; +static constexpr ASCIILiteral NodeTtyCode = "(function (){\"use strict\";// src/js/out/tmp/node/tty.ts\nvar ReadStream = function(fd) {\n  if (!(this instanceof ReadStream))\n    return new ReadStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.call(this, \"\", {\n    fd\n  });\n  return Object.setPrototypeOf(stream, ReadStream.prototype), stream.isRaw = !1, stream.isTTY = !0, stream;\n}, warnOnDeactivatedColors = function(env) {\n  if (warned)\n    return;\n  let name = \"\";\n  if (env.NODE_DISABLE_COLORS !== @undefined)\n    name = \"NODE_DISABLE_COLORS\";\n  if (env.NO_COLOR !== @undefined) {\n    if (name !== \"\")\n      name += \"' and '\";\n    name += \"NO_COLOR\";\n  }\n  if (name !== \"\")\n    process.emitWarning(`The '${name}' env is ignored due to the 'FORCE_COLOR' env being set.`, \"Warning\"), warned = !0;\n}, WriteStream = function(fd) {\n  if (!(this instanceof WriteStream))\n    return new WriteStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.call(this, \"\", {\n    fd\n  });\n  if (stream.columns = @undefined, stream.rows = @undefined, stream.isTTY = isatty(stream.fd), stream.isTTY) {\n    const windowSizeArray = [0, 0];\n    if (_getWindowSize(fd, windowSizeArray) === !0)\n      stream.columns = windowSizeArray[0], stream.rows = windowSizeArray[1];\n  }\n  return stream;\n}, { ttySetMode, isatty, getWindowSize: _getWindowSize } = @lazy(\"tty\"), StringPrototypeSplit = Function.prototype.call.bind(@String.prototype.split), NumberIsInteger = Number.isInteger;\nObject.defineProperty(ReadStream, \"prototype\", {\n  get() {\n    const Prototype = Object.create((@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.prototype);\n    return Prototype.setRawMode = function(flag) {\n      const mode = flag \? 1 : 0, err = ttySetMode(this.fd, mode);\n      if (err)\n        return this.emit(\"error\", new Error(\"setRawMode failed with errno: \" + err)), this;\n      return this.isRaw = flag, this;\n    }, Object.defineProperty(ReadStream, \"prototype\", { value: Prototype }), Prototype;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar COLORS_2 = 1, COLORS_16 = 4, COLORS_256 = 8, COLORS_16m = 24, TERM_ENVS = {\n  eterm: COLORS_16,\n  cons25: COLORS_16,\n  console: COLORS_16,\n  cygwin: COLORS_16,\n  dtterm: COLORS_16,\n  gnome: COLORS_16,\n  hurd: COLORS_16,\n  jfbterm: COLORS_16,\n  konsole: COLORS_16,\n  kterm: COLORS_16,\n  mlterm: COLORS_16,\n  mosh: COLORS_16m,\n  putty: COLORS_16,\n  st: COLORS_16,\n  \"rxvt-unicode-24bit\": COLORS_16m,\n  terminator: COLORS_16m\n}, TERM_ENVS_REG_EXP = [/ansi/, /color/, /linux/, /^con[0-9]*x[0-9]/, /^rxvt/, /^screen/, /^xterm/, /^vt100/], warned = !1;\nObject.defineProperty(WriteStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.prototype;\n    Object.defineProperty(WriteStream, \"prototype\", { value: Real }), WriteStream.prototype._refreshSize = function() {\n      const oldCols = this.columns, oldRows = this.rows, windowSizeArray = [0, 0];\n      if (_getWindowSize(this.fd, windowSizeArray) === !0) {\n        if (oldCols !== windowSizeArray[0] || oldRows !== windowSizeArray[1])\n          this.columns = windowSizeArray[0], this.rows = windowSizeArray[1], this.emit(\"resize\");\n      }\n    };\n    var readline = @undefined;\n    return WriteStream.prototype.clearLine = function(dir, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearLine(this, dir, cb);\n    }, WriteStream.prototype.clearScreenDown = function(cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearScreenDown(this, cb);\n    }, WriteStream.prototype.cursorTo = function(x, y, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).cursorTo(this, x, y, cb);\n    }, WriteStream.prototype.getColorDepth = function(env = process.env) {\n      if (env.FORCE_COLOR !== @undefined)\n        switch (env.FORCE_COLOR) {\n          case \"\":\n          case \"1\":\n          case \"true\":\n            return warnOnDeactivatedColors(env), COLORS_16;\n          case \"2\":\n            return warnOnDeactivatedColors(env), COLORS_256;\n          case \"3\":\n            return warnOnDeactivatedColors(env), COLORS_16m;\n          default:\n            return COLORS_2;\n        }\n      if (env.NODE_DISABLE_COLORS !== @undefined || env.NO_COLOR !== @undefined || env.TERM === \"dumb\")\n        return COLORS_2;\n      if (env.TMUX)\n        return COLORS_256;\n      if (env.CI) {\n        if ([\"APPVEYOR\", \"BUILDKITE\", \"CIRCLECI\", \"DRONE\", \"GITHUB_ACTIONS\", \"GITLAB_CI\", \"TRAVIS\"].some((sign) => (sign in env)) || env.CI_NAME === \"codeship\")\n          return COLORS_256;\n        return COLORS_2;\n      }\n      if (\"TEAMCITY_VERSION\" in env)\n        return /^(9\\.(0*[1-9]\\d*)\\.|\\d{2,}\\.)/.test(env.TEAMCITY_VERSION) \? COLORS_16 : COLORS_2;\n      switch (env.TERM_PROGRAM) {\n        case \"iTerm.app\":\n          if (!env.TERM_PROGRAM_VERSION || /^[0-2]\\./.test(env.TERM_PROGRAM_VERSION))\n            return COLORS_256;\n          return COLORS_16m;\n        case \"HyperTerm\":\n        case \"MacTerm\":\n          return COLORS_16m;\n        case \"Apple_Terminal\":\n          return COLORS_256;\n      }\n      if (env.COLORTERM === \"truecolor\" || env.COLORTERM === \"24bit\")\n        return COLORS_16m;\n      if (env.TERM) {\n        if (/^xterm-256/.test(env.TERM) !== null)\n          return COLORS_256;\n        const termEnv = env.TERM.toLowerCase();\n        if (TERM_ENVS[termEnv])\n          return TERM_ENVS[termEnv];\n        if (TERM_ENVS_REG_EXP.some((term) => term.test(termEnv)))\n          return COLORS_16;\n      }\n      if (env.COLORTERM)\n        return COLORS_16;\n      return COLORS_2;\n    }, WriteStream.prototype.getWindowSize = function() {\n      return [this.columns, this.rows];\n    }, WriteStream.prototype.hasColors = function(count, env) {\n      if (env === @undefined && (count === @undefined || typeof count === \"object\" && count !== null))\n        env = count, count = 16;\n      else\n        validateInteger(count, \"count\", 2);\n      return count <= 2 ** this.getColorDepth(env);\n    }, WriteStream.prototype.moveCursor = function(dx, dy, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).moveCursor(this, dx, dy, cb);\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar validateInteger = (value, name, min = Number.MIN_SAFE_INTEGER, max = Number.MAX_SAFE_INTEGER) => {\n  if (typeof value !== \"number\")\n    throw new ERR_INVALID_ARG_TYPE(name, \"number\", value);\n  if (!NumberIsInteger(value))\n    throw new ERR_OUT_OF_RANGE(name, \"an integer\", value);\n  if (value < min || value > max)\n    throw new ERR_OUT_OF_RANGE(name, `>= ${min} && <= ${max}`, value);\n};\nreturn { ReadStream, WriteStream, isatty }})\n"_s;  //  // @@ -295,7 +295,7 @@ static constexpr ASCIILiteral NodeAssertStrictCode = "(function (){\"use strict\  //  // -static constexpr ASCIILiteral NodeAsyncHooksCode = "(function (){\"use strict\";// src/js/out/tmp/node/async_hooks.ts\nvar get = function() {\n  return @getInternalField(@asyncContext, 0);\n}, set = function(contextValue) {\n  return @putInternalField(@asyncContext, 0, contextValue);\n}, createWarning = function(message) {\n  let warned = !1;\n  var wrapped = function() {\n    if (warned)\n      return;\n    if (new Error().stack.includes(\"zx/build/core.js\"))\n      return;\n    warned = !0, console.warn(\"[bun] Warning:\", message);\n  };\n  return wrapped;\n}, createHook = function(callbacks) {\n  return {\n    enable: createHookNotImpl,\n    disable: createHookNotImpl\n  };\n}, executionAsyncId = function() {\n  return executionAsyncIdNotImpl(), 0;\n}, triggerAsyncId = function() {\n  return 0;\n}, executionAsyncResource = function() {\n  return executionAsyncResourceWarning(), process.stdin;\n}, $, { cleanupLater, setAsyncHooksEnabled } = @lazy(\"async_hooks\");\n\nclass AsyncLocalStorage {\n  #disableCalled = !1;\n  constructor() {\n    setAsyncHooksEnabled(!0);\n  }\n  static bind(fn, ...args) {\n    return this.snapshot().bind(null, fn, ...args);\n  }\n  static snapshot() {\n    var context = get();\n    return (fn, ...args) => {\n      var prev = get();\n      set(context);\n      try {\n        return fn(...args);\n      } catch (error) {\n        throw error;\n      } finally {\n        set(prev);\n      }\n    };\n  }\n  enterWith(store) {\n    cleanupLater();\n    var context = get();\n    if (!context) {\n      set([this, store]);\n      return;\n    }\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this) {\n        const clone = context.slice();\n        clone[i + 1] = store, set(clone);\n        return;\n      }\n    set(context.concat(this, store));\n  }\n  exit(cb, ...args) {\n    return this.run(@undefined, cb, ...args);\n  }\n  run(store, callback, ...args) {\n    var context = get(), hasPrevious = !1, previous, i = 0, contextWasInit = !context;\n    if (contextWasInit)\n      set(context = [this, store]);\n    else {\n      if (context = context.slice(), i = context.indexOf(this), i > -1)\n        hasPrevious = !0, previous = context[i + 1], context[i + 1] = store;\n      else\n        context.push(this, store);\n      set(context);\n    }\n    try {\n      return callback(...args);\n    } catch (e) {\n      throw e;\n    } finally {\n      if (!this.#disableCalled) {\n        var context2 = get();\n        if (context2 === context && contextWasInit)\n          set(@undefined);\n        else if (context2 = context2.slice(), hasPrevious)\n          context2[i + 1] = previous, set(context2);\n        else\n          context2.splice(i, 2), set(context2.length \? context2 : @undefined);\n      }\n    }\n  }\n  disable() {\n    if (!this.#disableCalled) {\n      var context = get();\n      if (context) {\n        var { length } = context;\n        for (var i = 0;i < length; i += 2)\n          if (context[i] === this) {\n            context.splice(i, 2), set(context.length \? context : @undefined);\n            break;\n          }\n      }\n      this.#disableCalled = !0;\n    }\n  }\n  getStore() {\n    var context = get();\n    if (!context)\n      return;\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this)\n        return context[i + 1];\n  }\n}\n\nclass AsyncResource {\n  type;\n  #snapshot;\n  constructor(type, options) {\n    if (typeof type !== \"string\")\n      @throwTypeError('The \"type\" argument must be of type string. Received type ' + typeof type);\n    setAsyncHooksEnabled(!0), this.type = type, this.#snapshot = get();\n  }\n  emitBefore() {\n    return !0;\n  }\n  emitAfter() {\n    return !0;\n  }\n  asyncId() {\n    return 0;\n  }\n  triggerAsyncId() {\n    return 0;\n  }\n  emitDestroy() {\n  }\n  runInAsyncScope(fn, thisArg, ...args) {\n    var prev = get();\n    set(this.#snapshot);\n    try {\n      return fn.apply(thisArg, args);\n    } catch (error) {\n      throw error;\n    } finally {\n      set(prev);\n    }\n  }\n}\nvar createHookNotImpl = createWarning(\"async_hooks.createHook is not implemented in Bun. Hooks can still be created but will never be called.\"), executionAsyncIdNotImpl = createWarning(\"async_hooks.executionAsyncId/triggerAsyncId are not implemented in Bun. It will return 0 every time.\"), executionAsyncResourceWarning = createWarning(\"async_hooks.executionAsyncResource is not implemented in Bun. It returns a reference to process.stdin every time.\"), asyncWrapProviders = {\n  NONE: 0,\n  DIRHANDLE: 1,\n  DNSCHANNEL: 2,\n  ELDHISTOGRAM: 3,\n  FILEHANDLE: 4,\n  FILEHANDLECLOSEREQ: 5,\n  FIXEDSIZEBLOBCOPY: 6,\n  FSEVENTWRAP: 7,\n  FSREQCALLBACK: 8,\n  FSREQPROMISE: 9,\n  GETADDRINFOREQWRAP: 10,\n  GETNAMEINFOREQWRAP: 11,\n  HEAPSNAPSHOT: 12,\n  HTTP2SESSION: 13,\n  HTTP2STREAM: 14,\n  HTTP2PING: 15,\n  HTTP2SETTINGS: 16,\n  HTTPINCOMINGMESSAGE: 17,\n  HTTPCLIENTREQUEST: 18,\n  JSSTREAM: 19,\n  JSUDPWRAP: 20,\n  MESSAGEPORT: 21,\n  PIPECONNECTWRAP: 22,\n  PIPESERVERWRAP: 23,\n  PIPEWRAP: 24,\n  PROCESSWRAP: 25,\n  PROMISE: 26,\n  QUERYWRAP: 27,\n  SHUTDOWNWRAP: 28,\n  SIGNALWRAP: 29,\n  STATWATCHER: 30,\n  STREAMPIPE: 31,\n  TCPCONNECTWRAP: 32,\n  TCPSERVERWRAP: 33,\n  TCPWRAP: 34,\n  TTYWRAP: 35,\n  UDPSENDWRAP: 36,\n  UDPWRAP: 37,\n  SIGINTWATCHDOG: 38,\n  WORKER: 39,\n  WORKERHEAPSNAPSHOT: 40,\n  WRITEWRAP: 41,\n  ZLIB: 42,\n  CHECKPRIMEREQUEST: 43,\n  PBKDF2REQUEST: 44,\n  KEYPAIRGENREQUEST: 45,\n  KEYGENREQUEST: 46,\n  KEYEXPORTREQUEST: 47,\n  CIPHERREQUEST: 48,\n  DERIVEBITSREQUEST: 49,\n  HASHREQUEST: 50,\n  RANDOMBYTESREQUEST: 51,\n  RANDOMPRIMEREQUEST: 52,\n  SCRYPTREQUEST: 53,\n  SIGNREQUEST: 54,\n  TLSWRAP: 55,\n  VERIFYREQUEST: 56,\n  INSPECTORJSBINDING: 57\n};\n$ = {\n  AsyncLocalStorage,\n  createHook,\n  executionAsyncId,\n  triggerAsyncId,\n  executionAsyncResource,\n  asyncWrapProviders,\n  AsyncResource\n};\nreturn $})\n"_s; +static constexpr ASCIILiteral NodeAsyncHooksCode = "(function (){\"use strict\";// src/js/out/tmp/node/async_hooks.ts\nvar get = function() {\n  return @getInternalField(@asyncContext, 0);\n}, set = function(contextValue) {\n  return @putInternalField(@asyncContext, 0, contextValue);\n}, createWarning = function(message) {\n  let warned = !1;\n  var wrapped = function() {\n    if (warned)\n      return;\n    if (new Error().stack.includes(\"zx/build/core.js\"))\n      return;\n    warned = !0, console.warn(\"[bun] Warning:\", message);\n  };\n  return wrapped;\n}, createHook = function(callbacks) {\n  return {\n    enable: createHookNotImpl,\n    disable: createHookNotImpl\n  };\n}, executionAsyncId = function() {\n  return executionAsyncIdNotImpl(), 0;\n}, triggerAsyncId = function() {\n  return 0;\n}, executionAsyncResource = function() {\n  return executionAsyncResourceWarning(), process.stdin;\n}, $, { cleanupLater, setAsyncHooksEnabled } = @lazy(\"async_hooks\");\n\nclass AsyncLocalStorage {\n  #disableCalled = !1;\n  constructor() {\n    setAsyncHooksEnabled(!0);\n  }\n  static bind(fn, ...args) {\n    return this.snapshot().bind(null, fn, ...args);\n  }\n  static snapshot() {\n    var context = get();\n    return (fn, ...args) => {\n      var prev = get();\n      set(context);\n      try {\n        return fn(...args);\n      } catch (error) {\n        throw error;\n      } finally {\n        set(prev);\n      }\n    };\n  }\n  enterWith(store) {\n    cleanupLater();\n    var context = get();\n    if (!context) {\n      set([this, store]);\n      return;\n    }\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this) {\n        const clone = context.slice();\n        clone[i + 1] = store, set(clone);\n        return;\n      }\n    set(context.concat(this, store));\n  }\n  exit(cb, ...args) {\n    return this.run(@undefined, cb, ...args);\n  }\n  run(store_value, callback, ...args) {\n    var context = get(), hasPrevious = !1, previous_value, i = 0, contextWasAlreadyInit = !context;\n    if (contextWasAlreadyInit)\n      set(context = [this, store_value]);\n    else {\n      if (context = context.slice(), i = context.indexOf(this), i > -1)\n        hasPrevious = !0, previous_value = context[i + 1], context[i + 1] = store_value;\n      else\n        i = context.length, context.push(this, store_value);\n      set(context);\n    }\n    try {\n      return callback(...args);\n    } catch (e) {\n      throw e;\n    } finally {\n      if (!this.#disableCalled) {\n        var context2 = get();\n        if (context2 === context && contextWasAlreadyInit)\n          set(@undefined);\n        else if (context2 = context2.slice(), hasPrevious)\n          context2[i + 1] = previous_value, set(context2);\n        else\n          context2.splice(i, 2), set(context2.length \? context2 : @undefined);\n      }\n    }\n  }\n  disable() {\n    if (!this.#disableCalled) {\n      var context = get();\n      if (context) {\n        var { length } = context;\n        for (var i = 0;i < length; i += 2)\n          if (context[i] === this) {\n            context.splice(i, 2), set(context.length \? context : @undefined);\n            break;\n          }\n      }\n      this.#disableCalled = !0;\n    }\n  }\n  getStore() {\n    var context = get();\n    if (!context)\n      return;\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this)\n        return context[i + 1];\n  }\n}\n\nclass AsyncResource {\n  type;\n  #snapshot;\n  constructor(type, options) {\n    if (typeof type !== \"string\")\n      @throwTypeError('The \"type\" argument must be of type string. Received type ' + typeof type);\n    setAsyncHooksEnabled(!0), this.type = type, this.#snapshot = get();\n  }\n  emitBefore() {\n    return !0;\n  }\n  emitAfter() {\n    return !0;\n  }\n  asyncId() {\n    return 0;\n  }\n  triggerAsyncId() {\n    return 0;\n  }\n  emitDestroy() {\n  }\n  runInAsyncScope(fn, thisArg, ...args) {\n    var prev = get();\n    set(this.#snapshot);\n    try {\n      return fn.apply(thisArg, args);\n    } catch (error) {\n      throw error;\n    } finally {\n      set(prev);\n    }\n  }\n  bind(fn, thisArg) {\n    return this.runInAsyncScope.bind(this, fn, thisArg \?\? this);\n  }\n  static bind(fn, type, thisArg) {\n    return type = type || fn.name, new AsyncResource(type || \"bound-anonymous-fn\").bind(fn, thisArg);\n  }\n}\nvar createHookNotImpl = createWarning(\"async_hooks.createHook is not implemented in Bun. Hooks can still be created but will never be called.\"), executionAsyncIdNotImpl = createWarning(\"async_hooks.executionAsyncId/triggerAsyncId are not implemented in Bun. It will return 0 every time.\"), executionAsyncResourceWarning = createWarning(\"async_hooks.executionAsyncResource is not implemented in Bun. It returns a reference to process.stdin every time.\"), asyncWrapProviders = {\n  NONE: 0,\n  DIRHANDLE: 1,\n  DNSCHANNEL: 2,\n  ELDHISTOGRAM: 3,\n  FILEHANDLE: 4,\n  FILEHANDLECLOSEREQ: 5,\n  FIXEDSIZEBLOBCOPY: 6,\n  FSEVENTWRAP: 7,\n  FSREQCALLBACK: 8,\n  FSREQPROMISE: 9,\n  GETADDRINFOREQWRAP: 10,\n  GETNAMEINFOREQWRAP: 11,\n  HEAPSNAPSHOT: 12,\n  HTTP2SESSION: 13,\n  HTTP2STREAM: 14,\n  HTTP2PING: 15,\n  HTTP2SETTINGS: 16,\n  HTTPINCOMINGMESSAGE: 17,\n  HTTPCLIENTREQUEST: 18,\n  JSSTREAM: 19,\n  JSUDPWRAP: 20,\n  MESSAGEPORT: 21,\n  PIPECONNECTWRAP: 22,\n  PIPESERVERWRAP: 23,\n  PIPEWRAP: 24,\n  PROCESSWRAP: 25,\n  PROMISE: 26,\n  QUERYWRAP: 27,\n  SHUTDOWNWRAP: 28,\n  SIGNALWRAP: 29,\n  STATWATCHER: 30,\n  STREAMPIPE: 31,\n  TCPCONNECTWRAP: 32,\n  TCPSERVERWRAP: 33,\n  TCPWRAP: 34,\n  TTYWRAP: 35,\n  UDPSENDWRAP: 36,\n  UDPWRAP: 37,\n  SIGINTWATCHDOG: 38,\n  WORKER: 39,\n  WORKERHEAPSNAPSHOT: 40,\n  WRITEWRAP: 41,\n  ZLIB: 42,\n  CHECKPRIMEREQUEST: 43,\n  PBKDF2REQUEST: 44,\n  KEYPAIRGENREQUEST: 45,\n  KEYGENREQUEST: 46,\n  KEYEXPORTREQUEST: 47,\n  CIPHERREQUEST: 48,\n  DERIVEBITSREQUEST: 49,\n  HASHREQUEST: 50,\n  RANDOMBYTESREQUEST: 51,\n  RANDOMPRIMEREQUEST: 52,\n  SCRYPTREQUEST: 53,\n  SIGNREQUEST: 54,\n  TLSWRAP: 55,\n  VERIFYREQUEST: 56,\n  INSPECTORJSBINDING: 57\n};\n$ = {\n  AsyncLocalStorage,\n  createHook,\n  executionAsyncId,\n  triggerAsyncId,\n  executionAsyncResource,\n  asyncWrapProviders,\n  AsyncResource\n};\nreturn $})\n"_s;  //  // @@ -439,7 +439,7 @@ static constexpr ASCIILiteral NodeTraceEventsCode = "(function (){\"use strict\"  //  // -static constexpr ASCIILiteral NodeTtyCode = "(function (){\"use strict\";// src/js/out/tmp/node/tty.ts\nvar ReadStream = function(fd) {\n  if (!(this instanceof ReadStream))\n    return new ReadStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.call(this, \"\", {\n    fd\n  });\n  return stream.isRaw = !1, stream.isTTY = isatty(stream.fd), stream;\n}, warnOnDeactivatedColors = function(env) {\n  if (warned)\n    return;\n  let name = \"\";\n  if (env.NODE_DISABLE_COLORS !== @undefined)\n    name = \"NODE_DISABLE_COLORS\";\n  if (env.NO_COLOR !== @undefined) {\n    if (name !== \"\")\n      name += \"' and '\";\n    name += \"NO_COLOR\";\n  }\n  if (name !== \"\")\n    process.emitWarning(`The '${name}' env is ignored due to the 'FORCE_COLOR' env being set.`, \"Warning\"), warned = !0;\n}, WriteStream = function(fd) {\n  if (!(this instanceof WriteStream))\n    return new WriteStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.call(this, \"\", {\n    fd\n  });\n  if (stream.columns = @undefined, stream.rows = @undefined, stream.isTTY = isatty(stream.fd), stream.isTTY) {\n    const windowSizeArray = [0, 0];\n    if (_getWindowSize(fd, windowSizeArray) === !0)\n      stream.columns = windowSizeArray[0], stream.rows = windowSizeArray[1];\n  }\n  return stream;\n}, { ttySetMode, isatty, getWindowSize: _getWindowSize } = @lazy(\"tty\"), StringPrototypeSplit = Function.prototype.call.bind(@String.prototype.split), RegExpPrototypeExec = Function.prototype.call.bind(@RegExp.prototype.exec), StringPrototypeToLowerCase = Function.prototype.call.bind(@String.prototype.toLowerCase), ArrayPrototypeSome = Function.prototype.call.bind(@Array.prototype.some), NumberIsInteger = Number.isInteger;\nObject.defineProperty(ReadStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.prototype;\n    return Object.defineProperty(ReadStream, \"prototype\", { value: Real }), ReadStream.prototype.setRawMode = function(flag) {\n      const mode = flag \? 1 : 0, err = ttySetMode(this.fd, mode);\n      if (err)\n        return this.emit(\"error\", new Error(\"setRawMode failed with errno:\", err)), this;\n      return this.isRaw = flag, this;\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar OSRelease, COLORS_2 = 1, COLORS_16 = 4, COLORS_256 = 8, COLORS_16m = 24, TERM_ENVS = {\n  eterm: COLORS_16,\n  cons25: COLORS_16,\n  console: COLORS_16,\n  cygwin: COLORS_16,\n  dtterm: COLORS_16,\n  gnome: COLORS_16,\n  hurd: COLORS_16,\n  jfbterm: COLORS_16,\n  konsole: COLORS_16,\n  kterm: COLORS_16,\n  mlterm: COLORS_16,\n  mosh: COLORS_16m,\n  putty: COLORS_16,\n  st: COLORS_16,\n  \"rxvt-unicode-24bit\": COLORS_16m,\n  terminator: COLORS_16m\n}, TERM_ENVS_REG_EXP = [/ansi/, /color/, /linux/, /^con[0-9]*x[0-9]/, /^rxvt/, /^screen/, /^xterm/, /^vt100/], warned = !1;\nObject.defineProperty(WriteStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.prototype;\n    Object.defineProperty(WriteStream, \"prototype\", { value: Real }), WriteStream.prototype._refreshSize = function() {\n      const oldCols = this.columns, oldRows = this.rows, windowSizeArray = [0, 0];\n      if (_getWindowSize(this.fd, windowSizeArray) === !0) {\n        if (oldCols !== windowSizeArray[0] || oldRows !== windowSizeArray[1])\n          this.columns = windowSizeArray[0], this.rows = windowSizeArray[1], this.emit(\"resize\");\n      }\n    };\n    var readline = @undefined;\n    return WriteStream.prototype.clearLine = function(dir, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearLine(this, dir, cb);\n    }, WriteStream.prototype.clearScreenDown = function(cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearScreenDown(this, cb);\n    }, WriteStream.prototype.cursorTo = function(x, y, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).cursorTo(this, x, y, cb);\n    }, WriteStream.prototype.getColorDepth = function(env = process.env) {\n      if (env.FORCE_COLOR !== @undefined)\n        switch (env.FORCE_COLOR) {\n          case \"\":\n          case \"1\":\n          case \"true\":\n            return warnOnDeactivatedColors(env), COLORS_16;\n          case \"2\":\n            return warnOnDeactivatedColors(env), COLORS_256;\n          case \"3\":\n            return warnOnDeactivatedColors(env), COLORS_16m;\n          default:\n            return COLORS_2;\n        }\n      if (env.NODE_DISABLE_COLORS !== @undefined || env.NO_COLOR !== @undefined || env.TERM === \"dumb\")\n        return COLORS_2;\n      if (OSRelease === @undefined) {\n        const { release } = @getInternalField(@internalModuleRegistry, 28) || @createInternalModuleById(28);\n        OSRelease = StringPrototypeSplit(release(), \".\");\n      }\n      if (+OSRelease[0] >= 10) {\n        const build = +OSRelease[2];\n        if (build >= 14931)\n          return COLORS_16m;\n        if (build >= 10586)\n          return COLORS_256;\n      }\n      return COLORS_16;\n      switch (env.TERM_PROGRAM) {\n        case \"iTerm.app\":\n          if (!env.TERM_PROGRAM_VERSION || /^[0-2]\\./.test(env.TERM_PROGRAM_VERSION))\n            return COLORS_256;\n          return COLORS_16m;\n        case \"HyperTerm\":\n        case \"MacTerm\":\n          return COLORS_16m;\n        case \"Apple_Terminal\":\n          return COLORS_256;\n      }\n    }, WriteStream.prototype.getWindowSize = function() {\n      return [this.columns, this.rows];\n    }, WriteStream.prototype.hasColors = function(count, env) {\n      if (env === @undefined && (count === @undefined || typeof count === \"object\" && count !== null))\n        env = count, count = 16;\n      else\n        validateInteger(count, \"count\", 2);\n      return count <= 2 ** this.getColorDepth(env);\n    }, WriteStream.prototype.moveCursor = function(dx, dy, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).moveCursor(this, dx, dy, cb);\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar validateInteger = (value, name, min = Number.MIN_SAFE_INTEGER, max = Number.MAX_SAFE_INTEGER) => {\n  if (typeof value !== \"number\")\n    throw new ERR_INVALID_ARG_TYPE(name, \"number\", value);\n  if (!NumberIsInteger(value))\n    throw new ERR_OUT_OF_RANGE(name, \"an integer\", value);\n  if (value < min || value > max)\n    throw new ERR_OUT_OF_RANGE(name, `>= ${min} && <= ${max}`, value);\n};\nreturn { ReadStream, WriteStream, isatty }})\n"_s; +static constexpr ASCIILiteral NodeTtyCode = "(function (){\"use strict\";// src/js/out/tmp/node/tty.ts\nvar ReadStream = function(fd) {\n  if (!(this instanceof ReadStream))\n    return new ReadStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.call(this, \"\", {\n    fd\n  });\n  return Object.setPrototypeOf(stream, ReadStream.prototype), stream.isRaw = !1, stream.isTTY = !0, stream;\n}, warnOnDeactivatedColors = function(env) {\n  if (warned)\n    return;\n  let name = \"\";\n  if (env.NODE_DISABLE_COLORS !== @undefined)\n    name = \"NODE_DISABLE_COLORS\";\n  if (env.NO_COLOR !== @undefined) {\n    if (name !== \"\")\n      name += \"' and '\";\n    name += \"NO_COLOR\";\n  }\n  if (name !== \"\")\n    process.emitWarning(`The '${name}' env is ignored due to the 'FORCE_COLOR' env being set.`, \"Warning\"), warned = !0;\n}, WriteStream = function(fd) {\n  if (!(this instanceof WriteStream))\n    return new WriteStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.call(this, \"\", {\n    fd\n  });\n  if (stream.columns = @undefined, stream.rows = @undefined, stream.isTTY = isatty(stream.fd), stream.isTTY) {\n    const windowSizeArray = [0, 0];\n    if (_getWindowSize(fd, windowSizeArray) === !0)\n      stream.columns = windowSizeArray[0], stream.rows = windowSizeArray[1];\n  }\n  return stream;\n}, { ttySetMode, isatty, getWindowSize: _getWindowSize } = @lazy(\"tty\"), StringPrototypeSplit = Function.prototype.call.bind(@String.prototype.split), NumberIsInteger = Number.isInteger;\nObject.defineProperty(ReadStream, \"prototype\", {\n  get() {\n    const Prototype = Object.create((@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.prototype);\n    return Prototype.setRawMode = function(flag) {\n      const mode = flag \? 1 : 0, err = ttySetMode(this.fd, mode);\n      if (err)\n        return this.emit(\"error\", new Error(\"setRawMode failed with errno: \" + err)), this;\n      return this.isRaw = flag, this;\n    }, Object.defineProperty(ReadStream, \"prototype\", { value: Prototype }), Prototype;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar OSRelease, COLORS_2 = 1, COLORS_16 = 4, COLORS_256 = 8, COLORS_16m = 24, TERM_ENVS = {\n  eterm: COLORS_16,\n  cons25: COLORS_16,\n  console: COLORS_16,\n  cygwin: COLORS_16,\n  dtterm: COLORS_16,\n  gnome: COLORS_16,\n  hurd: COLORS_16,\n  jfbterm: COLORS_16,\n  konsole: COLORS_16,\n  kterm: COLORS_16,\n  mlterm: COLORS_16,\n  mosh: COLORS_16m,\n  putty: COLORS_16,\n  st: COLORS_16,\n  \"rxvt-unicode-24bit\": COLORS_16m,\n  terminator: COLORS_16m\n}, TERM_ENVS_REG_EXP = [/ansi/, /color/, /linux/, /^con[0-9]*x[0-9]/, /^rxvt/, /^screen/, /^xterm/, /^vt100/], warned = !1;\nObject.defineProperty(WriteStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.prototype;\n    Object.defineProperty(WriteStream, \"prototype\", { value: Real }), WriteStream.prototype._refreshSize = function() {\n      const oldCols = this.columns, oldRows = this.rows, windowSizeArray = [0, 0];\n      if (_getWindowSize(this.fd, windowSizeArray) === !0) {\n        if (oldCols !== windowSizeArray[0] || oldRows !== windowSizeArray[1])\n          this.columns = windowSizeArray[0], this.rows = windowSizeArray[1], this.emit(\"resize\");\n      }\n    };\n    var readline = @undefined;\n    return WriteStream.prototype.clearLine = function(dir, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearLine(this, dir, cb);\n    }, WriteStream.prototype.clearScreenDown = function(cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearScreenDown(this, cb);\n    }, WriteStream.prototype.cursorTo = function(x, y, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).cursorTo(this, x, y, cb);\n    }, WriteStream.prototype.getColorDepth = function(env = process.env) {\n      if (env.FORCE_COLOR !== @undefined)\n        switch (env.FORCE_COLOR) {\n          case \"\":\n          case \"1\":\n          case \"true\":\n            return warnOnDeactivatedColors(env), COLORS_16;\n          case \"2\":\n            return warnOnDeactivatedColors(env), COLORS_256;\n          case \"3\":\n            return warnOnDeactivatedColors(env), COLORS_16m;\n          default:\n            return COLORS_2;\n        }\n      if (env.NODE_DISABLE_COLORS !== @undefined || env.NO_COLOR !== @undefined || env.TERM === \"dumb\")\n        return COLORS_2;\n      if (OSRelease === @undefined) {\n        const { release } = @getInternalField(@internalModuleRegistry, 28) || @createInternalModuleById(28);\n        OSRelease = StringPrototypeSplit(release(), \".\");\n      }\n      if (+OSRelease[0] >= 10) {\n        const build = +OSRelease[2];\n        if (build >= 14931)\n          return COLORS_16m;\n        if (build >= 10586)\n          return COLORS_256;\n      }\n      return COLORS_16;\n      switch (env.TERM_PROGRAM) {\n        case \"iTerm.app\":\n          if (!env.TERM_PROGRAM_VERSION || /^[0-2]\\./.test(env.TERM_PROGRAM_VERSION))\n            return COLORS_256;\n          return COLORS_16m;\n        case \"HyperTerm\":\n        case \"MacTerm\":\n          return COLORS_16m;\n        case \"Apple_Terminal\":\n          return COLORS_256;\n      }\n    }, WriteStream.prototype.getWindowSize = function() {\n      return [this.columns, this.rows];\n    }, WriteStream.prototype.hasColors = function(count, env) {\n      if (env === @undefined && (count === @undefined || typeof count === \"object\" && count !== null))\n        env = count, count = 16;\n      else\n        validateInteger(count, \"count\", 2);\n      return count <= 2 ** this.getColorDepth(env);\n    }, WriteStream.prototype.moveCursor = function(dx, dy, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).moveCursor(this, dx, dy, cb);\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar validateInteger = (value, name, min = Number.MIN_SAFE_INTEGER, max = Number.MAX_SAFE_INTEGER) => {\n  if (typeof value !== \"number\")\n    throw new ERR_INVALID_ARG_TYPE(name, \"number\", value);\n  if (!NumberIsInteger(value))\n    throw new ERR_OUT_OF_RANGE(name, \"an integer\", value);\n  if (value < min || value > max)\n    throw new ERR_OUT_OF_RANGE(name, `>= ${min} && <= ${max}`, value);\n};\nreturn { ReadStream, WriteStream, isatty }})\n"_s;  //  // @@ -545,7 +545,7 @@ static constexpr ASCIILiteral NodeAssertStrictCode = "(function (){\"use strict\  //  // -static constexpr ASCIILiteral NodeAsyncHooksCode = "(function (){\"use strict\";// src/js/out/tmp/node/async_hooks.ts\nvar get = function() {\n  return @getInternalField(@asyncContext, 0);\n}, set = function(contextValue) {\n  return @putInternalField(@asyncContext, 0, contextValue);\n}, createWarning = function(message) {\n  let warned = !1;\n  var wrapped = function() {\n    if (warned)\n      return;\n    if (new Error().stack.includes(\"zx/build/core.js\"))\n      return;\n    warned = !0, console.warn(\"[bun] Warning:\", message);\n  };\n  return wrapped;\n}, createHook = function(callbacks) {\n  return {\n    enable: createHookNotImpl,\n    disable: createHookNotImpl\n  };\n}, executionAsyncId = function() {\n  return executionAsyncIdNotImpl(), 0;\n}, triggerAsyncId = function() {\n  return 0;\n}, executionAsyncResource = function() {\n  return executionAsyncResourceWarning(), process.stdin;\n}, $, { cleanupLater, setAsyncHooksEnabled } = @lazy(\"async_hooks\");\n\nclass AsyncLocalStorage {\n  #disableCalled = !1;\n  constructor() {\n    setAsyncHooksEnabled(!0);\n  }\n  static bind(fn, ...args) {\n    return this.snapshot().bind(null, fn, ...args);\n  }\n  static snapshot() {\n    var context = get();\n    return (fn, ...args) => {\n      var prev = get();\n      set(context);\n      try {\n        return fn(...args);\n      } catch (error) {\n        throw error;\n      } finally {\n        set(prev);\n      }\n    };\n  }\n  enterWith(store) {\n    cleanupLater();\n    var context = get();\n    if (!context) {\n      set([this, store]);\n      return;\n    }\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this) {\n        const clone = context.slice();\n        clone[i + 1] = store, set(clone);\n        return;\n      }\n    set(context.concat(this, store));\n  }\n  exit(cb, ...args) {\n    return this.run(@undefined, cb, ...args);\n  }\n  run(store, callback, ...args) {\n    var context = get(), hasPrevious = !1, previous, i = 0, contextWasInit = !context;\n    if (contextWasInit)\n      set(context = [this, store]);\n    else {\n      if (context = context.slice(), i = context.indexOf(this), i > -1)\n        hasPrevious = !0, previous = context[i + 1], context[i + 1] = store;\n      else\n        context.push(this, store);\n      set(context);\n    }\n    try {\n      return callback(...args);\n    } catch (e) {\n      throw e;\n    } finally {\n      if (!this.#disableCalled) {\n        var context2 = get();\n        if (context2 === context && contextWasInit)\n          set(@undefined);\n        else if (context2 = context2.slice(), hasPrevious)\n          context2[i + 1] = previous, set(context2);\n        else\n          context2.splice(i, 2), set(context2.length \? context2 : @undefined);\n      }\n    }\n  }\n  disable() {\n    if (!this.#disableCalled) {\n      var context = get();\n      if (context) {\n        var { length } = context;\n        for (var i = 0;i < length; i += 2)\n          if (context[i] === this) {\n            context.splice(i, 2), set(context.length \? context : @undefined);\n            break;\n          }\n      }\n      this.#disableCalled = !0;\n    }\n  }\n  getStore() {\n    var context = get();\n    if (!context)\n      return;\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this)\n        return context[i + 1];\n  }\n}\n\nclass AsyncResource {\n  type;\n  #snapshot;\n  constructor(type, options) {\n    if (typeof type !== \"string\")\n      @throwTypeError('The \"type\" argument must be of type string. Received type ' + typeof type);\n    setAsyncHooksEnabled(!0), this.type = type, this.#snapshot = get();\n  }\n  emitBefore() {\n    return !0;\n  }\n  emitAfter() {\n    return !0;\n  }\n  asyncId() {\n    return 0;\n  }\n  triggerAsyncId() {\n    return 0;\n  }\n  emitDestroy() {\n  }\n  runInAsyncScope(fn, thisArg, ...args) {\n    var prev = get();\n    set(this.#snapshot);\n    try {\n      return fn.apply(thisArg, args);\n    } catch (error) {\n      throw error;\n    } finally {\n      set(prev);\n    }\n  }\n}\nvar createHookNotImpl = createWarning(\"async_hooks.createHook is not implemented in Bun. Hooks can still be created but will never be called.\"), executionAsyncIdNotImpl = createWarning(\"async_hooks.executionAsyncId/triggerAsyncId are not implemented in Bun. It will return 0 every time.\"), executionAsyncResourceWarning = createWarning(\"async_hooks.executionAsyncResource is not implemented in Bun. It returns a reference to process.stdin every time.\"), asyncWrapProviders = {\n  NONE: 0,\n  DIRHANDLE: 1,\n  DNSCHANNEL: 2,\n  ELDHISTOGRAM: 3,\n  FILEHANDLE: 4,\n  FILEHANDLECLOSEREQ: 5,\n  FIXEDSIZEBLOBCOPY: 6,\n  FSEVENTWRAP: 7,\n  FSREQCALLBACK: 8,\n  FSREQPROMISE: 9,\n  GETADDRINFOREQWRAP: 10,\n  GETNAMEINFOREQWRAP: 11,\n  HEAPSNAPSHOT: 12,\n  HTTP2SESSION: 13,\n  HTTP2STREAM: 14,\n  HTTP2PING: 15,\n  HTTP2SETTINGS: 16,\n  HTTPINCOMINGMESSAGE: 17,\n  HTTPCLIENTREQUEST: 18,\n  JSSTREAM: 19,\n  JSUDPWRAP: 20,\n  MESSAGEPORT: 21,\n  PIPECONNECTWRAP: 22,\n  PIPESERVERWRAP: 23,\n  PIPEWRAP: 24,\n  PROCESSWRAP: 25,\n  PROMISE: 26,\n  QUERYWRAP: 27,\n  SHUTDOWNWRAP: 28,\n  SIGNALWRAP: 29,\n  STATWATCHER: 30,\n  STREAMPIPE: 31,\n  TCPCONNECTWRAP: 32,\n  TCPSERVERWRAP: 33,\n  TCPWRAP: 34,\n  TTYWRAP: 35,\n  UDPSENDWRAP: 36,\n  UDPWRAP: 37,\n  SIGINTWATCHDOG: 38,\n  WORKER: 39,\n  WORKERHEAPSNAPSHOT: 40,\n  WRITEWRAP: 41,\n  ZLIB: 42,\n  CHECKPRIMEREQUEST: 43,\n  PBKDF2REQUEST: 44,\n  KEYPAIRGENREQUEST: 45,\n  KEYGENREQUEST: 46,\n  KEYEXPORTREQUEST: 47,\n  CIPHERREQUEST: 48,\n  DERIVEBITSREQUEST: 49,\n  HASHREQUEST: 50,\n  RANDOMBYTESREQUEST: 51,\n  RANDOMPRIMEREQUEST: 52,\n  SCRYPTREQUEST: 53,\n  SIGNREQUEST: 54,\n  TLSWRAP: 55,\n  VERIFYREQUEST: 56,\n  INSPECTORJSBINDING: 57\n};\n$ = {\n  AsyncLocalStorage,\n  createHook,\n  executionAsyncId,\n  triggerAsyncId,\n  executionAsyncResource,\n  asyncWrapProviders,\n  AsyncResource\n};\nreturn $})\n"_s; +static constexpr ASCIILiteral NodeAsyncHooksCode = "(function (){\"use strict\";// src/js/out/tmp/node/async_hooks.ts\nvar get = function() {\n  return @getInternalField(@asyncContext, 0);\n}, set = function(contextValue) {\n  return @putInternalField(@asyncContext, 0, contextValue);\n}, createWarning = function(message) {\n  let warned = !1;\n  var wrapped = function() {\n    if (warned)\n      return;\n    if (new Error().stack.includes(\"zx/build/core.js\"))\n      return;\n    warned = !0, console.warn(\"[bun] Warning:\", message);\n  };\n  return wrapped;\n}, createHook = function(callbacks) {\n  return {\n    enable: createHookNotImpl,\n    disable: createHookNotImpl\n  };\n}, executionAsyncId = function() {\n  return executionAsyncIdNotImpl(), 0;\n}, triggerAsyncId = function() {\n  return 0;\n}, executionAsyncResource = function() {\n  return executionAsyncResourceWarning(), process.stdin;\n}, $, { cleanupLater, setAsyncHooksEnabled } = @lazy(\"async_hooks\");\n\nclass AsyncLocalStorage {\n  #disableCalled = !1;\n  constructor() {\n    setAsyncHooksEnabled(!0);\n  }\n  static bind(fn, ...args) {\n    return this.snapshot().bind(null, fn, ...args);\n  }\n  static snapshot() {\n    var context = get();\n    return (fn, ...args) => {\n      var prev = get();\n      set(context);\n      try {\n        return fn(...args);\n      } catch (error) {\n        throw error;\n      } finally {\n        set(prev);\n      }\n    };\n  }\n  enterWith(store) {\n    cleanupLater();\n    var context = get();\n    if (!context) {\n      set([this, store]);\n      return;\n    }\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this) {\n        const clone = context.slice();\n        clone[i + 1] = store, set(clone);\n        return;\n      }\n    set(context.concat(this, store));\n  }\n  exit(cb, ...args) {\n    return this.run(@undefined, cb, ...args);\n  }\n  run(store_value, callback, ...args) {\n    var context = get(), hasPrevious = !1, previous_value, i = 0, contextWasAlreadyInit = !context;\n    if (contextWasAlreadyInit)\n      set(context = [this, store_value]);\n    else {\n      if (context = context.slice(), i = context.indexOf(this), i > -1)\n        hasPrevious = !0, previous_value = context[i + 1], context[i + 1] = store_value;\n      else\n        i = context.length, context.push(this, store_value);\n      set(context);\n    }\n    try {\n      return callback(...args);\n    } catch (e) {\n      throw e;\n    } finally {\n      if (!this.#disableCalled) {\n        var context2 = get();\n        if (context2 === context && contextWasAlreadyInit)\n          set(@undefined);\n        else if (context2 = context2.slice(), hasPrevious)\n          context2[i + 1] = previous_value, set(context2);\n        else\n          context2.splice(i, 2), set(context2.length \? context2 : @undefined);\n      }\n    }\n  }\n  disable() {\n    if (!this.#disableCalled) {\n      var context = get();\n      if (context) {\n        var { length } = context;\n        for (var i = 0;i < length; i += 2)\n          if (context[i] === this) {\n            context.splice(i, 2), set(context.length \? context : @undefined);\n            break;\n          }\n      }\n      this.#disableCalled = !0;\n    }\n  }\n  getStore() {\n    var context = get();\n    if (!context)\n      return;\n    var { length } = context;\n    for (var i = 0;i < length; i += 2)\n      if (context[i] === this)\n        return context[i + 1];\n  }\n}\n\nclass AsyncResource {\n  type;\n  #snapshot;\n  constructor(type, options) {\n    if (typeof type !== \"string\")\n      @throwTypeError('The \"type\" argument must be of type string. Received type ' + typeof type);\n    setAsyncHooksEnabled(!0), this.type = type, this.#snapshot = get();\n  }\n  emitBefore() {\n    return !0;\n  }\n  emitAfter() {\n    return !0;\n  }\n  asyncId() {\n    return 0;\n  }\n  triggerAsyncId() {\n    return 0;\n  }\n  emitDestroy() {\n  }\n  runInAsyncScope(fn, thisArg, ...args) {\n    var prev = get();\n    set(this.#snapshot);\n    try {\n      return fn.apply(thisArg, args);\n    } catch (error) {\n      throw error;\n    } finally {\n      set(prev);\n    }\n  }\n  bind(fn, thisArg) {\n    return this.runInAsyncScope.bind(this, fn, thisArg \?\? this);\n  }\n  static bind(fn, type, thisArg) {\n    return type = type || fn.name, new AsyncResource(type || \"bound-anonymous-fn\").bind(fn, thisArg);\n  }\n}\nvar createHookNotImpl = createWarning(\"async_hooks.createHook is not implemented in Bun. Hooks can still be created but will never be called.\"), executionAsyncIdNotImpl = createWarning(\"async_hooks.executionAsyncId/triggerAsyncId are not implemented in Bun. It will return 0 every time.\"), executionAsyncResourceWarning = createWarning(\"async_hooks.executionAsyncResource is not implemented in Bun. It returns a reference to process.stdin every time.\"), asyncWrapProviders = {\n  NONE: 0,\n  DIRHANDLE: 1,\n  DNSCHANNEL: 2,\n  ELDHISTOGRAM: 3,\n  FILEHANDLE: 4,\n  FILEHANDLECLOSEREQ: 5,\n  FIXEDSIZEBLOBCOPY: 6,\n  FSEVENTWRAP: 7,\n  FSREQCALLBACK: 8,\n  FSREQPROMISE: 9,\n  GETADDRINFOREQWRAP: 10,\n  GETNAMEINFOREQWRAP: 11,\n  HEAPSNAPSHOT: 12,\n  HTTP2SESSION: 13,\n  HTTP2STREAM: 14,\n  HTTP2PING: 15,\n  HTTP2SETTINGS: 16,\n  HTTPINCOMINGMESSAGE: 17,\n  HTTPCLIENTREQUEST: 18,\n  JSSTREAM: 19,\n  JSUDPWRAP: 20,\n  MESSAGEPORT: 21,\n  PIPECONNECTWRAP: 22,\n  PIPESERVERWRAP: 23,\n  PIPEWRAP: 24,\n  PROCESSWRAP: 25,\n  PROMISE: 26,\n  QUERYWRAP: 27,\n  SHUTDOWNWRAP: 28,\n  SIGNALWRAP: 29,\n  STATWATCHER: 30,\n  STREAMPIPE: 31,\n  TCPCONNECTWRAP: 32,\n  TCPSERVERWRAP: 33,\n  TCPWRAP: 34,\n  TTYWRAP: 35,\n  UDPSENDWRAP: 36,\n  UDPWRAP: 37,\n  SIGINTWATCHDOG: 38,\n  WORKER: 39,\n  WORKERHEAPSNAPSHOT: 40,\n  WRITEWRAP: 41,\n  ZLIB: 42,\n  CHECKPRIMEREQUEST: 43,\n  PBKDF2REQUEST: 44,\n  KEYPAIRGENREQUEST: 45,\n  KEYGENREQUEST: 46,\n  KEYEXPORTREQUEST: 47,\n  CIPHERREQUEST: 48,\n  DERIVEBITSREQUEST: 49,\n  HASHREQUEST: 50,\n  RANDOMBYTESREQUEST: 51,\n  RANDOMPRIMEREQUEST: 52,\n  SCRYPTREQUEST: 53,\n  SIGNREQUEST: 54,\n  TLSWRAP: 55,\n  VERIFYREQUEST: 56,\n  INSPECTORJSBINDING: 57\n};\n$ = {\n  AsyncLocalStorage,\n  createHook,\n  executionAsyncId,\n  triggerAsyncId,\n  executionAsyncResource,\n  asyncWrapProviders,\n  AsyncResource\n};\nreturn $})\n"_s;  //  // @@ -689,7 +689,7 @@ static constexpr ASCIILiteral NodeTraceEventsCode = "(function (){\"use strict\"  //  // -static constexpr ASCIILiteral NodeTtyCode = "(function (){\"use strict\";// src/js/out/tmp/node/tty.ts\nvar ReadStream = function(fd) {\n  if (!(this instanceof ReadStream))\n    return new ReadStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.call(this, \"\", {\n    fd\n  });\n  return stream.isRaw = !1, stream.isTTY = isatty(stream.fd), stream;\n}, warnOnDeactivatedColors = function(env) {\n  if (warned)\n    return;\n  let name = \"\";\n  if (env.NODE_DISABLE_COLORS !== @undefined)\n    name = \"NODE_DISABLE_COLORS\";\n  if (env.NO_COLOR !== @undefined) {\n    if (name !== \"\")\n      name += \"' and '\";\n    name += \"NO_COLOR\";\n  }\n  if (name !== \"\")\n    process.emitWarning(`The '${name}' env is ignored due to the 'FORCE_COLOR' env being set.`, \"Warning\"), warned = !0;\n}, WriteStream = function(fd) {\n  if (!(this instanceof WriteStream))\n    return new WriteStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.call(this, \"\", {\n    fd\n  });\n  if (stream.columns = @undefined, stream.rows = @undefined, stream.isTTY = isatty(stream.fd), stream.isTTY) {\n    const windowSizeArray = [0, 0];\n    if (_getWindowSize(fd, windowSizeArray) === !0)\n      stream.columns = windowSizeArray[0], stream.rows = windowSizeArray[1];\n  }\n  return stream;\n}, { ttySetMode, isatty, getWindowSize: _getWindowSize } = @lazy(\"tty\"), StringPrototypeSplit = Function.prototype.call.bind(@String.prototype.split), RegExpPrototypeExec = Function.prototype.call.bind(@RegExp.prototype.exec), StringPrototypeToLowerCase = Function.prototype.call.bind(@String.prototype.toLowerCase), ArrayPrototypeSome = Function.prototype.call.bind(@Array.prototype.some), NumberIsInteger = Number.isInteger;\nObject.defineProperty(ReadStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.prototype;\n    return Object.defineProperty(ReadStream, \"prototype\", { value: Real }), ReadStream.prototype.setRawMode = function(flag) {\n      const mode = flag \? 1 : 0, err = ttySetMode(this.fd, mode);\n      if (err)\n        return this.emit(\"error\", new Error(\"setRawMode failed with errno:\", err)), this;\n      return this.isRaw = flag, this;\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar COLORS_2 = 1, COLORS_16 = 4, COLORS_256 = 8, COLORS_16m = 24, TERM_ENVS = {\n  eterm: COLORS_16,\n  cons25: COLORS_16,\n  console: COLORS_16,\n  cygwin: COLORS_16,\n  dtterm: COLORS_16,\n  gnome: COLORS_16,\n  hurd: COLORS_16,\n  jfbterm: COLORS_16,\n  konsole: COLORS_16,\n  kterm: COLORS_16,\n  mlterm: COLORS_16,\n  mosh: COLORS_16m,\n  putty: COLORS_16,\n  st: COLORS_16,\n  \"rxvt-unicode-24bit\": COLORS_16m,\n  terminator: COLORS_16m\n}, TERM_ENVS_REG_EXP = [/ansi/, /color/, /linux/, /^con[0-9]*x[0-9]/, /^rxvt/, /^screen/, /^xterm/, /^vt100/], warned = !1;\nObject.defineProperty(WriteStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.prototype;\n    Object.defineProperty(WriteStream, \"prototype\", { value: Real }), WriteStream.prototype._refreshSize = function() {\n      const oldCols = this.columns, oldRows = this.rows, windowSizeArray = [0, 0];\n      if (_getWindowSize(this.fd, windowSizeArray) === !0) {\n        if (oldCols !== windowSizeArray[0] || oldRows !== windowSizeArray[1])\n          this.columns = windowSizeArray[0], this.rows = windowSizeArray[1], this.emit(\"resize\");\n      }\n    };\n    var readline = @undefined;\n    return WriteStream.prototype.clearLine = function(dir, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearLine(this, dir, cb);\n    }, WriteStream.prototype.clearScreenDown = function(cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearScreenDown(this, cb);\n    }, WriteStream.prototype.cursorTo = function(x, y, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).cursorTo(this, x, y, cb);\n    }, WriteStream.prototype.getColorDepth = function(env = process.env) {\n      if (env.FORCE_COLOR !== @undefined)\n        switch (env.FORCE_COLOR) {\n          case \"\":\n          case \"1\":\n          case \"true\":\n            return warnOnDeactivatedColors(env), COLORS_16;\n          case \"2\":\n            return warnOnDeactivatedColors(env), COLORS_256;\n          case \"3\":\n            return warnOnDeactivatedColors(env), COLORS_16m;\n          default:\n            return COLORS_2;\n        }\n      if (env.NODE_DISABLE_COLORS !== @undefined || env.NO_COLOR !== @undefined || env.TERM === \"dumb\")\n        return COLORS_2;\n      if (env.TMUX)\n        return COLORS_256;\n      if (env.CI) {\n        if ([\"APPVEYOR\", \"BUILDKITE\", \"CIRCLECI\", \"DRONE\", \"GITHUB_ACTIONS\", \"GITLAB_CI\", \"TRAVIS\"].some((sign) => (sign in env)) || env.CI_NAME === \"codeship\")\n          return COLORS_256;\n        return COLORS_2;\n      }\n      if (\"TEAMCITY_VERSION\" in env)\n        return /^(9\\.(0*[1-9]\\d*)\\.|\\d{2,}\\.)/.test(env.TEAMCITY_VERSION) \? COLORS_16 : COLORS_2;\n      switch (env.TERM_PROGRAM) {\n        case \"iTerm.app\":\n          if (!env.TERM_PROGRAM_VERSION || /^[0-2]\\./.test(env.TERM_PROGRAM_VERSION))\n            return COLORS_256;\n          return COLORS_16m;\n        case \"HyperTerm\":\n        case \"MacTerm\":\n          return COLORS_16m;\n        case \"Apple_Terminal\":\n          return COLORS_256;\n      }\n      if (env.COLORTERM === \"truecolor\" || env.COLORTERM === \"24bit\")\n        return COLORS_16m;\n      if (env.TERM) {\n        if (/^xterm-256/.test(env.TERM) !== null)\n          return COLORS_256;\n        const termEnv = env.TERM.toLowerCase();\n        if (TERM_ENVS[termEnv])\n          return TERM_ENVS[termEnv];\n        if (TERM_ENVS_REG_EXP.some((term) => term.test(termEnv)))\n          return COLORS_16;\n      }\n      if (env.COLORTERM)\n        return COLORS_16;\n      return COLORS_2;\n    }, WriteStream.prototype.getWindowSize = function() {\n      return [this.columns, this.rows];\n    }, WriteStream.prototype.hasColors = function(count, env) {\n      if (env === @undefined && (count === @undefined || typeof count === \"object\" && count !== null))\n        env = count, count = 16;\n      else\n        validateInteger(count, \"count\", 2);\n      return count <= 2 ** this.getColorDepth(env);\n    }, WriteStream.prototype.moveCursor = function(dx, dy, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).moveCursor(this, dx, dy, cb);\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar validateInteger = (value, name, min = Number.MIN_SAFE_INTEGER, max = Number.MAX_SAFE_INTEGER) => {\n  if (typeof value !== \"number\")\n    throw new ERR_INVALID_ARG_TYPE(name, \"number\", value);\n  if (!NumberIsInteger(value))\n    throw new ERR_OUT_OF_RANGE(name, \"an integer\", value);\n  if (value < min || value > max)\n    throw new ERR_OUT_OF_RANGE(name, `>= ${min} && <= ${max}`, value);\n};\nreturn { ReadStream, WriteStream, isatty }})\n"_s; +static constexpr ASCIILiteral NodeTtyCode = "(function (){\"use strict\";// src/js/out/tmp/node/tty.ts\nvar ReadStream = function(fd) {\n  if (!(this instanceof ReadStream))\n    return new ReadStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.call(this, \"\", {\n    fd\n  });\n  return Object.setPrototypeOf(stream, ReadStream.prototype), stream.isRaw = !1, stream.isTTY = !0, stream;\n}, warnOnDeactivatedColors = function(env) {\n  if (warned)\n    return;\n  let name = \"\";\n  if (env.NODE_DISABLE_COLORS !== @undefined)\n    name = \"NODE_DISABLE_COLORS\";\n  if (env.NO_COLOR !== @undefined) {\n    if (name !== \"\")\n      name += \"' and '\";\n    name += \"NO_COLOR\";\n  }\n  if (name !== \"\")\n    process.emitWarning(`The '${name}' env is ignored due to the 'FORCE_COLOR' env being set.`, \"Warning\"), warned = !0;\n}, WriteStream = function(fd) {\n  if (!(this instanceof WriteStream))\n    return new WriteStream(fd);\n  if (fd >> 0 !== fd || fd < 0)\n    @throwRangeError(\"fd must be a positive integer\");\n  const stream = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.call(this, \"\", {\n    fd\n  });\n  if (stream.columns = @undefined, stream.rows = @undefined, stream.isTTY = isatty(stream.fd), stream.isTTY) {\n    const windowSizeArray = [0, 0];\n    if (_getWindowSize(fd, windowSizeArray) === !0)\n      stream.columns = windowSizeArray[0], stream.rows = windowSizeArray[1];\n  }\n  return stream;\n}, { ttySetMode, isatty, getWindowSize: _getWindowSize } = @lazy(\"tty\"), StringPrototypeSplit = Function.prototype.call.bind(@String.prototype.split), NumberIsInteger = Number.isInteger;\nObject.defineProperty(ReadStream, \"prototype\", {\n  get() {\n    const Prototype = Object.create((@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).ReadStream.prototype);\n    return Prototype.setRawMode = function(flag) {\n      const mode = flag \? 1 : 0, err = ttySetMode(this.fd, mode);\n      if (err)\n        return this.emit(\"error\", new Error(\"setRawMode failed with errno: \" + err)), this;\n      return this.isRaw = flag, this;\n    }, Object.defineProperty(ReadStream, \"prototype\", { value: Prototype }), Prototype;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar COLORS_2 = 1, COLORS_16 = 4, COLORS_256 = 8, COLORS_16m = 24, TERM_ENVS = {\n  eterm: COLORS_16,\n  cons25: COLORS_16,\n  console: COLORS_16,\n  cygwin: COLORS_16,\n  dtterm: COLORS_16,\n  gnome: COLORS_16,\n  hurd: COLORS_16,\n  jfbterm: COLORS_16,\n  konsole: COLORS_16,\n  kterm: COLORS_16,\n  mlterm: COLORS_16,\n  mosh: COLORS_16m,\n  putty: COLORS_16,\n  st: COLORS_16,\n  \"rxvt-unicode-24bit\": COLORS_16m,\n  terminator: COLORS_16m\n}, TERM_ENVS_REG_EXP = [/ansi/, /color/, /linux/, /^con[0-9]*x[0-9]/, /^rxvt/, /^screen/, /^xterm/, /^vt100/], warned = !1;\nObject.defineProperty(WriteStream, \"prototype\", {\n  get() {\n    const Real = (@getInternalField(@internalModuleRegistry, 21) || @createInternalModuleById(21)).WriteStream.prototype;\n    Object.defineProperty(WriteStream, \"prototype\", { value: Real }), WriteStream.prototype._refreshSize = function() {\n      const oldCols = this.columns, oldRows = this.rows, windowSizeArray = [0, 0];\n      if (_getWindowSize(this.fd, windowSizeArray) === !0) {\n        if (oldCols !== windowSizeArray[0] || oldRows !== windowSizeArray[1])\n          this.columns = windowSizeArray[0], this.rows = windowSizeArray[1], this.emit(\"resize\");\n      }\n    };\n    var readline = @undefined;\n    return WriteStream.prototype.clearLine = function(dir, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearLine(this, dir, cb);\n    }, WriteStream.prototype.clearScreenDown = function(cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).clearScreenDown(this, cb);\n    }, WriteStream.prototype.cursorTo = function(x, y, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).cursorTo(this, x, y, cb);\n    }, WriteStream.prototype.getColorDepth = function(env = process.env) {\n      if (env.FORCE_COLOR !== @undefined)\n        switch (env.FORCE_COLOR) {\n          case \"\":\n          case \"1\":\n          case \"true\":\n            return warnOnDeactivatedColors(env), COLORS_16;\n          case \"2\":\n            return warnOnDeactivatedColors(env), COLORS_256;\n          case \"3\":\n            return warnOnDeactivatedColors(env), COLORS_16m;\n          default:\n            return COLORS_2;\n        }\n      if (env.NODE_DISABLE_COLORS !== @undefined || env.NO_COLOR !== @undefined || env.TERM === \"dumb\")\n        return COLORS_2;\n      if (env.TMUX)\n        return COLORS_256;\n      if (env.CI) {\n        if ([\"APPVEYOR\", \"BUILDKITE\", \"CIRCLECI\", \"DRONE\", \"GITHUB_ACTIONS\", \"GITLAB_CI\", \"TRAVIS\"].some((sign) => (sign in env)) || env.CI_NAME === \"codeship\")\n          return COLORS_256;\n        return COLORS_2;\n      }\n      if (\"TEAMCITY_VERSION\" in env)\n        return /^(9\\.(0*[1-9]\\d*)\\.|\\d{2,}\\.)/.test(env.TEAMCITY_VERSION) \? COLORS_16 : COLORS_2;\n      switch (env.TERM_PROGRAM) {\n        case \"iTerm.app\":\n          if (!env.TERM_PROGRAM_VERSION || /^[0-2]\\./.test(env.TERM_PROGRAM_VERSION))\n            return COLORS_256;\n          return COLORS_16m;\n        case \"HyperTerm\":\n        case \"MacTerm\":\n          return COLORS_16m;\n        case \"Apple_Terminal\":\n          return COLORS_256;\n      }\n      if (env.COLORTERM === \"truecolor\" || env.COLORTERM === \"24bit\")\n        return COLORS_16m;\n      if (env.TERM) {\n        if (/^xterm-256/.test(env.TERM) !== null)\n          return COLORS_256;\n        const termEnv = env.TERM.toLowerCase();\n        if (TERM_ENVS[termEnv])\n          return TERM_ENVS[termEnv];\n        if (TERM_ENVS_REG_EXP.some((term) => term.test(termEnv)))\n          return COLORS_16;\n      }\n      if (env.COLORTERM)\n        return COLORS_16;\n      return COLORS_2;\n    }, WriteStream.prototype.getWindowSize = function() {\n      return [this.columns, this.rows];\n    }, WriteStream.prototype.hasColors = function(count, env) {\n      if (env === @undefined && (count === @undefined || typeof count === \"object\" && count !== null))\n        env = count, count = 16;\n      else\n        validateInteger(count, \"count\", 2);\n      return count <= 2 ** this.getColorDepth(env);\n    }, WriteStream.prototype.moveCursor = function(dx, dy, cb) {\n      return (readline \?\?= @getInternalField(@internalModuleRegistry, 35) || @createInternalModuleById(35)).moveCursor(this, dx, dy, cb);\n    }, Real;\n  },\n  enumerable: !0,\n  configurable: !0\n});\nvar validateInteger = (value, name, min = Number.MIN_SAFE_INTEGER, max = Number.MAX_SAFE_INTEGER) => {\n  if (typeof value !== \"number\")\n    throw new ERR_INVALID_ARG_TYPE(name, \"number\", value);\n  if (!NumberIsInteger(value))\n    throw new ERR_OUT_OF_RANGE(name, \"an integer\", value);\n  if (value < min || value > max)\n    throw new ERR_OUT_OF_RANGE(name, `>= ${min} && <= ${max}`, value);\n};\nreturn { ReadStream, WriteStream, isatty }})\n"_s;  //  // diff --git a/src/js/out/WebCoreJSBuiltins.cpp b/src/js/out/WebCoreJSBuiltins.cpp index 4940ed1f5..a60dfc281 100644 --- a/src/js/out/WebCoreJSBuiltins.cpp +++ b/src/js/out/WebCoreJSBuiltins.cpp @@ -786,13 +786,21 @@ const int s_moduleMainCodeLength = 68;  static const JSC::Intrinsic s_moduleMainCodeIntrinsic = JSC::NoIntrinsic;  const char* const s_moduleMainCode = "(function () {\"use strict\";\n  return @requireMap.@get(Bun.main);\n})\n"; +// overridableRequire +const JSC::ConstructAbility s_moduleOverridableRequireCodeConstructAbility = JSC::ConstructAbility::CannotConstruct; +const JSC::ConstructorKind s_moduleOverridableRequireCodeConstructorKind = JSC::ConstructorKind::None; +const JSC::ImplementationVisibility s_moduleOverridableRequireCodeImplementationVisibility = JSC::ImplementationVisibility::Public; +const int s_moduleOverridableRequireCodeLength = 888; +static const JSC::Intrinsic s_moduleOverridableRequireCodeIntrinsic = JSC::NoIntrinsic; +const char* const s_moduleOverridableRequireCode = "(function (id) {\"use strict\";\n  const existing = @requireMap.@get(id) || @requireMap.@get(id = @resolveSync(id, this.path, !1));\n  if (existing)\n    return @evaluateCommonJSModule(existing), existing.exports;\n  if (id.endsWith(\".node\"))\n    return @internalRequire(id);\n  const mod = @createCommonJSModule(id, {}, !1, this);\n  @requireMap.@set(id, mod);\n  var out = this.@require(id, mod);\n  if (out === -1) {\n    try {\n      out = @requireESM(id);\n    } catch (exception) {\n      throw @requireMap.@delete(id), exception;\n    }\n    const esm = @Loader.registry.@get(id);\n    if (esm\?.evaluated && (esm.state \?\? 0) >= @ModuleReady) {\n      const namespace = @Loader.getModuleNamespaceObject(esm.module);\n      return mod.exports = namespace.__esModule \? namespace : Object.create(namespace, { __esModule: { value: !0 } });\n    }\n  }\n  return @evaluateCommonJSModule(mod), mod.exports;\n})\n"; +  // require  const JSC::ConstructAbility s_moduleRequireCodeConstructAbility = JSC::ConstructAbility::CannotConstruct;  const JSC::ConstructorKind s_moduleRequireCodeConstructorKind = JSC::ConstructorKind::None;  const JSC::ImplementationVisibility s_moduleRequireCodeImplementationVisibility = JSC::ImplementationVisibility::Public; -const int s_moduleRequireCodeLength = 888; +const int s_moduleRequireCodeLength = 79;  static const JSC::Intrinsic s_moduleRequireCodeIntrinsic = JSC::NoIntrinsic; -const char* const s_moduleRequireCode = "(function (id) {\"use strict\";\n  const existing = @requireMap.@get(id) || @requireMap.@get(id = @resolveSync(id, this.path, !1));\n  if (existing)\n    return @evaluateCommonJSModule(existing), existing.exports;\n  if (id.endsWith(\".node\"))\n    return @internalRequire(id);\n  const mod = @createCommonJSModule(id, {}, !1, this);\n  @requireMap.@set(id, mod);\n  var out = this.@require(id, mod);\n  if (out === -1) {\n    try {\n      out = @requireESM(id);\n    } catch (exception) {\n      throw @requireMap.@delete(id), exception;\n    }\n    const esm = @Loader.registry.@get(id);\n    if (esm\?.evaluated && (esm.state \?\? 0) >= @ModuleReady) {\n      const namespace = @Loader.getModuleNamespaceObject(esm.module);\n      return mod.exports = namespace.__esModule \? namespace : Object.create(namespace, { __esModule: { value: !0 } });\n    }\n  }\n  return @evaluateCommonJSModule(mod), mod.exports;\n})\n"; +const char* const s_moduleRequireCode = "(function (id) {\"use strict\";\n  return @overridableRequire.@call(this, id);\n})\n";  // requireNativeModule  const JSC::ConstructAbility s_moduleRequireNativeModuleCodeConstructAbility = JSC::ConstructAbility::CannotConstruct; @@ -824,9 +832,9 @@ WEBCORE_FOREACH_MODULE_BUILTIN_CODE(DEFINE_BUILTIN_GENERATOR)  const JSC::ConstructAbility s_processObjectInternalsGetStdinStreamCodeConstructAbility = JSC::ConstructAbility::CannotConstruct;  const JSC::ConstructorKind s_processObjectInternalsGetStdinStreamCodeConstructorKind = JSC::ConstructorKind::None;  const JSC::ImplementationVisibility s_processObjectInternalsGetStdinStreamCodeImplementationVisibility = JSC::ImplementationVisibility::Public; -const int s_processObjectInternalsGetStdinStreamCodeLength = 1820; +const int s_processObjectInternalsGetStdinStreamCodeLength = 1945;  static const JSC::Intrinsic s_processObjectInternalsGetStdinStreamCodeIntrinsic = JSC::NoIntrinsic; -const char* const s_processObjectInternalsGetStdinStreamCode = "(function (fd) {\"use strict\";\n  var reader, readerRef;\n  function ref() {\n    reader \?\?= Bun.stdin.stream().getReader(), readerRef \?\?= setInterval(() => {\n    }, 1 << 30);\n  }\n  function unref() {\n    if (readerRef)\n      clearInterval(readerRef), readerRef = @undefined;\n    if (reader)\n      reader.cancel(), reader = @undefined;\n  }\n  const stream = new ((@getInternalField(@internalModuleRegistry, 46)) || (@createInternalModuleById(46))).ReadStream(fd), originalOn = stream.on;\n  stream.on = function(event, listener) {\n    if (event === \"readable\")\n      ref();\n    return originalOn.call(this, event, listener);\n  }, stream.fd = fd;\n  const originalPause = stream.pause;\n  stream.pause = function() {\n    return unref(), originalPause.call(this);\n  };\n  const originalResume = stream.resume;\n  stream.resume = function() {\n    return ref(), originalResume.call(this);\n  };\n  async function internalRead(stream2) {\n    try {\n      var done, value;\n      const read = reader\?.readMany();\n      if (@isPromise(read))\n        ({ done, value } = await read);\n      else\n        ({ done, value } = read);\n      if (!done) {\n        stream2.push(value[0]);\n        const length = value.length;\n        for (let i = 1;i < length; i++)\n          stream2.push(value[i]);\n      } else\n        stream2.emit(\"end\"), stream2.pause();\n    } catch (err) {\n      stream2.destroy(err);\n    }\n  }\n  return stream._read = function(size) {\n    internalRead(this);\n  }, stream.on(\"resume\", () => {\n    ref(), stream._undestroy();\n  }), stream._readableState.reading = !1, stream.on(\"pause\", () => {\n    process.nextTick(() => {\n      if (!stream.readableFlowing)\n        stream._readableState.reading = !1;\n    });\n  }), stream.on(\"close\", () => {\n    process.nextTick(() => {\n      stream.destroy(), unref();\n    });\n  }), stream;\n})\n"; +const char* const s_processObjectInternalsGetStdinStreamCode = "(function (fd) {\"use strict\";\n  var reader, readerRef;\n  function ref() {\n    reader \?\?= Bun.stdin.stream().getReader(), readerRef \?\?= setInterval(() => {\n    }, 1 << 30);\n  }\n  function unref() {\n    if (readerRef)\n      clearInterval(readerRef), readerRef = @undefined;\n    if (reader)\n      reader.cancel(), reader = @undefined;\n  }\n  const tty = @getInternalField(@internalModuleRegistry, 46) || @createInternalModuleById(46), stream = new ((tty.isatty(fd)) \? tty.ReadStream : ((@getInternalField(@internalModuleRegistry, 21)) || (@createInternalModuleById(21))).ReadStream)(fd), originalOn = stream.on;\n  stream.on = function(event, listener) {\n    if (event === \"readable\")\n      ref();\n    return originalOn.call(this, event, listener);\n  }, stream.fd = fd;\n  const originalPause = stream.pause;\n  stream.pause = function() {\n    return unref(), originalPause.call(this);\n  };\n  const originalResume = stream.resume;\n  stream.resume = function() {\n    return ref(), originalResume.call(this);\n  };\n  async function internalRead(stream2) {\n    try {\n      var done, value;\n      const read = reader\?.readMany();\n      if (@isPromise(read))\n        ({ done, value } = await read);\n      else\n        ({ done, value } = read);\n      if (!done) {\n        stream2.push(value[0]);\n        const length = value.length;\n        for (let i = 1;i < length; i++)\n          stream2.push(value[i]);\n      } else\n        stream2.emit(\"end\"), stream2.pause();\n    } catch (err) {\n      stream2.destroy(err);\n    }\n  }\n  return stream._read = function(size) {\n    internalRead(this);\n  }, stream.on(\"resume\", () => {\n    ref(), stream._undestroy();\n  }), stream._readableState.reading = !1, stream.on(\"pause\", () => {\n    process.nextTick(() => {\n      if (!stream.readableFlowing)\n        stream._readableState.reading = !1;\n    });\n  }), stream.on(\"close\", () => {\n    process.nextTick(() => {\n      stream.destroy(), unref();\n    });\n  }), stream;\n})\n";  // getStdioWriteStream  const JSC::ConstructAbility s_processObjectInternalsGetStdioWriteStreamCodeConstructAbility = JSC::ConstructAbility::CannotConstruct; diff --git a/src/js/out/WebCoreJSBuiltins.h b/src/js/out/WebCoreJSBuiltins.h index 70401c088..3c6ade197 100644 --- a/src/js/out/WebCoreJSBuiltins.h +++ b/src/js/out/WebCoreJSBuiltins.h @@ -1506,6 +1506,14 @@ extern const JSC::ConstructAbility s_moduleMainCodeConstructAbility;  extern const JSC::ConstructorKind s_moduleMainCodeConstructorKind;  extern const JSC::ImplementationVisibility s_moduleMainCodeImplementationVisibility; +// overridableRequire +#define WEBCORE_BUILTIN_MODULE_OVERRIDABLEREQUIRE 1 +extern const char* const s_moduleOverridableRequireCode; +extern const int s_moduleOverridableRequireCodeLength; +extern const JSC::ConstructAbility s_moduleOverridableRequireCodeConstructAbility; +extern const JSC::ConstructorKind s_moduleOverridableRequireCodeConstructorKind; +extern const JSC::ImplementationVisibility s_moduleOverridableRequireCodeImplementationVisibility; +  // require  #define WEBCORE_BUILTIN_MODULE_REQUIRE 1  extern const char* const s_moduleRequireCode; @@ -1532,18 +1540,21 @@ extern const JSC::ImplementationVisibility s_moduleRequireResolveCodeImplementat  #define WEBCORE_FOREACH_MODULE_BUILTIN_DATA(macro) \      macro(main, moduleMain, 0) \ +    macro(overridableRequire, moduleOverridableRequire, 1) \      macro(require, moduleRequire, 1) \      macro(requireNativeModule, moduleRequireNativeModule, 1) \      macro(requireResolve, moduleRequireResolve, 1) \  #define WEBCORE_FOREACH_MODULE_BUILTIN_CODE(macro) \      macro(moduleMainCode, main, "get main"_s, s_moduleMainCodeLength) \ +    macro(moduleOverridableRequireCode, overridableRequire, ASCIILiteral(), s_moduleOverridableRequireCodeLength) \      macro(moduleRequireCode, require, ASCIILiteral(), s_moduleRequireCodeLength) \      macro(moduleRequireNativeModuleCode, requireNativeModule, ASCIILiteral(), s_moduleRequireNativeModuleCodeLength) \      macro(moduleRequireResolveCode, requireResolve, ASCIILiteral(), s_moduleRequireResolveCodeLength) \  #define WEBCORE_FOREACH_MODULE_BUILTIN_FUNCTION_NAME(macro) \      macro(main) \ +    macro(overridableRequire) \      macro(require) \      macro(requireNativeModule) \      macro(requireResolve) \ diff --git a/src/js_ast.zig b/src/js_ast.zig index b9e34d279..46c204e69 100644 --- a/src/js_ast.zig +++ b/src/js_ast.zig @@ -5994,6 +5994,7 @@ pub const Ast = struct {      /// This is a list of named exports that may exist in a CommonJS module      /// We use this with `commonjs_at_runtime` to re-export CommonJS      commonjs_export_names: []string = &([_]string{}), +    import_meta_ref: Ref = Ref.None,      pub const CommonJSNamedExport = struct {          loc_ref: LocRef, diff --git a/src/js_parser.zig b/src/js_parser.zig index 449d1cbab..fce928a6e 100644 --- a/src/js_parser.zig +++ b/src/js_parser.zig @@ -21241,42 +21241,50 @@ fn NewParser_(                      parts[parts.len - 1].stmts = new_stmts_list;                  }, -                // This becomes +                // This transforms the user's code into.                  // -                //   (function (module, exports, require) { +                //   (function (exports, require, module, __filename, __dirname) { +                //      ... +                //   }).call( +                //      this.module.exports, +                //      this.module.exports, +                //      this.require, +                //      this.module, +                //      this.__filename, +                //      this.__dirname, +                //  );                  // -                //   })(module, exports, require); +                //  `this` is a `CommonJSFunctionArgumentsStructure` +                //  which is initialized in `evaluateCommonJSModuleOnce`                  .bun_js => {                      var args = allocator.alloc(Arg, 5) catch unreachable;                      args[0..5].* = .{ -                        Arg{ -                            .binding = p.b(B.Identifier{ .ref = p.module_ref }, logger.Loc.Empty), -                        }, -                        Arg{ -                            .binding = p.b(B.Identifier{ .ref = p.exports_ref }, logger.Loc.Empty), -                        }, -                        Arg{ -                            .binding = p.b(B.Identifier{ .ref = p.require_ref }, logger.Loc.Empty), -                        }, -                        Arg{ -                            .binding = p.b(B.Identifier{ .ref = p.dirname_ref }, logger.Loc.Empty), -                        }, -                        Arg{ -                            .binding = p.b(B.Identifier{ .ref = p.filename_ref }, logger.Loc.Empty), -                        }, +                        Arg{ .binding = p.b(B.Identifier{ .ref = p.exports_ref }, logger.Loc.Empty) }, +                        Arg{ .binding = p.b(B.Identifier{ .ref = p.require_ref }, logger.Loc.Empty) }, +                        Arg{ .binding = p.b(B.Identifier{ .ref = p.module_ref }, logger.Loc.Empty) }, +                        Arg{ .binding = p.b(B.Identifier{ .ref = p.filename_ref }, logger.Loc.Empty) }, +                        Arg{ .binding = p.b(B.Identifier{ .ref = p.dirname_ref }, logger.Loc.Empty) }, +                    }; + +                    const cjsArguments = Expr{ +                        .data = .{ .e_this = .{} }, +                        .loc = logger.Loc.Empty,                      }; +                      var total_stmts_count: usize = 0;                      for (parts) |part| {                          total_stmts_count += part.stmts.len;                      }                      var stmts_to_copy = allocator.alloc(Stmt, total_stmts_count) catch unreachable; -                    var remaining_stmts = stmts_to_copy; -                    for (parts) |part| { -                        for (part.stmts, remaining_stmts[0..part.stmts.len]) |src, *dest| { -                            dest.* = src; +                    { +                        var remaining_stmts = stmts_to_copy; +                        for (parts) |part| { +                            for (part.stmts, remaining_stmts[0..part.stmts.len]) |src, *dest| { +                                dest.* = src; +                            } +                            remaining_stmts = remaining_stmts[part.stmts.len..];                          } -                        remaining_stmts = remaining_stmts[part.stmts.len..];                      }                      const wrapper = p.newExpr( @@ -21284,147 +21292,57 @@ fn NewParser_(                              .func = G.Fn{                                  .name = null,                                  .open_parens_loc = logger.Loc.Empty, -                                .args = args, +                                .args = args[0..5],                                  .body = .{ .loc = logger.Loc.Empty, .stmts = stmts_to_copy },                                  .flags = Flags.Function.init(.{ .is_export = false }),                              },                          },                          logger.Loc.Empty,                      ); -                    const cjsGlobal = p.newSymbol(.unbound, "$_BunCommonJSModule_$") catch unreachable; -                    var all_call_args = allocator.alloc(Expr, 8) catch unreachable; +                      const this_module = p.newExpr(                          E.Dot{                              .name = "module", -                            .target = p.newExpr(E.Identifier{ .ref = cjsGlobal }, logger.Loc.Empty), +                            .target = cjsArguments,                              .name_loc = logger.Loc.Empty,                          },                          logger.Loc.Empty,                      ); -                    var bind_args = all_call_args[0..1]; -                    bind_args[0] = this_module; -                    var bind_resolve_args = all_call_args[1..2]; -                    var call_args = all_call_args[2..]; - -                    const module_id = p.newExpr(E.Dot{ -                        .name = "id", -                        .target = this_module, -                        .name_loc = logger.Loc.Empty, -                    }, logger.Loc.Empty); - -                    bind_resolve_args[0] = module_id; -                    const get_require = p.newExpr( +                    const module_exports = p.newExpr(                          E.Dot{ -                            .name = "require", +                            .name = "exports",                              .target = this_module,                              .name_loc = logger.Loc.Empty,                          },                          logger.Loc.Empty,                      ); -                    const create_binding = p.newExpr( -                        E.Call{ -                            .target = p.newExpr(E.Dot{ -                                .name = "bind", -                                .name_loc = logger.Loc.Empty, -                                .target = get_require, -                            }, logger.Loc.Empty), -                            .args = bun.BabyList(Expr).init(bind_args), -                        }, -                        logger.Loc.Empty, -                    ); - -                    const get_resolve = p.newExpr(E.Dot{ -                        .name = "resolve", -                        .name_loc = logger.Loc.Empty, -                        .target = get_require, -                    }, logger.Loc.Empty); - -                    const create_resolve_binding = p.newExpr( -                        E.Call{ -                            .target = p.newExpr(E.Dot{ -                                .name = "bind", -                                .name_loc = logger.Loc.Empty, -                                .target = get_resolve, -                            }, logger.Loc.Empty), -                            .args = bun.BabyList(Expr).init(bind_resolve_args), -                        }, -                        logger.Loc.Empty, -                    ); - -                    const require_path = p.newExpr( -                        E.Dot{ -                            .name = "path", -                            .target = get_require, -                            .name_loc = logger.Loc.Empty, -                        }, -                        logger.Loc.Empty, -                    ); -                    const assign_binding = p.newExpr( -                        E.Binary{ -                            .left = get_require, -                            .right = create_binding, -                            .op = .bin_assign, -                        }, -                        logger.Loc.Empty, -                    ); - -                    const assign_resolve_binding = p.newExpr( -                        E.Binary{ -                            .left = get_resolve, -                            .right = create_resolve_binding, -                            .op = .bin_assign, -                        }, -                        logger.Loc.Empty, -                    ); - -                    const assign_id = p.newExpr(E.Binary{ -                        .left = require_path, -                        .right = module_id, -                        .op = .bin_assign, -                    }, logger.Loc.Empty); - -                    var create_require = [4]Expr{ -                        assign_binding, -                        assign_id, -                        assign_resolve_binding, -                        get_require, -                    }; - -                    // -                    // (function(module, exports, require, __dirname, __filename) {}).call(this.exports, this.module, this.exports, this.module.require = this.module.require.bind(module), (this.module.require.id = this.module.id, this.module.require), __dirname, __filename) +                    var call_args = allocator.alloc(Expr, 6) catch unreachable;                      call_args[0..6].* = .{ +                        module_exports, // this.module.exports (this value inside fn) +                        module_exports, // this.module.exports (arg 1)                          p.newExpr(                              E.Dot{ -                                .name = "exports", -                                .target = this_module, +                                .name = "require", +                                .target = cjsArguments,                                  .name_loc = logger.Loc.Empty,                              },                              logger.Loc.Empty,                          ), -                        this_module, +                        this_module, // this.module                          p.newExpr(                              E.Dot{ -                                .name = "exports", -                                .target = this_module, +                                .name = "__filename", +                                .target = cjsArguments,                                  .name_loc = logger.Loc.Empty,                              },                              logger.Loc.Empty,                          ), -                        Expr.joinAllWithComma(&create_require, p.allocator),                          p.newExpr(                              E.Dot{                                  .name = "__dirname", -                                .target = p.newExpr(E.Identifier{ .ref = cjsGlobal }, logger.Loc.Empty), -                                .name_loc = logger.Loc.Empty, -                            }, -                            logger.Loc.Empty, -                        ), -                        p.newExpr( -                            E.Dot{ -                                .name = "__filename", -                                .target = p.newExpr(E.Identifier{ .ref = cjsGlobal }, logger.Loc.Empty), +                                .target = cjsArguments,                                  .name_loc = logger.Loc.Empty,                              },                              logger.Loc.Empty, @@ -21446,14 +21364,50 @@ fn NewParser_(                          logger.Loc.Empty,                      ); -                    var only_stmt = try p.allocator.alloc(Stmt, 1); -                    only_stmt[0] = p.s( +                    var top_level_stmts = p.allocator.alloc(Stmt, 1 + @as(usize, @intFromBool(p.has_import_meta))) catch unreachable; +                    parts[0].stmts = top_level_stmts; + +                    // var $Bun_import_meta = this.createImportMeta(this.filename); +                    if (p.has_import_meta) { +                        p.import_meta_ref = p.newSymbol(.other, "$Bun_import_meta") catch unreachable; +                        var decl = allocator.alloc(Decl, 1) catch unreachable; +                        decl[0] = Decl{ +                            .binding = Binding.alloc( +                                p.allocator, +                                B.Identifier{ +                                    .ref = p.import_meta_ref, +                                }, +                                logger.Loc.Empty, +                            ), +                            .value = p.newExpr( +                                E.Call{ +                                    .target = p.newExpr(E.Dot{ +                                        .target = cjsArguments, +                                        .name = "createImportMeta", +                                        .name_loc = logger.Loc.Empty, +                                    }, logger.Loc.Empty), +                                    // reuse the `this.__filename` argument +                                    .args = ExprNodeList.init(call_args[5..6]), +                                }, +                                logger.Loc.Empty, +                            ), +                        }; + +                        top_level_stmts[0] = p.s( +                            S.Local{ +                                .decls = G.Decl.List.init(decl), +                                .kind = .k_var, +                            }, +                            logger.Loc.Empty, +                        ); +                        top_level_stmts = top_level_stmts[1..]; +                    } +                    top_level_stmts[0] = p.s(                          S.SExpr{                              .value = call,                          },                          logger.Loc.Empty,                      ); -                    parts[0].stmts = only_stmt;                      parts.len = 1;                  }, @@ -21984,6 +21938,8 @@ fn NewParser_(                  // TODO:                  // .const_values = p.const_values, + +                .import_meta_ref = p.import_meta_ref,              };          } diff --git a/src/js_printer.zig b/src/js_printer.zig index 15f5218ae..8202eac80 100644 --- a/src/js_printer.zig +++ b/src/js_printer.zig @@ -482,6 +482,7 @@ pub const Options = struct {      to_commonjs_ref: Ref = Ref.None,      to_esm_ref: Ref = Ref.None,      require_ref: ?Ref = null, +    import_meta_ref: Ref = Ref.None,      indent: usize = 0,      externals: []u32 = &[_]u32{},      runtime_imports: runtime.Runtime.Imports = runtime.Runtime.Imports{}, @@ -2051,7 +2052,20 @@ fn NewPrinter(                  .e_import_meta => {                      p.printSpaceBeforeIdentifier();                      p.addSourceMapping(expr.loc); -                    p.print("import.meta"); +                    if (!p.options.import_meta_ref.isValid()) { +                        // Most of the time, leave it in there +                        p.print("import.meta"); +                    } else { +                        // Note: The bundler will not hit this code path. The bundler will replace +                        // the ImportMeta AST node with a regular Identifier AST node. +                        // +                        // This is currently only used in Bun's runtime for CommonJS modules +                        // referencing import.meta +                        if (comptime Environment.allow_assert) +                            std.debug.assert(p.options.module_type == .cjs); + +                        p.printSymbol(p.options.import_meta_ref); +                    }                  },                  .e_commonjs_export_identifier => |id| {                      p.printSpaceBeforeIdentifier(); diff --git a/src/string.zig b/src/string.zig index 7928ad97b..1305e5884 100644 --- a/src/string.zig +++ b/src/string.zig @@ -855,17 +855,17 @@ pub const SliceWithUnderlyingString = struct {      underlying: String,      pub fn toThreadSafe(this: *SliceWithUnderlyingString) void { -        std.debug.assert(this.underlying.tag == .WTFStringImpl); - -        var orig = this.underlying.value.WTFStringImpl; -        this.underlying.toThreadSafe(); -        if (this.underlying.value.WTFStringImpl != orig) { -            orig.deref(); - -            if (this.utf8.allocator.get()) |allocator| { -                if (String.isWTFAllocator(allocator)) { -                    this.utf8.deinit(); -                    this.utf8 = this.underlying.toUTF8(bun.default_allocator); +        if (this.underlying.tag == .WTFStringImpl) { +            var orig = this.underlying.value.WTFStringImpl; +            this.underlying.toThreadSafe(); +            if (this.underlying.value.WTFStringImpl != orig) { +                orig.deref(); + +                if (this.utf8.allocator.get()) |allocator| { +                    if (String.isWTFAllocator(allocator)) { +                        this.utf8.deinit(); +                        this.utf8 = this.underlying.toUTF8(bun.default_allocator); +                    }                  }              }          } | 
