module arsd.web; // FIXME: if a method has a default value of a non-primitive type, // it's still liable to screw everything else. /* Reasonably easy CSRF plan: A csrf token can be associated with the entire session, and saved in the session file. Each form outputs the token, and it is added as a parameter to the script thingy somewhere. It need only be sent on POST items. Your app should handle proper get and post separation. */ /* Future directions for web stuff: an improved css: add definition nesting add importing things from another definition Implemented: see html.d All css improvements are done via simple text rewriting. Aside from the nesting, it'd just be a simple macro system. Struct input functions: static typeof(this) fromWebString(string fromUrl) {} Automatic form functions: static Element makeFormElement(Document document) {} javascript: I'd like to add functions and do static analysis actually. I can't believe I just said that though. But the stuff I'd analyze is checking it against the D functions, recognizing that JS is loosely typed. So basically it can do a grep for simple stuff: CoolApi.xxxxxxx if xxxxxxx isn't a function in CoolApi (the name it knows from the server), it can flag a compile error. Might not be able to catch usage all the time but could catch typo names. */ /* FIXME: in params on the wrapped functions generally don't work (can't modify const) Running from the command line: ./myapp function positional args.... ./myapp --format=json function ./myapp --make-nested-call Formatting data: CoolApi.myFunc().getFormat('Element', [...same as get...]); You should also be able to ask for json, but with a particular format available as toString format("json", "html") -- gets json, but each object has it's own toString. Actually, the object adds a member called formattedSecondarily that is the other thing. Note: the array itself cannot be changed in format, only it's members. Note: the literal string of the formatted object is often returned. This may more than double the bandwidth of the call Note: BUG: it only works with built in formats right now when doing secondary // formats are: text, html, json, table, and xml // except json, they are all represented as strings in json values string toString -> formatting as text Element makeHtmlElement -> making it html (same as fragment) JSONValue makeJsonValue -> formatting to json Table makeHtmlTable -> making a table (not implemented) toXml -> making it into an xml document Arrays can be handled too: static (converts to) string makeHtmlArray(typeof(this)[] arr); Envelope format: document (default), json, none */ import std.exception; public import arsd.dom; public import arsd.cgi; // you have to import this in the actual usage file or else it won't link; surely a compiler bug import arsd.sha; public import std.string; public import std.array; public import std.stdio : writefln; public import std.conv; import std.random; import std.typetuple; import std.datetime; public import std.range; public import std.traits; import std.json; /// This gets your site's base link. note it's really only good if you are using FancyMain. string getSiteLink(Cgi cgi) { return cgi.requestUri[0.. cgi.requestUri.indexOf(cgi.scriptName) + cgi.scriptName.length + 1 /* for the slash at the end */]; } /// use this in a function parameter if you want the automatic form to render /// it as a textarea /// FIXME: this should really be an annotation on the parameter... somehow struct Text { string content; alias content this; } /// This is the JSON envelope format struct Envelope { bool success; /// did the call succeed? false if it threw an exception string type; /// static type of the return value string errorMessage; /// if !success, this is exception.msg string userData; /// null unless the user request included passedThroughUserData // use result.str if the format was anything other than json JSONValue result; /// the return value of the function debug string dFullString; /// exception.toString - includes stack trace, etc. Only available in debug mode for privacy reasons. } /// Info about the current request - more specialized than the cgi object directly struct RequestInfo { string mainSitePath; /// the bottom-most ApiProvider's path in this request string objectBasePath; /// the top-most resolved path in the current request FunctionInfo currentFunction; /// what function is being called according to the url? string requestedFormat; /// the format the returned data was requested to be sent string requestedEnvelopeFormat; /// the format the data is to be wrapped in } /+ string linkTo(alias func, T...)(T args) { auto reflection = __traits(parent, func).reflection; assert(reflection !is null); auto name = func.stringof; auto idx = name.indexOf("("); if(idx != -1) name = name[0 .. idx]; auto funinfo = reflection.functions[name]; return funinfo.originalName; } +/ /// this is there so there's a common runtime type for all callables class WebDotDBaseType { Cgi cgi; /// lower level access to the request /// Override this if you want to do something special to the document /// You should probably call super._postProcess at some point since I /// might add some default transformations here. /// By default, it forwards the document root to _postProcess(Element). void _postProcess(Document document) { if(document !is null && document.root !is null) _postProcessElement(document.root); } /// Override this to do something special to returned HTML Elements. /// This is ONLY run if the return type is(: Element). It is NOT run /// if the return type is(: Document). void _postProcessElement(Element element) {} // why the fuck doesn't overloading actually work? /// convenience function to enforce that the current method is POST. /// You should use this if you are going to commit to the database or something. void ensurePost() { assert(cgi !is null); enforce(cgi.requestMethod == Cgi.RequestMethod.POST); } } /// This is meant to beautify and check links and javascripts to call web.d functions. /// FIXME: this function sucks. string linkCall(alias Func, Args...)(Args args) { static if(!__traits(compiles, Func(args))) { static assert(0, "Your function call doesn't compile. If you need client side dynamic data, try building the call as a string."); } // FIXME: this link won't work from other parts of the site... //string script = __traits(parent, Func).stringof; auto href = __traits(identifier, Func) ~ "?"; bool outputted = false; foreach(i, arg; args) { if(outputted) { href ~= "&"; } else outputted = true; href ~= std.uri.encodeComponent("positional-arg-" ~ to!string(i)); href ~= "="; href ~= to!string(arg); // FIXME: this is wrong for all but the simplest types } return href; } /// This is meant to beautify and check links and javascripts to call web.d functions. /// This function works pretty ok. You're going to want to append a string to the return /// value to actually call .get() or whatever; it only does the name and arglist. string jsCall(alias Func, Args...)(Args args) /*if(is(__traits(parent, Func) : WebDotDBaseType))*/ { static if(!__traits(compiles, Func(args))) { static assert(0, "Your function call doesn't compile. If you need client side dynamic data, try building the call as a string."); } string script = __traits(parent, Func).stringof; script ~= "." ~ __traits(identifier, Func) ~ "("; bool outputted = false; foreach(arg; args) { if(outputted) { script ~= ","; } else outputted = true; script ~= toJson(arg); } script ~= ")"; return script; } /// Everything should derive from this instead of the old struct namespace used before /// Your class must provide a default constructor. class ApiProvider : WebDotDBaseType { private ApiProvider builtInFunctions; Session session; // note: may be null /// override this to change cross-site request forgery checks. /// /// To perform a csrf check, call ensureGoodPost(); in your code. /// /// It throws a PermissionDeniedException if the check fails. /// This might change later to make catching it easier. /// /// If there is no session object, the test always succeeds. This lets you opt /// out of the system. /// /// If the session is null, it does nothing. FancyMain makes a session for you. /// If you are doing manual run(), it is your responsibility to create a session /// and attach it to each primary object. /// /// NOTE: it is important for you use ensureGoodPost() on any data changing things! /// This function alone is a no-op on non-POST methods, so there's no real protection /// without ensuring POST when making changes. /// // FIXME: if someone is OAuth authorized, a csrf token should not really be necessary. // This check is done automatically right now, and doesn't account for that. I guess // people could override it in a subclass though. (Which they might have to since there's // no oauth integration at this level right now anyway. Nor may there ever be; it's kinda // high level. Perhaps I'll provide an oauth based subclass later on.) protected void checkCsrfToken() { assert(cgi !is null); if(cgi.requestMethod == Cgi.RequestMethod.POST) { auto tokenInfo = _getCsrfInfo(); if(tokenInfo is null) return; // not doing checks void fail() { throw new PermissionDeniedException("CSRF token test failed"); } // expiration is handled by the session itself expiring (in the Session class) if(tokenInfo["key"] !in cgi.post) fail(); if(cgi.post[tokenInfo["key"]] != tokenInfo["token"]) fail(); } } protected bool isCsrfTokenCorrect() { auto tokenInfo = _getCsrfInfo(); if(tokenInfo is null) return false; // this means we aren't doing checks (probably because there is no session), but it is a failure nonetheless auto token = tokenInfo["key"] ~ "=" ~ tokenInfo["token"]; if("x-arsd-csrf-pair" in cgi.requestHeaders) return cgi.requestHeaders["x-arsd-csrf-pair"] == token; if(tokenInfo["key"] in cgi.post) return cgi.post[tokenInfo["key"]] == tokenInfo["token"]; if(tokenInfo["key"] in cgi.get) return cgi.get[tokenInfo["key"]] == tokenInfo["token"]; return false; } /// Shorthand for ensurePost and checkCsrfToken. You should use this on non-indempotent /// functions. Override it if doing some custom checking. void ensureGoodPost() { ensurePost(); checkCsrfToken(); } bool _noCsrfChecks; // this is a hack to let you use the functions internally more easily // gotta make sure this isn't callable externally! Oh lol that'd defeat the point... /// Gets the CSRF info (an associative array with key and token inside at least) from the session. /// Note that the actual token is generated by the Session class. protected string[string] _getCsrfInfo() { if(session is null || this._noCsrfChecks) return null; return decodeVariablesSingle(session.csrfToken); } /// Adds CSRF tokens to the document for use by script (required by the Javascript API) /// and then calls addCsrfTokens(document.root) to add them to all POST forms as well. protected void addCsrfTokens(Document document) { if(document is null) return; auto bod = document.mainBody; if(!bod.hasAttribute("data-csrf-key")) { auto tokenInfo = _getCsrfInfo(); if(tokenInfo is null) return; if(bod !is null) { bod.setAttribute("data-csrf-key", tokenInfo["key"]); bod.setAttribute("data-csrf-token", tokenInfo["token"]); } addCsrfTokens(document.root); } } /// we have to add these things to the document... override void _postProcess(Document document) { foreach(pp; documentPostProcessors) pp(document); addCsrfTokens(document); super._postProcess(document); } /// This adds CSRF tokens to all forms in the tree protected void addCsrfTokens(Element element) { if(element is null) return; auto tokenInfo = _getCsrfInfo(); if(tokenInfo is null) return; foreach(formElement; element.getElementsByTagName("form")) { if(formElement.method != "POST" && formElement.method != "post") continue; auto form = cast(Form) formElement; assert(form !is null); form.setValue(tokenInfo["key"], tokenInfo["token"]); } } // and added to ajax forms.. override void _postProcessElement(Element element) { foreach(pp; elementPostProcessors) pp(element); addCsrfTokens(element); super._postProcessElement(element); } // FIXME: the static is meant to be a performance improvement, but it breaks child modules' reflection! /*static */immutable(ReflectionInfo)* reflection; string _baseUrl; // filled based on where this is called from on this request RequestInfo currentRequest; // FIXME: actually fill this in /// Override this if you have initialization work that must be done *after* cgi and reflection is ready. /// It should be used instead of the constructor for most work. void _initialize() {} /// On each call, you can register another post processor for the generated html. If your delegate takes a Document, it will only run on document envelopes (full pages generated). If you take an Element, it will apply on almost any generated html. /// /// Note: if you override _postProcess or _postProcessElement, be sure to call the superclass version for these registered functions to run. void _registerPostProcessor(void delegate(Document) pp) { documentPostProcessors ~= pp; } /// ditto void _registerPostProcessor(void delegate(Element) pp) { elementPostProcessors ~= pp; } /// ditto void _registerPostProcessor(void function(Document) pp) { documentPostProcessors ~= delegate void(Document d) { pp(d); }; } /// ditto void _registerPostProcessor(void function(Element) pp) { elementPostProcessors ~= delegate void(Element d) { pp(d); }; } // these only work for one particular call private void delegate(Document d)[] documentPostProcessors; private void delegate(Element d)[] elementPostProcessors; private void _initializePerCallInternal() { documentPostProcessors = null; elementPostProcessors = null; _initializePerCall(); } /// This one is called at least once per call. (_initialize is only called once per process) void _initializePerCall() {} /// Returns the stylesheet for this module. Use it to encapsulate the needed info for your output so the module is more easily reusable /// Override this to provide your own stylesheet. (of course, you can always provide it via _catchAll or any standard css file/style element too.) string _style() const { return null; } /// Returns the combined stylesheet of all child modules and this module string stylesheet() const { string ret; foreach(i; reflection.objects) { if(i.instantiation !is null) ret ~= i.instantiation.stylesheet(); } ret ~= _style(); return ret; } /// This tentatively redirects the user - depends on the envelope fomat void redirect(string location, bool important = false) { auto f = cgi.request("envelopeFormat", "document"); if(f == "document" || f == "redirect") cgi.setResponseLocation(location, important); } /// Returns a list of links to all functions in this class or sub-classes /// You can expose it publicly with alias: "alias _sitemap sitemap;" for example. Element _sitemap() { auto container = _getGenericContainer(); void writeFunctions(Element list, in ReflectionInfo* reflection, string base) { string[string] handled; foreach(key, func; reflection.functions) { if(func.originalName in handled) continue; handled[func.originalName] = func.originalName; // skip these since the root is what this is there for if(func.originalName == "GET" || func.originalName == "POST") continue; // the builtins aren't interesting either if(key.startsWith("builtin.")) continue; if(func.originalName.length) list.addChild("li", new Link(base ~ func.name, beautify(func.originalName))); } handled = null; foreach(obj; reflection.objects) { if(obj.name in handled) continue; handled[obj.name] = obj.name; auto li = list.addChild("li", new Link(base ~ obj.name, obj.name)); auto ul = li.addChild("ul"); writeFunctions(ul, obj, base ~ obj.name ~ "/"); } } auto list = container.addChild("ul"); auto starting = _baseUrl; if(starting is null) starting = cgi.scriptName ~ cgi.pathInfo; // FIXME writeFunctions(list, reflection, starting ~ "/"); return list.parentNode.removeChild(list); } /// If the user goes to your program without specifying a path, this function is called. // FIXME: should it return document? That's kinda a pain in the butt. Document _defaultPage() { throw new Exception("no default"); } /// When the html document envelope is used, this function is used to get a html element /// where the return value is appended. /// It's the main function to override to provide custom HTML templates. /// /// The default document provides a default stylesheet, our default javascript, and some timezone cookie handling (which you must handle on the server. Eventually I'll open source my date-time helpers that do this, but the basic idea is it sends an hour offset, and you can add that to any UTC time you have to get a local time). Element _getGenericContainer() out(ret) { assert(ret !is null); } body { auto document = new TemplatedDocument( "
" ~ htmlEntitiesEncode(str) ~ ""; } return ret; } /// Translates a given type to a JSON string. /// TIP: if you're building a Javascript function call by strings, toJson("your string"); will build a nicely escaped string for you of any type. string toJson(T)(T a) { auto v = toJsonValue(a); return toJSON(&v); } // FIXME: are the explicit instantiations of this necessary? /// like toHtml - it makes a json value of any given type. /// It can be used generically, or it can be passed an ApiProvider so you can do a secondary custom /// format. (it calls api.formatAs!(type)(typeRequestString)). Why would you want that? Maybe /// your javascript wants to do work with a proper object,but wants to append it to the document too. /// Asking for json with secondary format = html means the server will provide both to you. /// Implement JSONValue makeJsonValue() in your struct or class to provide 100% custom Json. /// Elements from DOM are turned into JSON strings of the element's html. JSONValue toJsonValue(T, R = ApiProvider)(T a, string formatToStringAs = null, R api = null) if(is(R : ApiProvider)) { JSONValue val; static if(is(T == typeof(null)) || is(T == void*)) { /* void* goes here too because we don't know how to make it work... */ val.type = JSON_TYPE.NULL; } else static if(is(T == JSONValue)) { val = a; } else static if(__traits(compiles, val = a.makeJsonValue())) { val = a.makeJsonValue(); // FIXME: free function to emulate UFCS? // FIXME: should we special case something like struct Html? } else static if(is(T : DateTime)) { val.type = JSON_TYPE.STRING; val.str = a.toISOExtString(); } else static if(is(T : Element)) { if(a is null) { val.type = JSON_TYPE.NULL; } else { val.type = JSON_TYPE.STRING; val.str = a.toString(); } } else static if(isIntegral!(T)) { val.type = JSON_TYPE.INTEGER; val.integer = to!long(a); } else static if(isFloatingPoint!(T)) { val.type = JSON_TYPE.FLOAT; val.floating = to!real(a); } else static if(isPointer!(T)) { if(a is null) { val.type = JSON_TYPE.NULL; } else { val = toJsonValue!(typeof(*a), R)(*a, formatToStringAs, api); } } else static if(is(T == bool)) { if(a == true) val.type = JSON_TYPE.TRUE; if(a == false) val.type = JSON_TYPE.FALSE; } else static if(isSomeString!(T)) { val.type = JSON_TYPE.STRING; val.str = to!string(a); } else static if(isAssociativeArray!(T)) { val.type = JSON_TYPE.OBJECT; foreach(k, v; a) { val.object[to!string(k)] = toJsonValue!(typeof(v), R)(v, formatToStringAs, api); } } else static if(isArray!(T)) { val.type = JSON_TYPE.ARRAY; val.array.length = a.length; foreach(i, v; a) { val.array[i] = toJsonValue!(typeof(v), R)(v, formatToStringAs, api); } } else static if(is(T == struct)) { // also can do all members of a struct... val.type = JSON_TYPE.OBJECT; foreach(i, member; a.tupleof) { string name = a.tupleof[i].stringof[2..$]; static if(a.tupleof[i].stringof[2] != '_') val.object[name] = toJsonValue!(typeof(member), R)(member, formatToStringAs, api); } // HACK: bug in dmd can give debug members in a non-debug build //static if(__traits(compiles, __traits(getMember, a, member))) } else { /* our catch all is to just do strings */ val.type = JSON_TYPE.STRING; val.str = to!string(a); // FIXME: handle enums } // don't want json because it could recurse if(val.type == JSON_TYPE.OBJECT && formatToStringAs !is null && formatToStringAs != "json") { JSONValue formatted; formatted.type = JSON_TYPE.STRING; formatAs!(T, R)(a, formatToStringAs, api, &formatted, null /* only doing one level of special formatting */); assert(formatted.type == JSON_TYPE.STRING); val.object["formattedSecondarily"] = formatted; } return val; } /+ Document toXml(T)(T t) { auto xml = new Document; xml.parse(emptyTag(T.stringof), true, true); xml.prolog = `` ~ "\n"; xml.root = toXmlElement(xml, t); return xml; } Element toXmlElement(T)(Document document, T t) { Element val; static if(is(T == Document)) { val = t.root; //} else static if(__traits(compiles, a.makeJsonValue())) { // val = a.makeJsonValue(); } else static if(is(T : Element)) { if(t is null) { val = document.createElement("value"); val.innerText = "null"; val.setAttribute("isNull", "true"); } else val = t; } else static if(is(T == void*)) { val = document.createElement("value"); val.innerText = "null"; val.setAttribute("isNull", "true"); } else static if(isPointer!(T)) { if(t is null) { val = document.createElement("value"); val.innerText = "null"; val.setAttribute("isNull", "true"); } else { val = toXmlElement(document, *t); } } else static if(isAssociativeArray!(T)) { val = document.createElement("value"); foreach(k, v; t) { auto e = document.createElement(to!string(k)); e.appendChild(toXmlElement(document, v)); val.appendChild(e); } } else static if(isSomeString!(T)) { val = document.createTextNode(to!string(t)); } else static if(isArray!(T)) { val = document.createElement("array"); foreach(i, v; t) { auto e = document.createElement("item"); e.appendChild(toXmlElement(document, v)); val.appendChild(e); } } else static if(is(T == struct)) { // also can do all members of a struct... val = document.createElement(T.stringof); foreach(member; __traits(allMembers, T)) { if(member[0] == '_') continue; // FIXME: skip member functions auto e = document.createElement(member); e.appendChild(toXmlElement(document, __traits(getMember, t, member))); val.appendChild(e); } } else { /* our catch all is to just do strings */ val = document.createTextNode(to!string(t)); // FIXME: handle enums } return val; } +/ /// throw this if your function needs something that is missing. /// Done automatically by the wrapper function class InsufficientParametersException : Exception { this(string functionName, string msg) { super(functionName ~ ": " ~ msg); } } /// throw this if a paramater is invalid. Automatic forms may present this to the user in a new form. (FIXME: implement that) class InvalidParameterException : Exception { this(string param, string value, string expected) { super("bad param: " ~ param ~ ". got: " ~ value ~ ". Expected: " ~expected); } } /// convenience for throwing InvalidParameterExceptions void badParameter(alias T)(string expected = "") { throw new InvalidParameterException(T.stringof, T, expected); } /// throw this if the user's access is denied class PermissionDeniedException : Exception { this(string msg, string file = __FILE__, int line = __LINE__) { super(msg, file, line); } } /// throw if the request path is not found. Done automatically by the default catch all handler. class NoSuchPageException : Exception { this(string msg, string file = __FILE__, int line = __LINE__) { super(msg, file, line); } } class NoSuchFunctionException : NoSuchPageException { this(string msg, string file = __FILE__, int line = __LINE__) { super(msg, file, line); } } type fromUrlParam(type)(string ofInterest) { type ret; static if(isArray!(type) && !isSomeString!(type)) { // how do we get an array out of a simple string? // FIXME static assert(0); } else static if(__traits(compiles, ret = type.fromWebString(ofInterest))) { // for custom object handling... ret = type.fromWebString(ofInterest); } else static if(is(type : Element)) { auto doc = new Document(ofInterest, true, true); ret = doc.root; } else static if(is(type : Text)) { ret = ofInterest; } else static if(is(type : DateTime)) { ret = DateTime.fromISOString(ofInterest); } /* else static if(is(type : struct)) { static assert(0, "struct not supported yet"); } */ else { // enum should be handled by this too ret = to!type(ofInterest); } // FIXME: can we support classes? return ret; } /// turns a string array from the URL into a proper D type type fromUrlParam(type)(string[] ofInterest) { type ret; // Arrays in a query string are sent as the name repeating... static if(isArray!(type) && !isSomeString!type) { foreach(a; ofInterest) { ret ~= fromUrlParam!(ElementType!(type))(a); } } else static if(isArray!(type) && isSomeString!(ElementType!type)) { foreach(a; ofInterest) { ret ~= fromUrlParam!(ElementType!(type))(a); } } else ret = fromUrlParam!type(ofInterest[$-1]); return ret; } auto getMemberDelegate(alias ObjectType, string member)(ObjectType object) if(is(ObjectType : WebDotDBaseType)) { if(object is null) throw new NoSuchFunctionException("no such object " ~ ObjectType.stringof); return &__traits(getMember, object, member); } /// generates the massive wrapper function for each of your class' methods. /// it is responsible for turning strings to params and return values back to strings. WrapperFunction generateWrapper(alias ObjectType, string funName, alias f, R)(ReflectionInfo* reflection, R api) if(is(R: ApiProvider) && (is(ObjectType : WebDotDBaseType)) ) { WrapperReturn wrapper(Cgi cgi, WebDotDBaseType object, in string[][string] sargs, in string format, in string secondaryFormat = null) { JSONValue returnValue; returnValue.type = JSON_TYPE.STRING; auto instantiation = getMemberDelegate!(ObjectType, funName)(cast(ObjectType) object); api._initializePerCallInternal(); ParameterTypeTuple!(f) args; // Actually calling the function // FIXME: default parameters foreach(i, type; ParameterTypeTuple!(f)) { string name = parameterNamesOf!(f)[i]; // We want to check the named argument first. If it's not there, // try the positional arguments string using = name; if(name !in sargs) using = "positional-arg-" ~ to!string(i); // FIXME: if it's a struct, we should do it's pieces independently here static if(is(type == bool)) { // bool is special cased because HTML checkboxes don't send anything if it isn't checked if(using in sargs) { if( sargs[using][$-1] != "false" && sargs[using][$-1] != "False" && sargs[using][$-1] != "FALSE" && sargs[using][$-1] != "no" && sargs[using][$-1] != "off" && sargs[using][$-1] != "0" ) args[i] = true; else args[i] = false; } else { static if(parameterHasDefault!(f)(i)) { args[i] = mixin(parameterDefaultOf!(f)(i)); } else args[i] = false; } // FIXME: what if the default is true? } else static if(is(Unqual!(type) == Cgi.UploadedFile)) { if(using !in cgi.files) throw new InsufficientParametersException(funName, "file " ~ using ~ " is not present"); args[i] = cast() cgi.files[using]; // casting away const for the assignment to compile FIXME: shouldn't be needed } else { if(using !in sargs) { static if(parameterHasDefault!(f)(i)) { args[i] = mixin(parameterDefaultOf!(f)(i)); } else { throw new InsufficientParametersException(funName, "arg " ~ name ~ " is not present"); } } else { // We now check the type reported by the client, if there is one // Right now, only one type is supported: ServerResult, which means // it's actually a nested function call string[] ofInterest = cast(string[]) sargs[using]; // I'm changing the reference, but not the underlying stuff, so this cast is ok if(using ~ "-type" in sargs) { string reportedType = sargs[using ~ "-type"][$-1]; if(reportedType == "ServerResult") { // FIXME: doesn't handle functions that return // compound types (structs, arrays, etc) ofInterest = null; string str = sargs[using][$-1]; auto idx = str.indexOf("?"); string callingName, callingArguments; if(idx == -1) { callingName = str; } else { callingName = str[0..idx]; callingArguments = str[idx + 1 .. $]; } // find it in reflection ofInterest ~= reflection.functions[callingName]. dispatcher(cgi, null, decodeVariables(callingArguments), "string", null).value.str; } } args[i] = fromUrlParam!type(ofInterest); } } } static if(!is(ReturnType!f == void)) ReturnType!(f) ret; else void* ret; static if(!is(ReturnType!f == void)) ret = instantiation(args); else instantiation(args); WrapperReturn r; static if(is(ReturnType!f : Element)) { if(ret is null) { r.value = returnValue; return r; // HACK to handle null returns } // we need to make sure that it's not called again when _postProcess(Document) is called! // FIXME: is this right? if(cgi.request("envelopeFormat", "document") != "document") api._postProcessElement(ret); // need to post process the element here so it works in ajax modes. } static if(is(ReturnType!f : FileResource) && !is(ReturnType!f : Document)) { if(ret !is null && cgi !is null) { cgi.setResponseContentType(ret.contentType()); cgi.write(ret.getData(), true); cgi.close(); r.completed = true; } } formatAs(ret, format, api, &returnValue, secondaryFormat); r.value = returnValue; return r; } return &wrapper; } /// This is the function called to turn return values into strings. /// Implement a template called _customFormat in your apiprovider class to make special formats. /// Otherwise, this provides the defaults of html, table, json, etc. /// call it like so: JSONValue returnValue; formatAs(value, this, returnValue, "type"); // FIXME: it's awkward to call manually due to the JSONValue ref thing. Returning a string would be mega nice. string formatAs(T, R)(T ret, string format, R api = null, JSONValue* returnValue = null, string formatJsonToStringAs = null) if(is(R : ApiProvider)) { string retstr; if(api !is null) { static if(__traits(compiles, api._customFormat(ret, format))) { auto customFormatted = api._customFormat(ret, format); if(customFormatted !is null) { if(returnValue !is null) returnValue.str = customFormatted; return customFormatted; } } } switch(format) { case "html": retstr = toHtml(ret); if(returnValue !is null) returnValue.str = retstr; break; case "string": // FIXME: this is the most expensive part of the compile! Two seconds in one of my apps. /+ static if(__traits(compiles, to!string(ret))) { retstr = to!string(ret); if(returnValue !is null) returnValue.str = retstr; } else goto badType; +/ goto badType; // FIXME case "json": assert(returnValue !is null); *returnValue = toJsonValue!(typeof(ret), R)(ret, formatJsonToStringAs, api); break; case "table": case "csv": auto document = new Document("
hellp, {$name}.
. Note the vars are converted lazily at toString time and are always HTML escaped. /// In the html templates, you can write {$varname} or {$varname|func} (or {$varname|func arg arg|func} and so on). This holds the functions available these. The TemplatedDocument constructor puts in a handful of generic ones. string delegate(string, string[], in Element, string)[string] viewFunctions; this(string src) { super(); viewFunctions = TemplateFilters.defaultThings(); parse(src, true, true); } this() { viewFunctions = TemplateFilters.defaultThings(); } void delegate(TemplatedDocument)[] preToStringFilters; void delegate(ref string)[] postToStringFilters; } /// a convenience function to do filters on your doc and write it out. kinda useless still at this point. void writeDocument(Cgi cgi, TemplatedDocument document) { foreach(f; document.preToStringFilters) f(document); auto s = document.toString(); foreach(f; document.postToStringFilters) f(s); cgi.write(s); } /* Password helpers */ /// These added a dependency on arsd.sha, but hashing passwords is somewhat useful in a lot of apps so I figured it was worth it. /// use this to make the hash to put in the database... string makeSaltedPasswordHash(string userSuppliedPassword, string salt = null) { if(salt is null) salt = to!string(uniform(0, int.max)); // FIXME: sha256 is actually not ideal for this, but meh it's what i have. return hashToString(SHA256(salt ~ userSuppliedPassword)) ~ ":" ~ salt; } /// and use this to check it. bool checkPassword(string saltedPasswordHash, string userSuppliedPassword) { auto parts = saltedPasswordHash.split(":"); return makeSaltedPasswordHash(userSuppliedPassword, parts[1]) == saltedPasswordHash; } /// implements the "table" format option. Works on structs and associative arrays (string[string][]) Table structToTable(T)(Document document, T arr, string[] fieldsToSkip = null) if(isArray!(T) && !isAssociativeArray!(T)) { auto t = cast(Table) document.createElement("table"); t.border = "1"; static if(is(T == string[string][])) { string[string] allKeys; foreach(row; arr) { foreach(k; row.keys) allKeys[k] = k; } auto sortedKeys = allKeys.keys.sort; Element tr; auto thead = t.addChild("thead"); auto tbody = t.addChild("tbody"); tr = thead.addChild("tr"); foreach(key; sortedKeys) tr.addChild("th", key); bool odd = true; foreach(row; arr) { tr = tbody.addChild("tr"); foreach(k; sortedKeys) { tr.addChild("td", k in row ? row[k] : ""); } if(odd) tr.addClass("odd"); odd = !odd; } } else static if(is(typeof(T[0]) == struct)) { { auto thead = t.addChild("thead"); auto tr = thead.addChild("tr"); auto s = arr[0]; foreach(idx, member; s.tupleof) tr.addChild("th", s.tupleof[idx].stringof[2..$]); } bool odd = true; auto tbody = t.addChild("tbody"); foreach(s; arr) { auto tr = tbody.addChild("tr"); foreach(member; s.tupleof) { tr.addChild("td", to!string(member)); } if(odd) tr.addClass("odd"); odd = !odd; } } else static assert(0); return t; } // this one handles horizontal tables showing just one item /// does a name/field table for just a singular object Table structToTable(T)(Document document, T s, string[] fieldsToSkip = null) if(!isArray!(T) || isAssociativeArray!(T)) { static if(__traits(compiles, s.makeHtmlTable(document))) return s.makeHtmlTable(document); else { auto t = cast(Table) document.createElement("table"); static if(is(T == struct)) { main: foreach(i, member; s.tupleof) { string name = s.tupleof[i].stringof[2..$]; foreach(f; fieldsToSkip) if(name == f) continue main; string nameS = name.idup; name = ""; foreach(idx, c; nameS) { if(c >= 'A' && c <= 'Z') name ~= " " ~ c; else if(c == '_') name ~= " "; else name ~= c; } t.appendRow(t.th(name.capitalize), to!string(member)); } } else static if(is(T == string[string])) { foreach(k, v; s){ t.appendRow(t.th(k), v); } } else static assert(0); return t; } } /// This adds a custom attribute to links in the document called qsa which modifies the values on the query string void translateQsa(Document document, Cgi cgi, string logicalScriptName = null) { if(logicalScriptName is null) logicalScriptName = cgi.scriptName; foreach(a; document.querySelectorAll("a[qsa]")) { string href = logicalScriptName ~ cgi.pathInfo ~ "?"; int matches, possibilities; string[][string] vars; foreach(k, v; cgi.getArray) vars[k] = cast(string[]) v; foreach(k, v; decodeVariablesSingle(a.qsa)) { if(k in cgi.get && cgi.get[k] == v) matches++; possibilities++; if(k !in vars || vars[k].length <= 1) vars[k] = [v]; else assert(0, "qsa doesn't work here"); } string[] clear = a.getAttribute("qsa-clear").split("&"); clear ~= "ajaxLoading"; if(a.parentNode !is null) clear ~= a.parentNode.getAttribute("qsa-clear").split("&"); bool outputted = false; varskip: foreach(k, varr; vars) { foreach(item; clear) if(k == item) continue varskip; foreach(v; varr) { if(outputted) href ~= "&"; else outputted = true; href ~= std.uri.encodeComponent(k) ~ "=" ~ std.uri.encodeComponent(v); } } a.href = href; a.removeAttribute("qsa"); if(matches == possibilities) a.addClass("current"); } } /// This uses reflection info to generate Javascript that can call the server with some ease. /// Also includes javascript base (see bottom of this file) string makeJavascriptApi(const ReflectionInfo* mod, string base, bool isNested = false) { assert(mod !is null); string script; if(0 && isNested) script = `'`~mod.name~`': { "_apiBase":'`~base~`',`; else script = `var `~mod.name~` = { "_apiBase":'`~base~`',`; script ~= javascriptBase; script ~= "\n\t"; bool[string] alreadyDone; bool outp = false; foreach(s; mod.enums) { if(outp) script ~= ",\n\t"; else outp = true; script ~= "'"~s.name~"': {\n"; bool outp2 = false; foreach(i, n; s.names) { if(outp2) script ~= ",\n"; else outp2 = true; // auto v = s.values[i]; auto v = "'" ~ n ~ "'"; // we actually want to use the name here because to!enum() uses member name. script ~= "\t\t'"~n~"':" ~ to!string(v); } script ~= "\n\t}"; } foreach(s; mod.structs) { if(outp) script ~= ",\n\t"; else outp = true; script ~= "'"~s.name~"': function("; bool outp2 = false; foreach(n; s.members) { if(outp2) script ~= ", "; else outp2 = true; script ~= n.name; } script ~= ") { return {\n"; outp2 = false; script ~= "\t\t'_arsdTypeOf':'"~s.name~"'"; if(s.members.length) script ~= ","; script ~= " // metadata, ought to be read only\n"; // outp2 is still false because I put the comma above foreach(n; s.members) { if(outp2) script ~= ",\n"; else outp2 = true; auto v = n.defaultValue; script ~= "\t\t'"~n.name~"': (typeof "~n.name~" == 'undefined') ? "~n.name~" : '" ~ to!string(v) ~ "'"; } script ~= "\n\t}; }"; } foreach(key, func; mod.functions) { if(func.originalName in alreadyDone) continue; // there's url friendly and code friendly, only need one alreadyDone[func.originalName] = true; if(outp) script ~= ",\n\t"; else outp = true; string args; string obj; bool outputted = false; /+ foreach(i, arg; func.parameters) { if(outputted) { args ~= ","; obj ~= ","; } else outputted = true; args ~= arg.name; // FIXME: we could probably do better checks here too like on type obj ~= `'`~arg.name~`':(typeof `~arg.name ~ ` == "undefined" ? this._raiseError('InsufficientParametersException', '`~func.originalName~`: argument `~to!string(i) ~ " (" ~ arg.staticType~` `~arg.name~`) is not present') : `~arg.name~`)`; } +/ /* if(outputted) args ~= ","; args ~= "callback"; */ script ~= `'` ~ func.originalName ~ `'`; script ~= ":"; script ~= `function(`~args~`) {`; if(obj.length) script ~= ` var argumentsObject = { `~obj~` }; return this._serverCall('`~key~`', argumentsObject, '`~func.returnType~`');`; else script ~= ` return this._serverCall('`~key~`', arguments, '`~func.returnType~`');`; script ~= ` }`; } script ~= "\n}"; // some global stuff to put in if(!isNested) script ~= ` if(typeof arsdGlobalStuffLoadedForWebDotD == "undefined") { arsdGlobalStuffLoadedForWebDotD = true; var oldObjectDotPrototypeDotToString = Object.prototype.toString; Object.prototype.toString = function() { if(this.formattedSecondarily) return this.formattedSecondarily; return oldObjectDotPrototypeDotToString.call(this); } } `; // FIXME: it should output the classes too // FIXME: hax hax hax foreach(n, obj; mod.objects) { script ~= ";"; //if(outp) // script ~= ",\n\t"; //else // outp = true; script ~= makeJavascriptApi(obj, base ~ n ~ "/", true); } return script; } debug string javascriptBase = ` // change this in your script to get fewer error popups "_debugMode":true,` ~ javascriptBaseImpl; else string javascriptBase = ` // change this in your script to get more details in errors "_debugMode":false,` ~ javascriptBaseImpl; /// The Javascript code used in the generated JS API. /** It provides the foundation to calling the server via background requests and handling the response in callbacks. (ajax style stuffs). The names with a leading underscore are meant to be private. Generally: YourClassName.yourMethodName(args...).operation(args); CoolApi.getABox("red").useToReplace(document.getElementById("playground")); for example. When you call a method, it doesn't make the server request. Instead, it returns an object describing the call. This means you can manipulate it (such as requesting a custom format), pass it as an argument to other functions (thus saving http requests) and finally call it at the end. The operations are: get(callback, args to callback...); See below. useToReplace(element) // pass an element reference. Example: useToReplace(document.querySelector(".name")); useToReplace(element ID : string) // you pass a string, it calls document.getElementById for you useToReplace sets the given element's innerHTML to the return value. The return value is automatically requested to be formatted as HTML. appendTo(element) appendTo(element ID : String) Adds the return value, as HTML, to the given element's inner html. useToReplaceElement(element) Replaces the given element entirely with the return value. (basically element.outerHTML = returnValue;) useToFillForm(form) Takes an object. Loop through the members, setting the form.elements[key].value = value. Does not work if the return value is not a javascript object (so use it if your function returns a struct or string[string]) getSync() Does a synchronous get and returns the server response. Not recommended. get() : The generic get() function is the most generic operation to get a response. It's arguments implement partial application for you, so you can pass just about any callback to it. Despite the name, the underlying operation may be HTTP GET or HTTP POST. This is determined from the function's server side attributes. (FIXME: implement smarter thing. Currently it actually does it by name - if the function name starts with get, do get. Else, do POST.) Usage: CoolApi.getABox('red').get(alert); // calls alert(returnedValue); so pops up the returned value CoolApi.getABox('red').get(fadeOut, this); // calls fadeOut(this, returnedValue); Since JS functions generally ignore extra params, this lets you call just about anything: CoolApi.getABox('red').get(alert, "Success"); // pops a box saying "Success", ignoring the actual return value Passing arguments to the functions let you reuse a lot of things that might not have been designed with this in mind. If you use arsd.js, there's other little functions that let you turn properties into callbacks too. Passing "this" to a callback via get is useful too since inside the callback, this probably won't refer to what you wanted. As an argument though, it all remains sane. Error Handling: D exceptions are translated into Javascript exceptions by the serverCall function. They are thrown, but since it's async, catching them is painful. It will probably show up in your browser's error console, or you can set the returned object's onerror function to something to handle it callback style. FIXME: not sure if this actually works right! */ // FIXME: this should probably be rewritten to make a constructable prototype object instead of a literal. enum string javascriptBaseImpl = q{ "_doRequest": function(url, args, callback, method, async) { var xmlHttp; try { xmlHttp=new XMLHttpRequest(); } catch (e) { try { xmlHttp=new ActiveXObject("Msxml2.XMLHTTP"); } catch (e) { xmlHttp=new ActiveXObject("Microsoft.XMLHTTP"); } } if(async) xmlHttp.onreadystatechange=function() { if(xmlHttp.readyState==4) { // either if the function is nor available or if it returns a good result, we're set. // it might get to this point without the headers if the request was aborted if(callback && (!xmlHttp.getAllResponseHeaders || xmlHttp.getAllResponseHeaders())) { callback(xmlHttp.responseText, xmlHttp.responseXML); } } } var argString = this._getArgString(args); if(method == "GET" && url.indexOf("?") == -1) url = url + "?" + argString; xmlHttp.open(method, url, async); var a = ""; var csrfKey = document.body.getAttribute("data-csrf-key"); var csrfToken = document.body.getAttribute("data-csrf-token"); var csrfPair = ""; if(csrfKey && csrfKey.length > 0 && csrfToken && csrfToken.length > 0) { csrfPair = encodeURIComponent(csrfKey) + "=" + encodeURIComponent(csrfToken); // we send this so it can be easily verified for things like restricted jsonp xmlHttp.setRequestHeader("X-Arsd-Csrf-Pair", csrfPair); } if(method == "POST") { xmlHttp.setRequestHeader("Content-type","application/x-www-form-urlencoded"); a = argString; // adding the CSRF stuff, if necessary if(csrfPair.length) { if(a.length > 0) a += "&"; a += csrfPair; } } else { xmlHttp.setRequestHeader("Content-type", "text/plain"); } xmlHttp.setRequestHeader("X-Requested-With", "XMLHttpRequest"); xmlHttp.send(a); if(!async && callback) { xmlHttp.timeout = 500; return callback(xmlHttp.responseText, xmlHttp.responseXML); } return xmlHttp; }, "_raiseError":function(type, message) { var error = new Error(message); error.name = type; throw error; }, "_getUriRelativeToBase":function(name, args) { var str = name; var argsStr = this._getArgString(args); if(argsStr.length) str += "?" + argsStr; return str; }, "_getArgString":function(args) { var a = ""; var outputted = false; var i; // wow Javascript sucks! god damned global loop variables for(i in args) { if(outputted) { a += "&"; } else outputted = true; var arg = args[i]; var argType = ""; // Make sure the types are all sane if(arg && arg._arsdTypeOf && arg._arsdTypeOf == "ServerResult") { argType = arg._arsdTypeOf; arg = this._getUriRelativeToBase(arg._serverFunction, arg._serverArguments); // this arg is a nested server call a += encodeURIComponent(i) + "="; a += encodeURIComponent(arg); } else if(arg && arg.length && typeof arg != "string") { // FIXME: are we sure this is actually an array? It might be an object with a length property... var outputtedHere = false; for(var idx = 0; idx < arg.length; idx++) { if(outputtedHere) { a += "&"; } else outputtedHere = true; // FIXME: ought to be recursive a += encodeURIComponent(i) + "="; a += encodeURIComponent(arg[idx]); } } else { // a regular argument a += encodeURIComponent(i) + "="; a += encodeURIComponent(arg); } // else if: handle arrays and objects too if(argType.length > 0) { a += "&"; a += encodeURIComponent(i + "-type") + "="; a += encodeURIComponent(argType); } } return a; }, "_onError":function(error) { throw error; }, /// returns an object that can be used to get the actual response from the server "_serverCall": function (name, passedArgs, returnType) { var me = this; // this is the Api object var args; // FIXME: is there some way to tell arguments apart from other objects? dynamic languages suck. if(!passedArgs.length) args = passedArgs; else { args = new Object(); for(var a = 0; a < passedArgs.length; a++) args["positional-arg-" + a] = passedArgs[a]; } return { // type info metadata "_arsdTypeOf":"ServerResult", "_staticType":(typeof returnType == "undefined" ? null : returnType), // Info about the thing "_serverFunction":name, "_serverArguments":args, "_moreArguments":{}, "_methodOverride":null, // lower level implementation "_get":function(callback, onError, async) { var resObj = this; // the request/response object. var me is the ApiObject. if(args == null) args = {}; if(!args.format) args.format = "json"; args.envelopeFormat = "json"; for(i in this._moreArguments) args[i] = this._moreArguments[i]; return me._doRequest(me._apiBase + name, args, function(t, xml) { /* if(me._debugMode) { try { var obj = eval("(" + t + ")"); } catch(e) { alert("Bad server json: " + e + "\nOn page: " + (me._apiBase + name) + "\nGot:\n" + t); } } else { */ var obj; if(JSON && JSON.parse) obj = JSON.parse(t); else obj = eval("(" + t + ")"); //} var returnValue; if(obj.success) { if(typeof callback == "function") callback(obj.result); else if(typeof resObj.onSuccess == "function") { resObj.onSuccess(obj.result); } else if(typeof me.onSuccess == "function") { // do we really want this? me.onSuccess(obj.result); } else { // can we automatically handle it? // If it's an element, we should replace innerHTML by ID if possible // if a callback is given and it's a string, that's an id. Return type of element // should replace that id. return type of string should be appended // FIXME: meh just do something here. } returnValue = obj.result; } else { // how should we handle the error? I guess throwing is better than nothing // but should there be an error callback too? var error = new Error(obj.errorMessage); error.name = obj.type; error.functionUrl = me._apiBase + name; error.functionArgs = args; error.errorMessage = obj.errorMessage; // myFunction.caller should be available and checked too // btw arguments.callee is like this for functions if(me._debugMode) { var ourMessage = obj.type + ": " + obj.errorMessage + "\nOn: " + me._apiBase + name; if(args.toSource) ourMessage += args.toSource(); if(args.stack) ourMessage += "\n" + args.stack; error.message = ourMessage; // alert(ourMessage); } if(onError) // local override first... returnValue = onError(error); else if(resObj.onError) // then this object returnValue = resObj.onError(error); else if(me._onError) // then the global object returnValue = me._onError(error); else throw error; // if all else fails... } if(typeof resObj.onComplete == "function") { resObj.onComplete(); } if(typeof me._onComplete == "function") { me._onComplete(resObj); } return returnValue; // assert(0); // not reached }, this._methodOverride === null ? ((name.indexOf("get") == 0) ? "GET" : "POST") : this._methodOverride, async); // FIXME: hack: naming convention used to figure out method to use }, // should pop open the thing in HTML format // "popup":null, // FIXME not implemented "onError":null, // null means call the global one "onSuccess":null, // a generic callback. generally pass something to get instead. "formatSet":false, // is the format overridden? // gets the result. Works automatically if you don't pass a callback. // You can also curry arguments to your callback by listing them here. The // result is put on the end of the arg list to the callback "get":function(callbackObj) { var callback = null; var errorCb = null; var callbackThis = null; if(callbackObj) { if(typeof callbackObj == "function") callback = callbackObj; else { if(callbackObj.length) { // array callback = callbackObj[0]; if(callbackObj.length >= 2) errorCb = callbackObj[1]; } else { if(callbackObj.onSuccess) callback = callbackObj.onSuccess; if(callbackObj.onError) errorCb = callbackObj.onError; if(callbackObj.self) callbackThis = callbackObj.self; else callbackThis = callbackObj; } } } if(arguments.length > 1) { var ourArguments = []; for(var a = 1; a < arguments.length; a++) ourArguments.push(arguments[a]); function cb(obj, xml) { ourArguments.push(obj); ourArguments.push(xml); // that null is the this object inside the function... can // we make that work? return callback.apply(callbackThis, ourArguments); } function cberr(err) { ourArguments.unshift(err); // that null is the this object inside the function... can // we make that work? return errorCb.apply(callbackThis, ourArguments); } this._get(cb, errorCb ? cberr : null, true); } else { this._get(callback, errorCb, true); } }, // If you need a particular format, use this. "getFormat":function(format /* , same args as get... */) { this.format(format); var forwardedArgs = []; for(var a = 1; a < arguments.length; a++) forwardedArgs.push(arguments[a]); this.get.apply(this, forwardedArgs); }, // sets the format of the request so normal get uses it // myapi.someFunction().format('table').get(...); // see also: getFormat and getHtml // the secondaryFormat only makes sense if format is json. It // sets the format returned by object.toString() in the returned objects. "format":function(format, secondaryFormat) { if(args == null) args = {}; args.format = format; if(typeof secondaryFormat == "string" && secondaryFormat) { if(format != "json") me._raiseError("AssertError", "secondaryFormat only works if format == json"); args.secondaryFormat = secondaryFormat; } this.formatSet = true; return this; }, "getHtml":function(/* args to get... */) { this.format("html"); this.get.apply(this, arguments); }, // FIXME: add post aliases // don't use unless you're deploying to localhost or something "getSync":function() { function cb(obj) { // no nothing, we're returning the value below } return this._get(cb, null, false); }, // takes the result and appends it as html to the given element // FIXME: have a type override "appendTo":function(what) { if(!this.formatSet) this.format("html"); this.get(me._appendContent(what)); }, // use it to replace the content of the given element "useToReplace":function(what) { if(!this.formatSet) this.format("html"); this.get(me._replaceContent(what)); }, // use to replace the given element altogether "useToReplaceElement":function(what) { if(!this.formatSet) this.format("html"); this.get(me._replaceElement(what)); }, "useToFillForm":function(what) { this.get(me._fillForm(what)); }, "setValue":function(key, value) { this._moreArguments[key] = value; return this; }, "setMethod":function(method) { this._methodOverride = method; return this; } // runAsScript has been removed, use get(eval) instead // FIXME: might be nice to have an automatic popin function too }; }, "_fillForm": function(what) { var e = this._getElement(what); if(this._isListOfNodes(e)) alert("FIXME: list of forms not implemented"); else return function(obj) { if(e.elements && typeof obj == "object") { for(i in obj) if(e.elements[i]) e.elements[i].value = obj[i]; // FIXME: what about checkboxes, selects, etc? } else throw new Error("unsupported response"); }; }, "_getElement": function(what) { // FIXME: what about jQuery users? If they do useToReplace($("whatever")), we ought to do what we can with it for the most seamless experience even if I loathe that bloat. // though I guess they should be ok in doing $("whatever")[0] or maybe $("whatever").get() so not too awful really. var e; if(typeof what == "string") e = document.getElementById(what); else e = what; return e; }, "_isListOfNodes": function(what) { // length is on both arrays and lists, but some elements // have it too. We disambiguate with getAttribute return (what && (what.length && !what.getAttribute)) }, // These are some convenience functions to use as callbacks "_replaceContent": function(what) { var e = this._getElement(what); var me = this; if(this._isListOfNodes(e)) return function(obj) { // I do not want scripts accidentally running here... for(var a = 0; a < e.length; a++) { if( (e[a].tagName.toLowerCase() == "input" && e[a].getAttribute("type") == "text") || e[a].tagName.toLowerCase() == "textarea") { e[a].value = obj; } else e[a].innerHTML = obj; } } else return function(obj) { var data = me._extractHtmlScript(obj); if( (e.tagName.toLowerCase() == "input" && e.getAttribute("type") == "text") || e.tagName.toLowerCase() == "textarea") { e.value = obj; // might want script looking thing as a value } else e.innerHTML = data[0]; if(me._wantScriptExecution && data[1].length) eval(data[1]); } }, // note: what must be only a single element, FIXME: could check the static type "_replaceElement": function(what) { var e = this._getElement(what); if(this._isListOfNodes(e)) throw new Error("Can only replace individual elements since removal from a list may be unstable."); var me = this; return function(obj) { var data = me._extractHtmlScript(obj); var n = document.createElement("div"); n.innerHTML = data[0]; if(n.firstChild) { e.parentNode.replaceChild(n.firstChild, e); } else { e.parentNode.removeChild(e); } if(me._wantScriptExecution && data[1].length) eval(data[1]); } }, "_appendContent": function(what) { var e = this._getElement(what); var me = this; if(this._isListOfNodes(e)) // FIXME: repeating myself... return function(obj) { var data = me._extractHtmlScript(obj); for(var a = 0; a < e.length; a++) e[a].innerHTML += data[0]; if(me._wantScriptExecution && data[1].length) eval(data[1]); } else return function(obj) { var data = me._extractHtmlScript(obj); e.innerHTML += data[0]; if(me._wantScriptExecution && data[1].length) eval(data[1]); } }, "_extractHtmlScript": function(response) { var scriptRegex = new RegExp("