From 5b816cb7e7918c23990cada82dfb68a273a0037c Mon Sep 17 00:00:00 2001 From: "Adam D. Ruppe" Date: Sat, 11 Aug 2012 00:24:04 -0400 Subject: [PATCH] catching up on lots of changes. --- cgi.d | 115 ++-- characterencodings.d | 2 +- color.d | 68 ++- curl.d | 9 +- database.d | 92 +++- dom.d | 1248 +++++++++++++++++++++++++----------------- domconvenience.d | 6 + html.d | 138 ++++- mysql.d | 7 + png.d | 18 +- rtud.d | 17 +- sha.d | 2 +- web.d | 224 ++++++-- 13 files changed, 1325 insertions(+), 621 deletions(-) create mode 100644 domconvenience.d diff --git a/cgi.d b/cgi.d index bd3cbc5..bf236e8 100644 --- a/cgi.d +++ b/cgi.d @@ -421,6 +421,58 @@ class Cgi { PostParserState pps; } + /// This represents a file the user uploaded via a POST request. + static struct UploadedFile { + /// If you want to create one of these structs for yourself from some data, + /// use this function. + static UploadedFile fromData(immutable(void)[] data, string name = null) { + Cgi.UploadedFile f; + f.filename = name; + f.content = cast(immutable(ubyte)[]) data; + f.contentInMemory = true; + return f; + } + + string name; /// The name of the form element. + string filename; /// The filename the user set. + string contentType; /// The MIME type the user's browser reported. (Not reliable.) + + /** + For small files, cgi.d will buffer the uploaded file in memory, and make it + directly accessible to you through the content member. I find this very convenient + and somewhat efficient, since it can avoid hitting the disk entirely. (I + often want to inspect and modify the file anyway!) + + I find the file is very large, it is undesirable to eat that much memory just + for a file buffer. In those cases, if you pass a large enough value for maxContentLength + to the constructor so they are accepted, cgi.d will write the content to a temporary + file that you can re-read later. + + You can override this behavior by subclassing Cgi and overriding the protected + handlePostChunk method. Note that the object is not initialized when you + write that method - the http headers are available, but the cgi.post method + is not. You may parse the file as it streams in using this method. + + + Anyway, if the file is small enough to be in memory, contentInMemory will be + set to true, and the content is available in the content member. + + If not, contentInMemory will be set to false, and the content saved in a file, + whose name will be available in the contentFilename member. + + + Tip: if you know you are always dealing with small files, and want the convenience + of ignoring this member, construct Cgi with a small maxContentLength. Then, if + a large file comes in, it simply throws an exception (and HTTP error response) + instead of trying to handle it. + + The default value of maxContentLength in the constructor is for small files. + */ + bool contentInMemory = true; // the default ought to always be true + immutable(ubyte)[] content; /// The actual content of the file, if contentInMemory == true + string contentFilename; /// the file where we dumped the content, if contentInMemory == false. Note that if you want to keep it, you MUST move the file, since otherwise it is considered garbage when cgi is disposed. + } + // given a content type and length, decide what we're going to do with the data.. protected void prepareForIncomingDataChunks(string contentType, ulong contentLength) { pps.expectedLength = contentLength; @@ -840,10 +892,11 @@ class Cgi { // streaming parser import al = std.algorithm; - auto idx = al.indexOf(inputData.front(), "\r\n\r\n"); + // FIXME: tis cast is technically wrong, but Phobos deprecated al.indexOf... for some reason. + auto idx = indexOf(cast(string) inputData.front(), "\r\n\r\n"); while(idx == -1) { inputData.popFront(0); - idx = al.indexOf(inputData.front(), "\r\n\r\n"); + idx = indexOf(cast(string) inputData.front(), "\r\n\r\n"); } assert(idx != -1); @@ -1047,58 +1100,6 @@ class Cgi { return null; } - - /// This represents a file the user uploaded via a POST request. - static struct UploadedFile { - /// If you want to create one of these structs for yourself from some data, - /// use this function. - static UploadedFile fromData(immutable(void)[] data) { - Cgi.UploadedFile f; - f.content = cast(immutable(ubyte)[]) data; - f.contentInMemory = true; - return f; - } - - string name; /// The name of the form element. - string filename; /// The filename the user set. - string contentType; /// The MIME type the user's browser reported. (Not reliable.) - - /** - For small files, cgi.d will buffer the uploaded file in memory, and make it - directly accessible to you through the content member. I find this very convenient - and somewhat efficient, since it can avoid hitting the disk entirely. (I - often want to inspect and modify the file anyway!) - - I find the file is very large, it is undesirable to eat that much memory just - for a file buffer. In those cases, if you pass a large enough value for maxContentLength - to the constructor so they are accepted, cgi.d will write the content to a temporary - file that you can re-read later. - - You can override this behavior by subclassing Cgi and overriding the protected - handlePostChunk method. Note that the object is not initialized when you - write that method - the http headers are available, but the cgi.post method - is not. You may parse the file as it streams in using this method. - - - Anyway, if the file is small enough to be in memory, contentInMemory will be - set to true, and the content is available in the content member. - - If not, contentInMemory will be set to false, and the content saved in a file, - whose name will be available in the contentFilename member. - - - Tip: if you know you are always dealing with small files, and want the convenience - of ignoring this member, construct Cgi with a small maxContentLength. Then, if - a large file comes in, it simply throws an exception (and HTTP error response) - instead of trying to handle it. - - The default value of maxContentLength in the constructor is for small files. - */ - bool contentInMemory = true; // the default ought to always be true - immutable(ubyte)[] content; /// The actual content of the file, if contentInMemory == true - string contentFilename; /// the file where we dumped the content, if contentInMemory == false. Note that if you want to keep it, you MUST move the file, since otherwise it is considered garbage when cgi is disposed. - } - /// Very simple method to require a basic auth username and password. /// If the http request doesn't include the required credentials, it throws a /// HTTP 401 error, and an exception. @@ -1988,7 +1989,7 @@ mixin template CustomCgiMain(CustomCgi, alias fun, T...) if(is(CustomCgi : Cgi)) more_data: auto chunk = range.front(); // waiting for colon for header length - auto idx = al.indexOf(chunk, ':'); + auto idx = indexOf(cast(string) chunk, ':'); if(idx == -1) { range.popFront(); goto more_data; @@ -2063,6 +2064,8 @@ mixin template CustomCgiMain(CustomCgi, alias fun, T...) if(is(CustomCgi : Cgi)) } } else version(fastcgi) { + // SetHandler fcgid-script + FCGX_Stream* input, output, error; FCGX_ParamArray env; @@ -2421,7 +2424,7 @@ void sendAll(Socket s, const(void)[] data) { do { amount = s.send(data); if(amount == Socket.ERROR) - throw new Exception("wtf in send: " ~ lastSocketError()); + throw new Exception("wtf in send: " ~ lastSocketError); assert(amount > 0); data = data[amount .. $]; } while(data.length); diff --git a/characterencodings.d b/characterencodings.d index 8824883..d9c540b 100644 --- a/characterencodings.d +++ b/characterencodings.d @@ -117,7 +117,7 @@ string tryToDetermineEncoding(in ubyte[] rawdata) { validate!string(cast(string) rawdata); // the odds of non stuff validating as utf-8 are pretty low return "UTF-8"; - } catch(UtfException t) { + } catch(UTFException t) { // it's definitely not UTF-8! // we'll look at the first few characters. If there's a // BOM, it's probably UTF-16 or UTF-32 diff --git a/color.d b/color.d index 11c5e3f..7fe4634 100644 --- a/color.d +++ b/color.d @@ -98,7 +98,7 @@ Color fromHsl(real h, real s, real l) { 255); } -real[3] toHsl(Color c) { +real[3] toHsl(Color c, bool useWeightedLightness = false) { real r1 = cast(real) c.r / 255; real g1 = cast(real) c.g / 255; real b1 = cast(real) c.b / 255; @@ -107,6 +107,11 @@ real[3] toHsl(Color c) { real minColor = min(r1, g1, b1); real L = (maxColor + minColor) / 2 ; + if(useWeightedLightness) { + // the colors don't affect the eye equally + // this is a little more accurate than plain HSL numbers + L = 0.2126*r1 + 0.7152*g1 + 0.0722*b1; + } real S = 0; real H = 0; if(maxColor != minColor) { @@ -153,8 +158,12 @@ Color moderate(Color c, real percentage) { auto hsl = toHsl(c); if(hsl[2] > 0.5) hsl[2] *= (1 - percentage); - else - hsl[2] *= (1 + percentage); + else { + if(hsl[2] <= 0.01) // if we are given black, moderating it means getting *something* out + hsl[2] = percentage; + else + hsl[2] *= (1 + percentage); + } if(hsl[2] > 1) hsl[2] = 1; return fromHsl(hsl); @@ -162,7 +171,7 @@ Color moderate(Color c, real percentage) { /// the opposite of moderate. Make darks darker and lights lighter Color extremify(Color c, real percentage) { - auto hsl = toHsl(c); + auto hsl = toHsl(c, true); if(hsl[2] < 0.5) hsl[2] *= (1 - percentage); else @@ -186,6 +195,15 @@ Color oppositeLightness(Color c) { return fromHsl(hsl); } +/// Try to determine a text color - either white or black - based on the input +Color makeTextColor(Color c) { + auto hsl = toHsl(c, true); // give green a bonus for contrast + if(hsl[2] > 0.5) + return Color(0, 0, 0); + else + return Color(255, 255, 255); +} + Color setLightness(Color c, real lightness) { auto hsl = toHsl(c); hsl[2] = lightness; @@ -296,3 +314,45 @@ ubyte makeAlpha(ubyte colorYouHave, ubyte backgroundColor/*, ubyte foreground = return 255; return cast(ubyte) alphaf; } + + +int fromHex(string s) { + import std.range; + int result = 0; + + int exp = 1; + foreach(c; retro(s)) { + if(c >= 'A' && c <= 'F') + result += exp * (c - 'A' + 10); + else if(c >= 'a' && c <= 'f') + result += exp * (c - 'a' + 10); + else if(c >= '0' && c <= '9') + result += exp * (c - '0'); + else + throw new Exception("invalid hex character: " ~ cast(char) c); + + exp *= 16; + } + + return result; +} + +Color colorFromString(string s) { + if(s.length == 0) + return Color(0,0,0,255); + if(s[0] == '#') + s = s[1..$]; + assert(s.length == 6 || s.length == 8); + + Color c; + + c.r = cast(ubyte) fromHex(s[0..2]); + c.g = cast(ubyte) fromHex(s[2..4]); + c.b = cast(ubyte) fromHex(s[4..6]); + if(s.length == 8) + c.a = cast(ubyte) fromHex(s[6..8]); + else + c.a = 255; + + return c; +} diff --git a/curl.d b/curl.d index fcd9606..a1cc96e 100644 --- a/curl.d +++ b/curl.d @@ -106,7 +106,7 @@ string curlAuth(string url, string data = null, string username = null, string p int res; - //curl_easy_setopt(curl, CURLOPT_VERBOSE, 1); + // curl_easy_setopt(curl, CURLOPT_VERBOSE, 1); res = curl_easy_setopt(curl, CURLOPT_URL, std.string.toStringz(url)); if(res != 0) throw new CurlException(res); @@ -122,6 +122,7 @@ string curlAuth(string url, string data = null, string username = null, string p curl_slist* headers = null; //if(data !is null) // contentType = ""; + if(contentType.length) headers = curl_slist_append(headers, toStringz("Content-Type: " ~ contentType)); foreach(h; customHeaders) { @@ -157,8 +158,10 @@ string curlAuth(string url, string data = null, string username = null, string p //res = curl_easy_setopt(curl, 81, 0); // FIXME verify host //if(res != 0) throw new CurlException(res); - res = curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1); - if(res != 0) throw new CurlException(res); + version(no_curl_follow) {} else { + res = curl_easy_setopt(curl, CURLOPT_FOLLOWLOCATION, 1); + if(res != 0) throw new CurlException(res); + } if(methodOverride !is null) { switch(methodOverride) { diff --git a/database.d b/database.d index e55c05d..a487d20 100644 --- a/database.d +++ b/database.d @@ -142,6 +142,90 @@ class DatabaseException : Exception { +abstract class SqlBuilder { } + +/// WARNING: this is as susceptible to SQL injections as you would be writing it out by hand +class SelectBuilder : SqlBuilder { + string[] fields; + string table; + string[] joins; + string[] wheres; + string[] orderBys; + string[] groupBys; + + int limit; + int limitStart; + + string toString() { + string sql = "SELECT "; + + // the fields first + { + bool outputted = false; + foreach(field; fields) { + if(outputted) + sql ~= ", "; + else + outputted = true; + + sql ~= field; // "`" ~ field ~ "`"; + } + } + + sql ~= " FROM " ~ table; + + if(joins.length) { + foreach(join; joins) + sql ~= " " ~ join; + } + + if(wheres.length) { + bool outputted = false; + sql ~= " WHERE "; + foreach(w; wheres) { + if(outputted) + sql ~= " AND "; + else + outputted = true; + sql ~= "(" ~ w ~ ")"; + } + } + + if(groupBys.length) { + bool outputted = false; + sql ~= " GROUP BY "; + foreach(o; groupBys) { + if(outputted) + sql ~= ", "; + else + outputted = true; + sql ~= o; + } + } + + if(orderBys.length) { + bool outputted = false; + sql ~= " ORDER BY "; + foreach(o; orderBys) { + if(outputted) + sql ~= ", "; + else + outputted = true; + sql ~= o; + } + } + + if(limit) { + sql ~= " LIMIT "; + if(limitStart) + sql ~= to!string(limitStart) ~ ", "; + sql ~= to!string(limit); + } + + return sql; + } +} + // /////////////////////////////////////////////////////// @@ -464,12 +548,12 @@ class DataObject { Tuple!(string, string)[string] mappings; // vararg hack so property assignment works right, even with null - string opDispatch(string field)(...) + string opDispatch(string field, string file = __FILE__, size_t line = __LINE__)(...) if((field.length < 8 || field[0..8] != "id_from_") && field != "popFront") { if(_arguments.length == 0) { if(field !in fields) - throw new Exception("no such field " ~ field); + throw new Exception("no such field " ~ field, file, line); return fields[field]; } else if(_arguments.length == 1) { @@ -513,6 +597,10 @@ class DataObject { fields[field] = value; } + public void setWithoutChange(string field, string value) { + fields[field] = value; + } + int opApply(int delegate(ref string) dg) { foreach(a; fields) mixin(yield("a")); diff --git a/dom.d b/dom.d index ac95ca2..16ceee2 100644 --- a/dom.d +++ b/dom.d @@ -20,40 +20,432 @@ */ module arsd.dom; -// NOTE: do *NOT* override toString on Element subclasses. It won't work. -// Instead, override writeToAppender(); +// public import arsd.domconvenience; // merged for now -// FIXME: should I keep processing instructions like and (comments too lol)? I *want* them stripped out of most my output, but I want to be able to parse and create them too. +/* domconvenience follows { */ -// Stripping them is useful for reading php as html.... but adding them -// is good for building php. - -// I need to maintain compatibility with the way it is now too. - -import arsd.characterencodings; import std.string; -import std.exception; -import std.uri; -import std.array; -import std.range; -//import std.stdio; +// the reason this is separated is so I can plug it into D->JS as well, which uses a different base Element class -// tag soup works for most the crap I know now! If you have two bad closing tags back to back, it might erase one, but meh -// that's rarer than the flipped closing tags that hack fixes so I'm ok with it. (Odds are it should be erased anyway; it's -// most likely a typo so I say kill kill kill. +import arsd.dom; + +mixin template DomConvenienceFunctions() { + + /// Calls getElementById, but throws instead of returning null if the element is not found. You can also ask for a specific subclass of Element to dynamically cast to, which also throws if it cannot be done. + final SomeElementType requireElementById(SomeElementType = Element)(string id, string file = __FILE__, size_t line = __LINE__) + if( + is(SomeElementType : Element) + ) + out(ret) { + assert(ret !is null); + } + body { + auto e = cast(SomeElementType) getElementById(id); + if(e is null) + throw new ElementNotFoundException(SomeElementType.stringof, "id=" ~ id, file, line); + return e; + } + + /// ditto but with selectors instead of ids + final SomeElementType requireSelector(SomeElementType = Element)(string selector, string file = __FILE__, size_t line = __LINE__) + if( + is(SomeElementType : Element) + ) + out(ret) { + assert(ret !is null); + } + body { + auto e = cast(SomeElementType) querySelector(selector); + if(e is null) + throw new ElementNotFoundException(SomeElementType.stringof, selector, file, line); + return e; + } -/// This might belong in another module, but it represents a file with a mime type and some data. -/// Document implements this interface with type = text/html (see Document.contentType for more info) -/// and data = document.toString, so you can return Documents anywhere web.d expects FileResources. -interface FileResource { - string contentType() const; /// the content-type of the file. e.g. "text/html; charset=utf-8" or "image/png" - immutable(ubyte)[] getData() const; /// the data + + + /// get all the classes on this element + @property string[] classes() { + return split(className, " "); + } + + /// Adds a string to the class attribute. The class attribute is used a lot in CSS. + Element addClass(string c) { + if(hasClass(c)) + return this; // don't add it twice + + string cn = getAttribute("class"); + if(cn.length == 0) { + setAttribute("class", c); + return this; + } else { + setAttribute("class", cn ~ " " ~ c); + } + + return this; + } + + /// Removes a particular class name. + Element removeClass(string c) { + if(!hasClass(c)) + return this; + string n; + foreach(name; classes) { + if(c == name) + continue; // cut it out + if(n.length) + n ~= " "; + n ~= name; + } + + className = n.strip; + + return this; + } + + /// Returns whether the given class appears in this element. + bool hasClass(string c) { + auto cn = className; + + auto idx = cn.indexOf(c); + if(idx == -1) + return false; + + foreach(cla; cn.split(" ")) + if(cla == c) + return true; + return false; + + /* + int rightSide = idx + c.length; + + bool checkRight() { + if(rightSide == cn.length) + return true; // it's the only class + else if(iswhite(cn[rightSide])) + return true; + return false; // this is a substring of something else.. + } + + if(idx == 0) { + return checkRight(); + } else { + if(!iswhite(cn[idx - 1])) + return false; // substring + return checkRight(); + } + + assert(0); + */ + } + + + /* ******************************* + DOM Mutation + *********************************/ + + /// Removes all inner content from the tag; all child text and elements are gone. + void removeAllChildren() + out { + assert(this.children.length == 0); + } + body { + children = null; + } + /// convenience function to quickly add a tag with some text or + /// other relevant info (for example, it's a src for an element + /// instead of inner text) + Element addChild(string tagName, string childInfo = null, string childInfo2 = null) + in { + assert(tagName !is null); + } + out(e) { + assert(e.parentNode is this); + assert(e.parentDocument is this.parentDocument); + } + body { + auto e = Element.make(tagName, childInfo, childInfo2); + // FIXME (maybe): if the thing is self closed, we might want to go ahead and + // return the parent. That will break existing code though. + return appendChild(e); + } + + /// Another convenience function. Adds a child directly after the current one, returning + /// the new child. + /// + /// Between this, addChild, and parentNode, you can build a tree as a single expression. + Element addSibling(string tagName, string childInfo = null, string childInfo2 = null) + in { + assert(tagName !is null); + assert(parentNode !is null); + } + out(e) { + assert(e.parentNode is this.parentNode); + assert(e.parentDocument is this.parentDocument); + } + body { + auto e = Element.make(tagName, childInfo, childInfo2); + return parentNode.insertAfter(this, e); + } + + + /// Convenience function to append text intermixed with other children. + /// For example: div.addChildren("You can visit my website by ", new Link("mysite.com", "clicking here"), "."); + /// or div.addChildren("Hello, ", user.name, "!"); + + /// See also: appendHtml. This might be a bit simpler though because you don't have to think about escaping. + void addChildren(T...)(T t) { + foreach(item; t) { + static if(is(item : Element)) + appendChild(item); + else static if (is(isSomeString!(item))) + appendText(to!string(item)); + else static assert(0, "Cannot pass " ~ typeof(item).stringof ~ " to addChildren"); + } + } + + ///. + Element addChild(string tagName, Element firstChild) + in { + assert(firstChild !is null); + } + out(ret) { + assert(ret !is null); + assert(ret.parentNode is this); + assert(firstChild.parentNode is ret); + + assert(ret.parentDocument is this.parentDocument); + //assert(firstChild.parentDocument is this.parentDocument); + } + body { + auto e = Element.make(tagName); + e.appendChild(firstChild); + this.appendChild(e); + return e; + } + + Element addChild(string tagName, Html innerHtml) + in { + } + out(ret) { + assert(ret !is null); + assert(ret.parentNode is this); + assert(ret.parentDocument is this.parentDocument); + } + body { + auto e = Element.make(tagName); + this.appendChild(e); + e.innerHTML = innerHtml.source; + return e; + } + + + /// . + void appendChildren(Element[] children) { + foreach(ele; children) + appendChild(ele); + } + + ///. + void reparent(Element newParent) + in { + assert(newParent !is null); + assert(parentNode !is null); + } + out { + assert(this.parentNode is newParent); + //assert(isInArray(this, newParent.children)); + } + body { + parentNode.removeChild(this); + newParent.appendChild(this); + } + + /** + Strips this tag out of the document, putting its inner html + as children of the parent. + + For example, given:

hello there

, if you + call stripOut() on the b element, you'll be left with +

hello there

. + + The idea here is to make it easy to get rid of garbage + markup you aren't interested in. + */ + void stripOut() + in { + assert(parentNode !is null); + } + out { + assert(parentNode is null); + assert(children.length == 0); + } + body { + foreach(c; children) + c.parentNode = null; // remove the parent + if(children.length) + parentNode.replaceChild(this, this.children); + else + parentNode.removeChild(this); + this.children.length = 0; // we reparented them all above + } + + /// shorthand for this.parentNode.removeChild(this) with parentNode null check + /// if the element already isn't in a tree, it does nothing. + Element removeFromTree() + in { + + } + out(var) { + assert(this.parentNode is null); + assert(var is this); + } + body { + if(this.parentNode is null) + return this; + + this.parentNode.removeChild(this); + + return this; + } + + /// Wraps this element inside the given element. + /// It's like this.replaceWith(what); what.appendchild(this); + /// + /// Given: < b >cool, if you call b.wrapIn(new Link("site.com", "my site is ")); + /// you'll end up with: < a href="site.com">my site is < b >cool< /b >. + Element wrapIn(Element what) + in { + assert(what !is null); + } + out(ret) { + assert(this.parentNode is what); + assert(ret is what); + } + body { + this.replaceWith(what); + what.appendChild(this); + + return what; + } + + /// Replaces this element with something else in the tree. + Element replaceWith(Element e) + in { + assert(this.parentNode !is null); + } + body { + e.removeFromTree(); + this.parentNode.replaceChild(this, e); + return e; + } + + /** + Splits the className into an array of each class given + */ + string[] classNames() const { + return className().split(" "); + } + + /** + Fetches the first consecutive nodes, if text nodes, concatenated together + + If the first node is not text, returns null. + + See also: directText, innerText + */ + string firstInnerText() const { + string s; + foreach(child; children) { + if(child.nodeType != NodeType.Text) + break; + + s ~= child.nodeValue(); + } + return s; + } + + + /** + Returns the text directly under this element, + not recursively like innerText. + + See also: firstInnerText + */ + @property string directText() { + string ret; + foreach(e; children) { + if(e.nodeType == NodeType.Text) + ret ~= e.nodeValue(); + } + + return ret; + } + + /** + Sets the direct text, keeping the same place. + + Unlike innerText, this does *not* remove existing + elements in the element. + + It only replaces the first text node it sees. + + If there are no text nodes, it calls appendText + + So, given (ignore the spaces in the tags): + < div > < img > text here < /div > + + it will keep the img, and replace the "text here". + */ + @property void directText(string text) { + foreach(e; children) { + if(e.nodeType == NodeType.Text) { + auto it = cast(TextNode) e; + it.contents = text; + return; + } + } + + appendText(text); + } } +// I'm just dicking around with this +struct ElementCollection { + this(Element e) { + elements = [e]; + } + + this(Element[] e) { + elements = e; + } + + Element[] elements; + //alias elements this; // let it implicitly convert to the underlying array + + ElementCollection opIndex(string selector) { + ElementCollection ec; + foreach(e; elements) + ec.elements ~= e.getElementsBySelector(selector); + return ec; + } + + /// Forward method calls to each individual element of the collection + /// returns this so it can be chained. + ElementCollection opDispatch(string name, T...)(T t) { + foreach(e; elements) { + mixin("e." ~ name)(t); + } + return this; + } + + ElementCollection opBinary(string op : "~")(ElementCollection rhs) { + return ElementCollection(this.elements ~ rhs.elements); + } +} // this puts in operators and opDispatch to handle string indexes and properties, forwarding to get and set functions. @@ -132,6 +524,8 @@ struct ElementStyle { _attribute = ""; foreach(k, v; r) { + if(v is null) + continue; if(_attribute.length) _attribute ~= " "; _attribute ~= k ~ ": " ~ v ~ ";"; @@ -151,7 +545,7 @@ struct ElementStyle { string[string] rules() const { string[string] ret; - foreach(rule; _attribute().split(";")) { + foreach(rule; _attribute.split(";")) { rule = rule.strip(); if(rule.length == 0) continue; @@ -172,6 +566,92 @@ struct ElementStyle { mixin JavascriptStyleDispatch!(); } +/// Converts a camel cased propertyName to a css style dashed property-name +string unCamelCase(string a) { + string ret; + foreach(c; a) + if((c >= 'A' && c <= 'Z')) + ret ~= "-" ~ toLower("" ~ c)[0]; + else + ret ~= c; + return ret; +} + +/// Translates a css style property-name to a camel cased propertyName +string camelCase(string a) { + string ret; + bool justSawDash = false; + foreach(c; a) + if(c == '-') { + justSawDash = true; + } else { + if(justSawDash) { + justSawDash = false; + ret ~= toUpper("" ~ c); + } else + ret ~= c; + } + return ret; +} + + + + + + + + + +// domconvenience ends } + + + + + + + + + + + +// @safe: + +// NOTE: do *NOT* override toString on Element subclasses. It won't work. +// Instead, override writeToAppender(); + +// FIXME: should I keep processing instructions like and (comments too lol)? I *want* them stripped out of most my output, but I want to be able to parse and create them too. + +// Stripping them is useful for reading php as html.... but adding them +// is good for building php. + +// I need to maintain compatibility with the way it is now too. + +import arsd.characterencodings; + +import std.string; +import std.exception; +import std.uri; +import std.array; +import std.range; + +//import std.stdio; + +// tag soup works for most the crap I know now! If you have two bad closing tags back to back, it might erase one, but meh +// that's rarer than the flipped closing tags that hack fixes so I'm ok with it. (Odds are it should be erased anyway; it's +// most likely a typo so I say kill kill kill. + + +/// This might belong in another module, but it represents a file with a mime type and some data. +/// Document implements this interface with type = text/html (see Document.contentType for more info) +/// and data = document.toString, so you can return Documents anywhere web.d expects FileResources. +interface FileResource { + string contentType() const; /// the content-type of the file. e.g. "text/html; charset=utf-8" or "image/png" + immutable(ubyte)[] getData() const; /// the data +} + + + + ///. enum NodeType { Text = 3 } @@ -189,6 +669,8 @@ body { /// This represents almost everything in the DOM. class Element { + mixin DomConvenienceFunctions!(); + // this is a thing so i can remove observer support if it gets slow // I have not implemented all these yet private void sendObserverEvent(DomMutationOperations operation, string s1 = null, string s2 = null, Element r = null, Element r2 = null) { @@ -255,6 +737,10 @@ class Element { Element e; // want to create the right kind of object for the given tag... switch(tagName) { + case "#text": + e = new TextNode(null, childInfo); + return e; + break; case "table": e = new Table(null); break; @@ -314,6 +800,11 @@ class Element { if(childInfo2 !is null) e.value = childInfo2; break; + case "button": + e.innerText = childInfo; + if(childInfo2 !is null) + e.type = childInfo2; + break; case "a": e.innerText = childInfo; if(childInfo2 !is null) @@ -338,6 +829,18 @@ class Element { return e; } + static Element make(string tagName, Html innerHtml, string childInfo2 = null) { + auto m = Element.make(tagName, cast(string) null, childInfo2); + m.innerHTML = innerHtml.source; + return m; + } + + static Element make(string tagName, Element child, string childInfo2 = null) { + auto m = Element.make(tagName, cast(string) null, childInfo2); + m.appendChild(child); + return m; + } + /// Generally, you don't want to call this yourself - use Element.make or document.createElement instead. this(Document _parentDocument, string _tagName, string[string] _attributes = null, bool _selfClosed = false) { @@ -476,36 +979,6 @@ class Element { return null; } - ///. - final SomeElementType requireElementById(SomeElementType = Element, string file = __FILE__, int line = __LINE__)(string id) - if( - is(SomeElementType : Element) - ) - out(ret) { - assert(ret !is null); - } - body { - auto e = cast(SomeElementType) getElementById(id); - if(e is null) - throw new ElementNotFoundException(SomeElementType.stringof, "id=" ~ id, file, line); - return e; - } - - ///. - final SomeElementType requireSelector(SomeElementType = Element, string file = __FILE__, int line = __LINE__)(string selector) - if( - is(SomeElementType : Element) - ) - out(ret) { - assert(ret !is null); - } - body { - auto e = cast(SomeElementType) querySelector(selector); - if(e is null) - throw new ElementNotFoundException(SomeElementType.stringof, selector, file, line); - return e; - } - /// Note: you can give multiple selectors, separated by commas. /// It will return the first match it finds. Element querySelector(string selector) { @@ -672,7 +1145,7 @@ class Element { Gets the class attribute's contents. Returns an empty string if it has no class. */ - string className() const { + @property string className() const { auto c = getAttribute("class"); if(c is null) return ""; @@ -680,7 +1153,7 @@ class Element { } ///. - Element className(string c) { + @property Element className(string c) { setAttribute("class", c); return this; } @@ -711,82 +1184,6 @@ class Element { return children; } - /// get all the classes on this element - @property string[] classes() { - return split(className, " "); - } - - /// Adds a string to the class attribute. The class attribute is used a lot in CSS. - Element addClass(string c) { - if(hasClass(c)) - return this; // don't add it twice - - string cn = getAttribute("class"); - if(cn.length == 0) { - setAttribute("class", c); - return this; - } else { - setAttribute("class", cn ~ " " ~ c); - } - - return this; - } - - /// Removes a particular class name. - Element removeClass(string c) { - if(!hasClass(c)) - return this; - string n; - foreach(name; classes) { - if(c == name) - continue; // cut it out - if(n.length) - n ~= " "; - n ~= name; - } - - className = n.strip; - - return this; - } - - /// Returns whether the given class appears in this element. - bool hasClass(string c) { - auto cn = className; - - auto idx = cn.indexOf(c); - if(idx == -1) - return false; - - foreach(cla; cn.split(" ")) - if(cla == c) - return true; - return false; - - /* - int rightSide = idx + c.length; - - bool checkRight() { - if(rightSide == cn.length) - return true; // it's the only class - else if(iswhite(cn[rightSide])) - return true; - return false; // this is a substring of something else.. - } - - if(idx == 0) { - return checkRight(); - } else { - if(!iswhite(cn[idx - 1])) - return false; // substring - return checkRight(); - } - - assert(0); - */ - } - - /// HTML5's dataset property. It is an alternate view into attributes with the data- prefix. /// /// Given: @@ -907,91 +1304,6 @@ class Element { body { children = null; } - /// convenience function to quickly add a tag with some text or - /// other relevant info (for example, it's a src for an element - /// instead of inner text) - Element addChild(string tagName, string childInfo = null, string childInfo2 = null) - in { - assert(tagName !is null); - } - out(e) { - assert(e.parentNode is this); - assert(e.parentDocument is this.parentDocument); - } - body { - auto e = Element.make(tagName, childInfo, childInfo2); - // FIXME (maybe): if the thing is self closed, we might want to go ahead and - // return the parent. That will break existing code though. - return appendChild(e); - } - - /// Another convenience function. Adds a child directly after the current one, returning - /// the new child. - /// - /// Between this, addChild, and parentNode, you can build a tree as a single expression. - Element addSibling(string tagName, string childInfo = null, string childInfo2 = null) - in { - assert(tagName !is null); - assert(parentNode !is null); - } - out(e) { - assert(e.parentNode is this.parentNode); - assert(e.parentDocument is this.parentDocument); - } - body { - auto e = Element.make(tagName, childInfo, childInfo2); - return parentNode.insertAfter(this, e); - } - - /// Convenience function to append text intermixed with other children. - /// For example: div.addChildren("You can visit my website by ", new Link("mysite.com", "clicking here"), "."); - /// or div.addChildren("Hello, ", user.name, "!"); - - /// See also: appendHtml. This might be a bit simpler though because you don't have to think about escaping. - void addChildren(T...)(T t) { - foreach(item; t) { - static if(is(item : Element)) - appendChild(item); - else static if (is(isSomeString!(item))) - appendText(to!string(item)); - else static assert(0, "Cannot pass " ~ typeof(item).stringof ~ " to addChildren"); - } - } - - ///. - Element addChild(string tagName, Element firstChild) - in { - assert(firstChild !is null); - } - out(ret) { - assert(ret !is null); - assert(ret.parentNode is this); - assert(firstChild.parentNode is ret); - - assert(ret.parentDocument is this.parentDocument); - //assert(firstChild.parentDocument is this.parentDocument); - } - body { - auto e = Element.make(tagName); - e.appendChild(firstChild); - this.appendChild(e); - return e; - } - - Element addChild(string tagName, Html innerHtml) - in { - } - out(ret) { - assert(ret !is null); - assert(ret.parentNode is this); - assert(ret.parentDocument is this.parentDocument); - } - body { - auto e = Element.make(tagName); - this.appendChild(e); - e.innerHTML = innerHtml.source; - return e; - } /// Appends the given element to this one. The given element must not have a parent already. @@ -1016,12 +1328,6 @@ class Element { return e; } - /// . - void appendChildren(Element[] children) { - foreach(ele; children) - appendChild(ele); - } - /// Inserts the second element to this node, right before the first param Element insertBefore(in Element where, Element what) in { @@ -1110,7 +1416,8 @@ class Element { ///. Element appendText(string text) { Element e = new TextNode(parentDocument, text); - return appendChild(e); + appendChild(e); + return this; } ///. @@ -1128,20 +1435,6 @@ class Element { return stealChildren(d.root); } - ///. - void reparent(Element newParent) - in { - assert(newParent !is null); - assert(parentNode !is null); - } - out { - assert(this.parentNode is newParent); - //assert(isInArray(this, newParent.children)); - } - body { - parentNode.removeChild(this); - newParent.appendChild(this); - } ///. void insertChildAfter(Element child, Element where) @@ -1232,7 +1525,7 @@ class Element { Returns a string containing all child elements, formatted such that it could be pasted into an XML file. */ - @property string innerHTML(Appender!string where = appender!string()) const { + string innerHTML(Appender!string where = appender!string()) const { if(children is null) return ""; @@ -1250,7 +1543,7 @@ class Element { /** Takes some html and replaces the element's children with the tree made from the string. */ - @property void innerHTML(string html) { + Element innerHTML(string html) { if(html.length) selfClosed = false; @@ -1258,7 +1551,7 @@ class Element { // I often say innerHTML = ""; as a shortcut to clear it out, // so let's optimize that slightly. removeAllChildren(); - return; + return this; } auto doc = new Document(); @@ -1273,11 +1566,13 @@ class Element { reparentTreeDocuments(); doc.root.children = null; + + return this; } /// ditto - @property void innerHTML(Html html) { - this.innerHTML = html.source; + Element innerHTML(Html html) { + return this.innerHTML(html.source); } private void reparentTreeDocuments() { @@ -1358,6 +1653,50 @@ class Element { throw new Exception("no such child"); } + /** + Replaces the given element with a whole group. + */ + void replaceChild(Element find, Element[] replace) + in { + assert(find !is null); + assert(replace !is null); + assert(find.parentNode is this); + debug foreach(r; replace) + assert(r.parentNode is null); + } + out { + assert(find.parentNode is null); + assert(children.length >= replace.length); + debug foreach(child; children) + assert(child !is find); + debug foreach(r; replace) + assert(r.parentNode is this); + } + body { + if(replace.length == 0) { + removeChild(find); + return; + } + assert(replace.length); + for(int i = 0; i < children.length; i++) { + if(children[i] is find) { + children[i].parentNode = null; // this element should now be dead + children[i] = replace[0]; + foreach(e; replace) { + e.parentNode = this; + e.parentDocument = this.parentDocument; + } + + children = .insertAfter(children, i, replace[1..$]); + + return; + } + } + + throw new Exception("no such child"); + } + + /** Removes the given child from this list. @@ -1402,157 +1741,13 @@ class Element { return oldChildren; } - /** - Replaces the given element with a whole group. - */ - void replaceChild(Element find, Element[] replace) - in { - assert(find !is null); - assert(replace !is null); - assert(find.parentNode is this); - debug foreach(r; replace) - assert(r.parentNode is null); - } - out { - assert(find.parentNode is null); - assert(children.length >= replace.length); - debug foreach(child; children) - assert(child !is find); - debug foreach(r; replace) - assert(r.parentNode is this); - } - body { - if(replace.length == 0) { - removeChild(find); - return; - } - assert(replace.length); - for(int i = 0; i < children.length; i++) { - if(children[i] is find) { - children[i].parentNode = null; // this element should now be dead - children[i] = replace[0]; - foreach(e; replace) { - e.parentNode = this; - e.parentDocument = this.parentDocument; - } - - children = .insertAfter(children, i, replace[1..$]); - - return; - } - } - - throw new Exception("no such child"); - } - - /** - Strips this tag out of the document, putting its inner html - as children of the parent. - - For example, given:

hello there

, if you - call stripOut() on the b element, you'll be left with -

hello there

. - - The idea here is to make it easy to get rid of garbage - markup you aren't interested in. - */ - void stripOut() - in { - assert(parentNode !is null); - } - out { - assert(parentNode is null); - assert(children.length == 0); - } - body { - foreach(c; children) - c.parentNode = null; // remove the parent - if(children.length) - parentNode.replaceChild(this, this.children); - else - parentNode.removeChild(this); - this.children.length = 0; // we reparented them all above - } - - /// shorthand for this.parentNode.removeChild(this) with parentNode null check - /// if the element already isn't in a tree, it does nothing. - Element removeFromTree() - in { - - } - out(var) { - assert(this.parentNode is null); - assert(var is this); - } - body { - if(this.parentNode is null) - return this; - - this.parentNode.removeChild(this); - - return this; - } - - /// Wraps this element inside the given element. - /// It's like this.replaceWith(what); what.appendchild(this); - /// - /// Given: < b >cool, if you call b.wrapIn(new Link("site.com", "my site is ")); - /// you'll end up with: < a href="site.com">my site is < b >cool< /b >. - Element wrapIn(Element what) - in { - assert(what !is null); - } - out(ret) { - assert(this.parentNode is what); - assert(ret is what); - } - body { - this.replaceWith(what); - what.appendChild(this); - - return what; - } - - /// Replaces this element with something else in the tree. - Element replaceWith(Element e) { - if(e.parentNode !is null) - e.parentNode.removeChild(e); - this.parentNode.replaceChild(this, e); - return e; - } - - /** - Splits the className into an array of each class given - */ - string[] classNames() const { - return className().split(" "); - } - - /** - Fetches the first consecutive nodes, if text nodes, concatenated together - - If the first node is not text, returns null. - - See also: directText, innerText - */ - string firstInnerText() const { - string s; - foreach(child; children) { - if(child.nodeType != NodeType.Text) - break; - - s ~= child.nodeValue(); - } - return s; - } - /** Fetch the inside text, with all tags stripped out.

cool api & code dude

innerText of that is "cool api & code dude". */ - @property string innerText() const { + string innerText() const { string s; foreach(child; children) { if(child.nodeType != NodeType.Text) @@ -1567,56 +1762,13 @@ class Element { Sets the inside text, replacing all children. You don't have to worry about entity encoding. */ - @property void innerText(string text) { + void innerText(string text) { selfClosed = false; Element e = new TextNode(parentDocument, text); e.parentNode = this; children = [e]; } - /** - Returns the text directly under this element, - not recursively like innerText. - - See also: firstInnerText - */ - @property string directText() { - string ret; - foreach(e; children) { - if(e.nodeType == NodeType.Text) - ret ~= e.nodeValue(); - } - - return ret; - } - - /** - Sets the direct text, keeping the same place. - - Unlike innerText, this does *not* remove existing - elements in the element. - - It only replaces the first text node it sees. - - If there are no text nodes, it calls appendText - - So, given (ignore the spaces in the tags): - < div > < img > text here < /div > - - it will keep the img, and replace the "text here". - */ - @property void directText(string text) { - foreach(e; children) { - if(e.nodeType == NodeType.Text) { - auto it = cast(TextNode) e; - it.contents = text; - return; - } - } - - appendText(text); - } - /** Strips this node out of the document, replacing it with the given text */ @@ -1627,7 +1779,7 @@ class Element { /** Same result as innerText; the tag with all inner tags stripped out */ - @property string outerText() const { + string outerText() const { return innerText(); } @@ -1678,6 +1830,8 @@ class Element { invariant () { + assert(tagName.indexOf(" ") == -1); + if(children !is null) debug foreach(child; children) { // assert(parentNode !is null); @@ -1849,6 +2003,8 @@ dchar parseEntity(in dchar[] entity) { case "deg": case "micro" */ + case "times": + return '\u00d7'; case "hellip": return '\u2026'; case "laquo": @@ -1875,6 +2031,8 @@ dchar parseEntity(in dchar[] entity) { return '\u00e9'; case "mdash": return '\u2014'; + case "ndash": + return '\u2013'; case "Omicron": return '\u039f'; case "omicron": @@ -1892,6 +2050,14 @@ dchar parseEntity(in dchar[] entity) { } else { auto decimal = entity[2..$-1]; + // dealing with broken html entities + while(decimal.length && (decimal[0] < '0' || decimal[0] > '9')) + decimal = decimal[1 .. $]; + + if(decimal.length == 0) + return ' '; // this is really broken html + // done with dealing with broken stuff + auto p = std.conv.to!int(decimal); return cast(dchar) p; } @@ -1925,6 +2091,18 @@ string htmlEntitiesDecode(string data, bool strict = false) { entityAttemptIndex++; entityBeingTried ~= ch; + // I saw some crappy html in the wild that looked like &0ї this tries to handle that. + if(ch == '&') { + if(strict) + throw new Exception("unterminated entity; & inside another at " ~ to!string(entityBeingTried)); + + // if not strict, let's try to parse both. + + a ~= buffer[0.. std.utf.encode(buffer, parseEntity(entityBeingTried))]; + // tryingEntity is still true + entityBeingTried = entityBeingTried[0 .. 1]; // keep the & + entityAttemptIndex = 0; // restarting o this + } else if(ch == ';') { tryingEntity = false; a ~= buffer[0.. std.utf.encode(buffer, parseEntity(entityBeingTried))]; @@ -2198,6 +2376,46 @@ class Form : Element { tagName = "form"; } + Element addField(string label, string name, string type = "text") { + auto fs = this.querySelector("fieldset div"); + if(fs is null) fs = this; + auto i = fs.addChild("label"); + i.addChild("span", label); + if(type == "textarea") + i.addChild("textarea"). + setAttribute("name", name). + setAttribute("rows", "6"); + else + i.addChild("input"). + setAttribute("name", name). + setAttribute("type", type); + + return i; + } + + Element addField(string label, string name, string[string] options) { + auto fs = this.querySelector("fieldset div"); + if(fs is null) fs = this; + auto i = fs.addChild("label"); + i.addChild("span", label); + auto sel = i.addChild("select").setAttribute("name", name); + + foreach(k, opt; options) + sel.addChild("option", opt, k); + + return i; + } + + Element addSubmitButton(string label = null) { + auto holder = this.addChild("div"); + holder.addClass("submit-holder"); + auto i = holder.addChild("input"); + i.type = "submit"; + if(label.length) + i.value = label; + return holder; + } + // FIXME: doesn't handle arrays; multiple fields can have the same name /// Set's the form field's value. For input boxes, this sets the value attribute. For @@ -2211,7 +2429,7 @@ class Form : Element { auto eles = getField(field); if(eles.length == 0) { if(makeNew) { - addField(field, value); + addInput(field, value); return; } else throw new Exception("form field does not exist"); @@ -2369,7 +2587,7 @@ class Form : Element { } /// Adds a new INPUT field to the end of the form with the given attributes. - Element addField(string name, string value, string type = "hidden") { + Element addInput(string name, string value, string type = "hidden") { auto e = new Element(parentDocument, "input", null, true); e.name = name; e.value = value; @@ -2447,8 +2665,22 @@ class Table : Element { return e; } - ///. + /// . + Element appendHeaderRow(T...)(T t) { + return appendRowInternal("th", "thead", t); + } + + /// . + Element appendFooterRow(T...)(T t) { + return appendRowInternal("td", "tfoot", t); + } + + /// . Element appendRow(T...)(T t) { + return appendRowInternal("td", "tbody", t); + } + + private Element appendRowInternal(T...)(string innerType, string findType, T t) { Element row = Element.make("tr"); foreach(e; t) { @@ -2456,31 +2688,38 @@ class Table : Element { if(e.tagName == "td" || e.tagName == "th") row.appendChild(e); else { - Element a = Element.make("td"); + Element a = Element.make(innerType); a.appendChild(e); row.appendChild(a); } } else static if(is(typeof(e) == Html)) { - Element a = Element.make("td"); + Element a = Element.make(innerType); a.innerHTML = e.source; row.appendChild(a); + } else static if(is(typeof(e) == Element[])) { + Element a = Element.make(innerType); + foreach(ele; e) + a.appendChild(ele); + row.appendChild(a); } else { - Element a = Element.make("td"); + Element a = Element.make(innerType); a.innerText = to!string(e); row.appendChild(a); } } foreach(e; children) { - if(e.tagName == "tbody") { + if(e.tagName == findType) { e.appendChild(row); return row; } } - appendChild(row); + // the type was not found if we are here... let's add it so it is well-formed + auto lol = this.addChild(findType); + lol.appendChild(row); return row; } @@ -2673,7 +2912,7 @@ class MarkupError : Exception { class ElementNotFoundException : Exception { /// type == kind of element you were looking for and search == a selector describing the search. - this(string type, string search, string file = __FILE__, int line = __LINE__) { + this(string type, string search, string file = __FILE__, size_t line = __LINE__) { super("Element of type '"~type~"' matching {"~search~"} not found.", file, line); } } @@ -2868,7 +3107,7 @@ class Document : FileResource { if(dataEncoding == "utf8") { try { validate(rawdata); - } catch(UtfException e) { + } catch(UTFException e) { dataEncoding = "Windows 1252"; } } @@ -2942,7 +3181,11 @@ class Document : FileResource { auto start = pos; while( data[pos] != '>' && data[pos] != '/' && data[pos] != '=' && data[pos] != ' ' && data[pos] != '\n' && data[pos] != '\t') + { + if(data[pos] == '<') + throw new MarkupError("The character < can never appear in an attribute name."); pos++; + } if(!caseSensitive) return toLower(data[start..pos]); @@ -3010,6 +3253,8 @@ class Document : FileResource { if(!strict && parentChain is null) parentChain = []; + static string[] recentAutoClosedTags; + if(pos >= data.length) { if(strict) { @@ -3093,6 +3338,28 @@ class Document : FileResource { return Ele(0, TextNode.fromUndecodedString(this, "<"), null); break; default: + + if(!strict) { + // what about something that kinda looks like a tag, but isn't? + auto nextTag = data[pos .. $].indexOf("<"); + auto closeTag = data[pos .. $].indexOf(">"); + if(closeTag != -1 && nextTag != -1) + if(nextTag < closeTag) { + // since attribute names cannot possibly have a < in them, we'll look for an equal since it might be an attribute value... and even in garbage mode, it'd have to be a quoted one realistically + + auto equal = data[pos .. $].indexOf("=\""); + if(equal != -1 && equal < closeTag) { + // this MIGHT be ok, soldier on + } else { + // definitely no good, this must be a (horribly distorted) text node + pos++; // skip the < we're on - don't want text node to end prematurely + auto node = readTextNode(); + node.contents = "<" ~ node.contents; // put this back + return Ele(0, node, null); + } + } + } + string tagName = readTagName(); string[string] attributes; @@ -3190,8 +3457,13 @@ class Document : FileResource { } // is the element open somewhere up the chain? - foreach(parent; parentChain) + foreach(i, parent; parentChain) if(parent == n.payload) { + recentAutoClosedTags ~= tagName; + // just rotating it so we don't inadvertently break stuff with vile crap + if(recentAutoClosedTags.length > 4) + recentAutoClosedTags = recentAutoClosedTags[1 .. $]; + n.element = e; return n; } @@ -3207,6 +3479,13 @@ class Document : FileResource { } } + foreach(ele; recentAutoClosedTags) { + if(ele == n.payload) { + found = true; + break; + } + } + if(!found) // if not found in the tree though, it's probably just text e.appendChild(TextNode.fromUndecodedString(this, "")); } @@ -3344,19 +3623,19 @@ class Document : FileResource { } /// ditto - final SomeElementType requireElementById(SomeElementType = Element)(string id) + final SomeElementType requireElementById(SomeElementType = Element)(string id, string file = __FILE__, size_t line = __LINE__) if( is(SomeElementType : Element)) out(ret) { assert(ret !is null); } body { - return root.requireElementById!(SomeElementType)(id); + return root.requireElementById!(SomeElementType)(id, file, line); } /// ditto - final SomeElementType requireSelector(SomeElementType = Element, string file = __FILE__, int line = __LINE__)(string selector) + final SomeElementType requireSelector(SomeElementType = Element)(string selector, string file = __FILE__, size_t line = __LINE__) if( is(SomeElementType : Element)) out(ret) { assert(ret !is null); } body { - return root.requireSelector!(SomeElementType, file, line)(selector); + return root.requireSelector!(SomeElementType)(selector, file, line); } @@ -3515,6 +3794,7 @@ class Document : FileResource { } +// FIXME: since Document loosens the input requirements, it should probably be the sub class... /// Specializes Document for handling generic XML. (always uses strict mode, uses xml mime type and file header) class XmlDocument : Document { this(string data) { @@ -3791,6 +4071,9 @@ int intFromHex(string hex) { if(a[0] !in e.attributes || e.attributes[a[0]] != a[1]) return false; foreach(a; attributesNotEqual) + // FIXME: maybe it should say null counts... this just bit me. + // I did [attr][attr!=value] to work around. + // // if it's null, it's not equal, right? //if(a[0] !in e.attributes || e.attributes[a[0]] == a[1]) if(e.getAttribute(a[0]) == a[1]) @@ -4077,6 +4360,7 @@ int intFromHex(string hex) { case "root": current.rootElement = true; break; + // FIXME: add :not() // My extensions case "odd-child": current.oddChild = true; @@ -4204,35 +4488,6 @@ Element[] removeDuplicates(Element[] input) { // done with CSS selector handling -/// Converts a camel cased propertyName to a css style dashed property-name -string unCamelCase(string a) { - string ret; - foreach(c; a) - if((c >= 'A' && c <= 'Z')) - ret ~= "-" ~ toLower("" ~ c)[0]; - else - ret ~= c; - return ret; -} - -/// Translates a css style property-name to a camel cased propertyName -string camelCase(string a) { - string ret; - bool justSawDash = false; - foreach(c; a) - if(c == '-') { - justSawDash = true; - } else { - if(justSawDash) { - justSawDash = false; - ret ~= toUpper("" ~ c); - } else - ret ~= c; - } - return ret; -} - - // FIXME: use the better parser from html.d /// This is probably not useful to you unless you're writing a browser or something like that. /// It represents a *computed* style, like what the browser gives you after applying stylesheets, inline styles, and html attributes. @@ -4450,6 +4705,10 @@ class CssStyle { } } +string cssUrl(string url) { + return "url(\"" ~ url ~ "\")"; +} + /// This probably isn't useful, unless you're writing a browser or something like that. /// You might want to look at arsd.html for css macro, nesting, etc., or just use standard css /// as text. @@ -4713,41 +4972,6 @@ private string[string] dup(in string[string] arr) { return ret; } -// I'm just dicking around with this -struct ElementCollection { - this(Element e) { - elements = [e]; - } - - this(Element[] e) { - elements = e; - } - - Element[] elements; - //alias elements this; // let it implicitly convert to the underlying array - - ElementCollection opIndex(string selector) { - ElementCollection ec; - foreach(e; elements) - ec.elements ~= e.getElementsBySelector(selector); - return ec; - } - - /// Forward method calls to each individual element of the collection - /// returns this so it can be chained. - ElementCollection opDispatch(string name, T...)(T t) { - foreach(e; elements) { - mixin("e." ~ name)(t); - } - return this; - } - - ElementCollection opBinary(string op : "~")(ElementCollection rhs) { - return ElementCollection(this.elements ~ rhs.elements); - } -} - - // dom event support, if you want to use it /// used for DOM events diff --git a/domconvenience.d b/domconvenience.d new file mode 100644 index 0000000..ec77c27 --- /dev/null +++ b/domconvenience.d @@ -0,0 +1,6 @@ +/** + +*/ +module arsd.domconvenience; + +// the contents of this file are back in dom.d for now. I might split them out later. diff --git a/html.d b/html.d index 2af6ba6..2883e78 100644 --- a/html.d +++ b/html.d @@ -198,7 +198,96 @@ string recommendedBasicCssForUserContent = ` } `; +Html linkify(string text) { + auto div = Element.make("div"); + while(text.length) { + auto idx = text.indexOf("http"); + if(idx == -1) { + idx = text.length; + } + + div.appendText(text[0 .. idx]); + text = text[idx .. $]; + + if(text.length) { + // where does it end? whitespace I guess + auto idxSpace = text.indexOf(" "); + if(idxSpace == -1) idxSpace = text.length; + auto idxLine = text.indexOf("\n"); + if(idxLine == -1) idxLine = text.length; + + + auto idxEnd = idxSpace < idxLine ? idxSpace : idxLine; + + auto link = text[0 .. idxEnd]; + text = text[idxEnd .. $]; + + div.addChild("a", link, link); + } + } + + return Html(div.innerHTML); +} + +/// Returns true of the string appears to be html/xml - if it matches the pattern +/// for tags or entities. +bool appearsToBeHtml(string src) { + return false; +} + +/+ +void qsaFilter(string logicalScriptName) { + string logicalScriptName = siteBase[0 .. $-1]; + + 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"); + } +} ++/ string favicon(Document document) { auto item = document.querySelector("link[rel~=icon]"); if(item !is null) @@ -206,6 +295,21 @@ string favicon(Document document) { return "/favicon.ico"; // it pisses me off that the fucking browsers do this.... but they do, so I will too. } +Element checkbox(string name, string value, string label, bool checked = false) { + auto lbl = Element.make("label"); + auto input = lbl.addChild("input"); + input.type = "checkbox"; + input.name = name; + input.value = value; + if(checked) + input.checked = "checked"; + + lbl.appendText(" "); + lbl.addChild("span", label); + + return lbl; +} + /++ Convenience function to create a small

to POST, but the creation function is more like a link than a DOM form. @@ -321,7 +425,7 @@ void translateValidation(Document document) { if(i.tagName != "input" && i.tagName != "select") continue; if(i.getAttribute("id") is null) - i.id = i.name; + i.id = "form-input-" ~ i.name; auto validate = i.getAttribute("validate"); if(validate is null) continue; @@ -588,7 +692,7 @@ void translateInputTitles(Document document) { void translateInputTitles(Element rootElement) { foreach(form; rootElement.getElementsByTagName("form")) { string os; - foreach(e; form.getElementsBySelector("input[type=text][title]")) { + foreach(e; form.getElementsBySelector("input[type=text][title], textarea[title]")) { if(e.hasClass("has-placeholder")) continue; e.addClass("has-placeholder"); @@ -611,9 +715,16 @@ void translateInputTitles(Element rootElement) { temporaryItem.value = ''; `; - if(e.value == "") { - e.value = e.title; - e.addClass("default"); + if(e.tagName == "input") { + if(e.value == "") { + e.value = e.title; + e.addClass("default"); + } + } else { + if(e.innerText.length == 0) { + e.innerText = e.title; + e.addClass("default"); + } } } @@ -1434,6 +1545,11 @@ class MacroExpander { dstring delegate(dstring[])[dstring] functions; dstring[dstring] variables; + /// This sets a variable inside the macro system + void setValue(string key, string value) { + variables[to!dstring(key)] = to!dstring(value); + } + struct Macro { dstring name; dstring[] args; @@ -1464,12 +1580,18 @@ class MacroExpander { return ret; }; + functions["uriEncode"] = delegate dstring(dstring[] args) { + return to!dstring(std.uri.encodeComponent(to!string(args[0]))); + }; + functions["test"] = delegate dstring(dstring[] args) { assert(0, to!string(args.length) ~ " args: " ~ to!string(args)); return null; }; } + // the following are used inside the user text + dstring define(dstring[] args) { enforce(args.length > 1, "requires at least a macro name and definition"); @@ -1518,12 +1640,14 @@ class MacroExpander { return returned; } + /// Performs the expansion string expand(string srcutf8) { auto src = expand(to!dstring(srcutf8)); return to!string(src); } private int depth = 0; + /// ditto dstring expand(dstring src) { return expandImpl(src, null); } @@ -1764,6 +1888,7 @@ class CssMacroExpander : MacroExpander { functions["darken"] = &(colorFunctionWrapper!darken); functions["moderate"] = &(colorFunctionWrapper!moderate); functions["extremify"] = &(colorFunctionWrapper!extremify); + functions["makeTextColor"] = &(oneArgColorFunctionWrapper!makeTextColor); functions["oppositeLightness"] = &(oneArgColorFunctionWrapper!oppositeLightness); @@ -1785,11 +1910,12 @@ class CssMacroExpander : MacroExpander { return ret; } + /// Runs the macro expansion but then a CSS densesting string expandAndDenest(string cssSrc) { return cssToString(denestCss(lexCss(this.expand(cssSrc)))); } - + // internal things dstring colorFunctionWrapper(alias func)(dstring[] args) { auto color = readCssColor(to!string(args[0])); auto percentage = readCssNumber(args[1]); diff --git a/mysql.d b/mysql.d index 971b9ad..33d41ed 100644 --- a/mysql.d +++ b/mysql.d @@ -325,6 +325,13 @@ class MySql : Database { } + ResultByDataObject!R queryDataObjectWithCustomKeys(R = DataObject, T...)(string[string] keyMapping, string sql, T t) { + sql = fixupSqlForDataObjectUse(sql, keyMapping); + + auto magic = query(sql, t); + return ResultByDataObject!R(cast(MySqlResult) magic, this); + } + diff --git a/png.d b/png.d index 1f1524e..6b23886 100644 --- a/png.d +++ b/png.d @@ -547,6 +547,17 @@ RGBQUAD[] fetchPaletteWin32(PNG* p) { Color[] fetchPalette(PNG* p) { Color[] colors; + auto header = getHeader(p); + if(header.type == 0) { // greyscale + colors.length = 256; + foreach(i; 0..256) + colors[i] = Color(cast(ubyte) i, cast(ubyte) i, cast(ubyte) i); + return colors; + } + + // assuming this is indexed + assert(header.type == 3); + auto palette = p.getChunk("PLTE"); Chunk* alpha = p.getChunkNullable("tRNS"); @@ -572,7 +583,12 @@ void replacePalette(PNG* p, Color[] colors) { auto palette = p.getChunk("PLTE"); auto alpha = p.getChunk("tRNS"); - assert(colors.length == alpha.size); + //import std.string; + //assert(0, format("%s %s", colors.length, alpha.size)); + //assert(colors.length == alpha.size); + alpha.size = colors.length; + alpha.payload.length = colors.length; // we make sure there's room for our simple method below + p.length = 0; // so write will recalculate for(int i = 0; i < colors.length; i++) { palette.payload[i*3+0] = colors[i].r; diff --git a/rtud.d b/rtud.d index 5cf332a..1921e19 100644 --- a/rtud.d +++ b/rtud.d @@ -129,6 +129,11 @@ void writeToFd(int fd, string s) { goto again; } +__gshared bool deathRequested = false; +extern(C) +void requestDeath(int sig) { + deathRequested = true; +} import arsd.cgi; /// The throttledConnection param is useful for helping to get @@ -144,6 +149,14 @@ import arsd.cgi; int handleListenerGateway(Cgi cgi, string channelPrefix, bool throttledConnection = false) { cgi.setCache(false); + import core.sys.posix.signal; + sigaction_t act; + // I want all zero everywhere else; the read() must not automatically restart for this to work. + act.sa_handler = &requestDeath; + + if(linux.sigaction(linux.SIGTERM, &act, null) != 0) + throw new Exception("sig err"); + auto f = openNetworkFd("localhost", 7070); scope(exit) linux.close(f); @@ -185,7 +198,7 @@ int handleListenerGateway(Cgi cgi, string channelPrefix, bool throttledConnectio string[4096] buffer; - for(;;) { + for(; !deathRequested ;) { auto num = linux.read(f, buffer.ptr, buffer.length); if(num < 0) throw new Exception("read error"); @@ -202,7 +215,7 @@ int handleListenerGateway(Cgi cgi, string channelPrefix, bool throttledConnectio } // this is to support older browsers - if(!isSse) { + if(!isSse && !deathRequested) { // we have to parse it out and reformat for plain cgi... auto lol = parseMessages(wegot); //cgi.setResponseContentType("text/json"); diff --git a/sha.d b/sha.d index eb86311..8dafc14 100644 --- a/sha.d +++ b/sha.d @@ -134,7 +134,7 @@ struct FileByByte { fclose(fp); } - @property void popFront() { + void popFront() { f = cast(ubyte) fgetc(fp); } diff --git a/web.d b/web.d index 0e04b31..4e743a1 100644 --- a/web.d +++ b/web.d @@ -304,6 +304,22 @@ class ApiProvider : WebDotDBaseType { } } + 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() { @@ -341,6 +357,9 @@ class ApiProvider : WebDotDBaseType { /// we have to add these things to the document... override void _postProcess(Document document) { + foreach(pp; documentPostProcessors) + pp(document); + addCsrfTokens(document); super._postProcess(document); } @@ -365,6 +384,9 @@ class ApiProvider : WebDotDBaseType { // and added to ajax forms.. override void _postProcessElement(Element element) { + foreach(pp; elementPostProcessors) + pp(element); + addCsrfTokens(element); super._postProcessElement(element); } @@ -380,6 +402,38 @@ class ApiProvider : WebDotDBaseType { /// 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() {} @@ -464,20 +518,44 @@ class ApiProvider : WebDotDBaseType { /// 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 Document("
", true, true); + auto document = new TemplatedDocument( +" + + + + + + + + + +
+ + +"); if(this.reflection !is null) document.title = this.reflection.name; - auto container = document.getElementById("body"); + auto container = document.requireElementById("body"); return container; } + // FIXME: set a generic container for a particular call + /// If the given url path didn't match a function, it is passed to this function - /// for further handling. By default, it throws a NoSuchPageException. + /// for further handling. By default, it throws a NoSuchFunctionException. /// Overriding it might be useful if you want to serve generic filenames or an opDispatch kind of thing. /// (opDispatch itself won't work because it's name argument needs to be known at compile time!) @@ -485,7 +563,7 @@ class ApiProvider : WebDotDBaseType { /// Note that you can return Documents here as they implement /// the FileResource interface too. FileResource _catchAll(string path) { - throw new NoSuchPageException(_errorMessageForCatchAll); + throw new NoSuchFunctionException(_errorMessageForCatchAll); } private string _errorMessageForCatchAll; @@ -1055,12 +1133,20 @@ void run(Provider)(Cgi cgi, Provider instantiation, size_t pathInfoStartingPoint WebDotDBaseType realObject = instantiation; if(instantiator.length == 0) if(fun !is null && fun.parentObject !is null && fun.parentObject.instantiation !is null) - realObject = fun.parentObject.instantiation; + realObject = cast() fun.parentObject.instantiation; // casting away transitive immutable... // FIXME if(cgi.pathInfo.indexOf("builtin.") != -1 && instantiation.builtInFunctions !is null) base = instantiation.builtInFunctions; + if(base !is realObject) { + auto hack1 = cast(ApiProvider) base; + auto hack2 = cast(ApiProvider) realObject; + + if(hack1 !is null && hack2 !is null && hack2.session is null) + hack2.session = hack1.session; + } + try { if(fun is null) { auto d = instantiation._catchallEntry( @@ -1232,6 +1318,35 @@ void run(Provider)(Cgi cgi, Provider instantiation, size_t pathInfoStartingPoint auto json = toJsonValue(result); cgi.write(toJSON(&json), true); break; + case "script": + case "jsonp": + bool securityPass = false; + version(web_d_unrestricted_jsonp) { + // unrestricted is opt-in because i worry about fetching user info from across sites + securityPass = true; + } else { + // we check this on both get and post to ensure they can't fetch user private data cross domain. + auto hack1 = cast(ApiProvider) base; + if(hack1) + securityPass = hack1.isCsrfTokenCorrect(); + } + + if(securityPass) { + if(envelopeFormat == "script") + cgi.setResponseContentType("text/html"); + else + cgi.setResponseContentType("application/javascript"); + + auto json = cgi.request("jsonp", "throw new Error") ~ "(" ~ toJson(result) ~ ");"; + + if(envelopeFormat == "script") + json = ""; + cgi.write(json, true); + } else { + // if the security check fails, you just don't get anything at all data wise... + cgi.setResponseStatus("403 Forbidden"); + } + break; case "none": cgi.setResponseContentType("text/plain"); @@ -1259,7 +1374,15 @@ void run(Provider)(Cgi cgi, Provider instantiation, size_t pathInfoStartingPoint // probably not super efficient... document = new TemplatedDocument(returned); } else { - auto e = instantiation._getGenericContainer(); + // auto e = instantiation._getGenericContainer(); + Element e; + auto hack = cast(ApiProvider) realObject; + if(hack !is null) + e = hack._getGenericContainer(); + else + e = instantiation._getGenericContainer(); + + document = e.parentDocument; // FIXME: a wee bit slow, esp if func return element e.innerHTML = returned; @@ -1964,6 +2087,11 @@ class NoSuchPageException : Exception { } } +class NoSuchFunctionException : NoSuchPageException { + this(string msg, string file = __FILE__, int line = __LINE__) { + super(msg, file, line); + } +} type fromUrlParam(type)(string ofInterest) { type ret; @@ -1971,6 +2099,7 @@ type fromUrlParam(type)(string ofInterest) { 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)) { @@ -2000,7 +2129,11 @@ type fromUrlParam(type)(string[] ofInterest) { type ret; // Arrays in a query string are sent as the name repeating... - static if(isArray!(type) && !isSomeString!(type)) { + 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); } @@ -2012,7 +2145,7 @@ type fromUrlParam(type)(string[] ofInterest) { auto getMemberDelegate(alias ObjectType, string member)(ObjectType object) if(is(ObjectType : WebDotDBaseType)) { if(object is null) - throw new NoSuchPageException("no such object " ~ ObjectType.stringof); + throw new NoSuchFunctionException("no such object " ~ ObjectType.stringof); return &__traits(getMember, object, member); } @@ -2028,7 +2161,7 @@ WrapperFunction generateWrapper(alias ObjectType, string funName, alias f, R)(Re auto instantiation = getMemberDelegate!(ObjectType, funName)(cast(ObjectType) object); - api._initializePerCall(); + api._initializePerCallInternal(); ParameterTypeTuple!(f) args; @@ -2100,7 +2233,7 @@ WrapperFunction generateWrapper(alias ObjectType, string funName, alias f, R)(Re // find it in reflection ofInterest ~= reflection.functions[callingName]. - dispatcher(cgi, null, decodeVariables(callingArguments), "string").str; + dispatcher(cgi, null, decodeVariables(callingArguments), "string", null).str; } } @@ -2543,7 +2676,7 @@ class Session { } /// get/set for strings - string opDispatch(string name)(string v = null) if(name != "popFront") { + @property string opDispatch(string name)(string v = null) if(name != "popFront") { if(v !is null) set(name, v); if(hasKey(name)) @@ -2596,6 +2729,9 @@ class Session { case JSON_TYPE.STRING: ret = v.str; break; + case JSON_TYPE.UINTEGER: + ret = to!string(v.integer); + break; case JSON_TYPE.INTEGER: ret = to!string(v.integer); break; @@ -3073,7 +3209,7 @@ string makeJavascriptApi(const ReflectionInfo* mod, string base, bool isNested = string script; - if(isNested) + if(0 && isNested) script = `'`~mod.name~`': { "_apiBase":'`~base~`',`; else @@ -3154,16 +3290,6 @@ string makeJavascriptApi(const ReflectionInfo* mod, string base, bool isNested = script ~= "\n\t}; }"; } - // FIXME: it should output the classes too - foreach(obj; mod.objects) { - if(outp) - script ~= ",\n\t"; - else - outp = true; - - script ~= makeJavascriptApi(obj, base ~ obj.name ~ "/", true); - } - foreach(key, func; mod.functions) { if(func.originalName in alreadyDone) continue; // there's url friendly and code friendly, only need one @@ -3234,6 +3360,18 @@ string makeJavascriptApi(const ReflectionInfo* mod, string base, bool isNested = } `; + // 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; } @@ -3372,21 +3510,29 @@ enum string javascriptBaseImpl = q{ 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 - var csrfKey = document.body.getAttribute("data-csrf-key"); - var csrfToken = document.body.getAttribute("data-csrf-token"); - if(csrfKey && csrfKey.length > 0 && csrfToken && csrfToken.length > 0) { + if(csrfPair.length) { if(a.length > 0) a += "&"; - a += encodeURIComponent(csrfKey) + "=" + encodeURIComponent(csrfToken); + a += csrfPair; } } else { xmlHttp.setRequestHeader("Content-type", "text/plain"); } + xmlHttp.setRequestHeader("X-Requested-With", "XMLHttpRequest"); xmlHttp.send(a); if(!async && callback) { @@ -3487,7 +3633,7 @@ enum string javascriptBaseImpl = q{ // lower level implementation "_get":function(callback, onError, async) { - var resObj = this; + var resObj = this; // the request/response object. var me is the ApiObject. if(args == null) args = {}; if(!args.format) @@ -3512,6 +3658,8 @@ enum string javascriptBaseImpl = q{ obj = eval("(" + t + ")"); //} + var returnValue; + if(obj.success) { if(typeof callback == "function") callback(obj.result); @@ -3527,7 +3675,7 @@ enum string javascriptBaseImpl = q{ // FIXME: meh just do something here. } - return obj.result; + 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? @@ -3554,15 +3702,25 @@ enum string javascriptBaseImpl = q{ } if(onError) // local override first... - return onError(error); + returnValue = onError(error); else if(resObj.onError) // then this object - return resObj.onError(error); + returnValue = resObj.onError(error); else if(me._onError) // then the global object - return me._onError(error); - - throw error; // if all else fails... + 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 }, (name.indexOf("get") == 0) ? "GET" : "POST", async); // FIXME: hack: naming convention used to figure out method to use },