First pass at bibtex importer

This commit is contained in:
Jermolene 2016-10-18 18:00:01 +01:00
parent 5ec7250621
commit 7f11c151f0
11 changed files with 1432 additions and 1 deletions

View File

@ -1930,6 +1930,7 @@ $tw.boot.startup = function(options) {
$tw.utils.registerFileType("text/x-markdown","utf8",[".md",".markdown"]);
$tw.utils.registerFileType("application/enex+xml","utf8",".enex");
$tw.utils.registerFileType("application/vnd.openxmlformats-officedocument.spreadsheetml.sheet","base64",".xlsx");
$tw.utils.registerFileType("application/x-bibtex","utf8",".bib");
// Create the wiki store for the app
$tw.wiki = new $tw.Wiki();
// Install built in tiddler fields modules

View File

@ -11,7 +11,8 @@
"tiddlywiki/internals",
"tiddlywiki/highlight",
"tiddlywiki/markdown",
"tiddlywiki/qrcode"
"tiddlywiki/qrcode",
"tiddlywiki/bibtex"
],
"themes": [
"tiddlywiki/vanilla",

View File

@ -0,0 +1,49 @@
/*\
title: $:/plugins/tiddlywiki/excel-utils/deserializer.js
type: application/javascript
module-type: tiddlerdeserializer
XLSX file deserializer
\*/
(function(){
/*jslint node: true, browser: true */
/*global $tw: false */
"use strict";
var bibtexParse = require("$:/plugins/tiddlywiki/bibtex/bibtexParse.js");
/*
Parse an XLSX file into tiddlers
*/
exports["application/x-bibtex"] = function(text,fields) {
var data,
results = [];
// Parse the text
try {
data = bibtexParse.toJSON(text)
} catch(ex) {
data = ex.toString();
}
if(typeof data === "string") {
return [{
title: "BibTeX import error: " + data,
}];
}
// Convert each entry
$tw.utils.each(data,function(entry) {
var fields = {
title: entry.citationKey,
"bibtex-entry-type": entry.entryType
};
$tw.utils.each(entry.entryTags,function(value,name) {
fields["bibtex-" + name] = value;
});
results.push(fields);
});
// Return the output tiddlers
return results;
};
})();

View File

@ -0,0 +1,11 @@
title: $:/plugins/tiddlywiki/bibtex/readme
The BibTeX plugin provides a deserializer that can convert bibliographic entries in `.bib` files into individual tiddlers.
The conversion is as follows:
* `title` comes from citationKey
* `bibtex-entry-type` comes from entryType
* all `entryTags` are assigned to fields with the prefix `bibtex-`
The BibTeX plugin is based on the library [[bibtexParseJs by Henrik Muehe and Mikola Lysenko|https://github.com/ORCID/bibtexParseJs]].

View File

@ -0,0 +1,23 @@
The MIT License (MIT)
Copyright (c) 2013 ORCID, Inc.
Copyright (c) 2010 Henrik Muehe
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.

View File

@ -0,0 +1,47 @@
bibtexParseJs
=============
A JavaScript library that parses BibTeX parser. Forked from
[bibtex-parser](https://github.com/mikolalysenko/bibtex-parser).
## Using in Browser
Include bibtexParse.js and call
```
bibtexParse.toJSON('@article{sample1,title={sample title}}');
```
## Using in [Node.js](http://nodejs.org/)
Install ```npm install bibtex-parse-js```
```
var bibtexParse = require('bibtex-parse-js');
var sample = bibtexParse.toJSON('@article{sample1,title={sample title}}');
console.log(sample);
```
**Returns** A parsed bibtex file as a JSON Array Object
```
[ { citationKey: 'SAMPLE1',
entryType: 'ARTICLE',
entryTags: { TITLE: 'sample title' } } ]
```
## Contributing
Contributions are welcome. Please make sure the unit test(test/runTest.js) reflects the
changes and completes successfully.
#### Travis CI
See the latest build and results at [https://travis-ci.org/ORCID/bibtexParseJs](https://travis-ci.org/ORCID/bibtexParseJs)
## Credits
(c) 2010 Henrik Muehe. MIT License
[visit](https://code.google.com/p/bibtex-js/)
CommonJS port maintained by Mikola Lysenko
[visit](https://github.com/mikolalysenko/bibtex-parser)

View File

@ -0,0 +1,342 @@
/* start bibtexParse 0.0.22 */
//Original work by Henrik Muehe (c) 2010
//
//CommonJS port by Mikola Lysenko 2013
//
//Port to Browser lib by ORCID / RCPETERS
//
//Issues:
//no comment handling within strings
//no string concatenation
//no variable values yet
//Grammar implemented here:
//bibtex -> (string | preamble | comment | entry)*;
//string -> '@STRING' '{' key_equals_value '}';
//preamble -> '@PREAMBLE' '{' value '}';
//comment -> '@COMMENT' '{' value '}';
//entry -> '@' key '{' key ',' key_value_list '}';
//key_value_list -> key_equals_value (',' key_equals_value)*;
//key_equals_value -> key '=' value;
//value -> value_quotes | value_braces | key;
//value_quotes -> '"' .*? '"'; // not quite
//value_braces -> '{' .*? '"'; // not quite
(function(exports) {
function BibtexParser() {
this.months = ["jan", "feb", "mar", "apr", "may", "jun", "jul", "aug", "sep", "oct", "nov", "dec"];
this.notKey = [',','{','}',' ','='];
this.pos = 0;
this.input = "";
this.entries = new Array();
this.currentEntry = "";
this.setInput = function(t) {
this.input = t;
};
this.getEntries = function() {
return this.entries;
};
this.isWhitespace = function(s) {
return (s == ' ' || s == '\r' || s == '\t' || s == '\n');
};
this.match = function(s, canCommentOut) {
if (canCommentOut == undefined || canCommentOut == null)
canCommentOut = true;
this.skipWhitespace(canCommentOut);
if (this.input.substring(this.pos, this.pos + s.length) == s) {
this.pos += s.length;
} else {
throw "Token mismatch, expected " + s + ", found "
+ this.input.substring(this.pos);
};
this.skipWhitespace(canCommentOut);
};
this.tryMatch = function(s, canCommentOut) {
if (canCommentOut == undefined || canCommentOut == null)
canCommentOut = true;
this.skipWhitespace(canCommentOut);
if (this.input.substring(this.pos, this.pos + s.length) == s) {
return true;
} else {
return false;
};
this.skipWhitespace(canCommentOut);
};
/* when search for a match all text can be ignored, not just white space */
this.matchAt = function() {
while (this.input.length > this.pos && this.input[this.pos] != '@') {
this.pos++;
};
if (this.input[this.pos] == '@') {
return true;
};
return false;
};
this.skipWhitespace = function(canCommentOut) {
while (this.isWhitespace(this.input[this.pos])) {
this.pos++;
};
if (this.input[this.pos] == "%" && canCommentOut == true) {
while (this.input[this.pos] != "\n") {
this.pos++;
};
this.skipWhitespace(canCommentOut);
};
};
this.value_braces = function() {
var bracecount = 0;
this.match("{", false);
var start = this.pos;
var escaped = false;
while (true) {
if (!escaped) {
if (this.input[this.pos] == '}') {
if (bracecount > 0) {
bracecount--;
} else {
var end = this.pos;
this.match("}", false);
return this.input.substring(start, end);
};
} else if (this.input[this.pos] == '{') {
bracecount++;
} else if (this.pos >= this.input.length - 1) {
throw "Unterminated value";
};
};
if (this.input[this.pos] == '\\' && escaped == false)
escaped = true;
else
escaped = false;
this.pos++;
};
};
this.value_comment = function() {
var str = '';
var brcktCnt = 0;
while (!(this.tryMatch("}", false) && brcktCnt == 0)) {
str = str + this.input[this.pos];
if (this.input[this.pos] == '{')
brcktCnt++;
if (this.input[this.pos] == '}')
brcktCnt--;
if (this.pos >= this.input.length - 1) {
throw "Unterminated value:" + this.input.substring(start);
};
this.pos++;
};
return str;
};
this.value_quotes = function() {
this.match('"', false);
var start = this.pos;
var escaped = false;
while (true) {
if (!escaped) {
if (this.input[this.pos] == '"') {
var end = this.pos;
this.match('"', false);
return this.input.substring(start, end);
} else if (this.pos >= this.input.length - 1) {
throw "Unterminated value:" + this.input.substring(start);
};
}
if (this.input[this.pos] == '\\' && escaped == false)
escaped = true;
else
escaped = false;
this.pos++;
};
};
this.single_value = function() {
var start = this.pos;
if (this.tryMatch("{")) {
return this.value_braces();
} else if (this.tryMatch('"')) {
return this.value_quotes();
} else {
var k = this.key();
if (k.match("^[0-9]+$"))
return k;
else if (this.months.indexOf(k.toLowerCase()) >= 0)
return k.toLowerCase();
else
throw "Value expected:" + this.input.substring(start) + ' for key: ' + k;
};
};
this.value = function() {
var values = [];
values.push(this.single_value());
while (this.tryMatch("#")) {
this.match("#");
values.push(this.single_value());
};
return values.join("");
};
this.key = function(optional) {
var start = this.pos;
while (true) {
if (this.pos >= this.input.length) {
throw "Runaway key";
};
// а-яА-Я is Cyrillic
//console.log(this.input[this.pos]);
if (this.notKey.indexOf(this.input[this.pos]) >= 0) {
if (optional && this.input[this.pos] != ',') {
this.pos = start;
return null;
};
return this.input.substring(start, this.pos);
} else {
this.pos++;
};
};
};
this.key_equals_value = function() {
var key = this.key();
if (this.tryMatch("=")) {
this.match("=");
var val = this.value();
return [ key, val ];
} else {
throw "... = value expected, equals sign missing:"
+ this.input.substring(this.pos);
};
};
this.key_value_list = function() {
var kv = this.key_equals_value();
this.currentEntry['entryTags'] = {};
this.currentEntry['entryTags'][kv[0]] = kv[1];
while (this.tryMatch(",")) {
this.match(",");
// fixes problems with commas at the end of a list
if (this.tryMatch("}")) {
break;
}
;
kv = this.key_equals_value();
this.currentEntry['entryTags'][kv[0]] = kv[1];
};
};
this.entry_body = function(d) {
this.currentEntry = {};
this.currentEntry['citationKey'] = this.key(true);
this.currentEntry['entryType'] = d.substring(1);
if (this.currentEntry['citationKey'] != null) {
this.match(",");
}
this.key_value_list();
this.entries.push(this.currentEntry);
};
this.directive = function() {
this.match("@");
return "@" + this.key();
};
this.preamble = function() {
this.currentEntry = {};
this.currentEntry['entryType'] = 'PREAMBLE';
this.currentEntry['entry'] = this.value_comment();
this.entries.push(this.currentEntry);
};
this.comment = function() {
this.currentEntry = {};
this.currentEntry['entryType'] = 'COMMENT';
this.currentEntry['entry'] = this.value_comment();
this.entries.push(this.currentEntry);
};
this.entry = function(d) {
this.entry_body(d);
};
this.alernativeCitationKey = function () {
this.entries.forEach(function (entry) {
if (!entry.citationKey && entry.entryTags) {
entry.citationKey = '';
if (entry.entryTags.author) {
entry.citationKey += entry.entryTags.author.split(',')[0] += ', ';
}
entry.citationKey += entry.entryTags.year;
}
});
}
this.bibtex = function() {
while (this.matchAt()) {
var d = this.directive();
this.match("{");
if (d == "@STRING") {
this.string();
} else if (d == "@PREAMBLE") {
this.preamble();
} else if (d == "@COMMENT") {
this.comment();
} else {
this.entry(d);
}
this.match("}");
};
this.alernativeCitationKey();
};
};
exports.toJSON = function(bibtex) {
var b = new BibtexParser();
b.setInput(bibtex);
b.bibtex();
return b.entries;
};
/* added during hackathon don't hate on me */
exports.toBibtex = function(json) {
var out = '';
for ( var i in json) {
out += "@" + json[i].entryType;
out += '{';
if (json[i].citationKey)
out += json[i].citationKey + ', ';
if (json[i].entry)
out += json[i].entry ;
if (json[i].entryTags) {
var tags = '';
for (var jdx in json[i].entryTags) {
if (tags.length != 0)
tags += ', ';
tags += jdx + '= {' + json[i].entryTags[jdx] + '}';
}
out += tags;
}
out += '}\n\n';
}
return out;
};
})(typeof exports === 'undefined' ? this['bibtexParse'] = {} : exports);
/* end bibtexParse */

View File

@ -0,0 +1,18 @@
{
"tiddlers": [
{
"file": "bibtexParse.js",
"fields": {
"type": "application/javascript",
"title": "$:/plugins/tiddlywiki/bibtex/bibtexParse.js",
"module-type": "library"
}
},{
"file": "LICENSE",
"fields": {
"type": "text/plain",
"title": "$:/plugins/tiddlywiki/bibtex/license"
}
}
]
}

View File

@ -0,0 +1,7 @@
{
"title": "$:/plugins/tiddlywiki/bibtex",
"description": "BibTeX importer",
"author": "Henrik Muehe and Mikola Lysenko, adapted by Jeremy Ruston",
"plugin-type": "plugin",
"list": "readme usage examples license"
}

View File

@ -0,0 +1,929 @@
% Encoding: UTF-8
@InProceedings{Dalgaard2001,
author = {Dalgaard, Rune},
title = {Hypertext and the Scholarly Archive: Intertexts, Paratexts and Metatexts at Work},
booktitle = {Proceedings of the 12th {ACM} Conference on Hypertext and Hypermedia},
series = {{HYPERTEXT} '01},
pages = {175--184},
publisher = {{ACM}},
abstract = {With the Web, hypertext has become the paradigmatic rhetorical structure of a global and distributed archive. This paper argues that the scholarly archive is going though a process of hypertextualization that is not adequately accounted for in theories on hypertext. A methodological approach based on Gerard Genettes theory of transtextuality is proposed for a study of the hypertextualized archive. This involves a rejection of the reductionist opposition of hypertext and the fixed linear text, in favor of a study of the intertexts, paratexts and metatexts that work at the interface between texts and archive. I refer to this as second-order textuality.},
date = {2001},
doi = {10.1145/504216.504262},
isbn = {978-1-58113-420-9},
keywords = {criticism, hypertext rhetoric, intertextuality, metatext, navigation, paratext, scholarly and scientific communication, textuality, theory, web},
location = {New York, {NY}, {USA}},
shorttitle = {Hypertext and the Scholarly Archive},
url = {http://doi.acm.org/10.1145/504216.504262},
urldate = {2016-10-17},
}
@InProceedings{Stoyanova2015,
author = {Stoyanova, Silvia and Johnston, Ben},
title = {Remediating Giacomo Leopardi's Zibaldone: Hypertextual Semantic Networks in the Scholarly Archive},
booktitle = {Proceedings of the Third {AIUCD} Annual Conference on Humanities and Their Methods in the Digital Ecosystem},
series = {{AIUCD} '14},
pages = {9:1--9:8},
publisher = {{ACM}},
abstract = {The project of remediating Giacomo Leopardi's Zibaldone addresses the manuscript's hypertextual dimension of cross-references between related passages and their allocation to thematic indexes, which Leopardi wrote with the intention to mediate his research notes into scholarly publications. The project objective is to actualize the author's design for harvesting the Zibaldone's intra-textual semantic networks and reconstruct its inter-textual bibliographic networks by building a digital research platform, which would enable users to comprehensively mine the text's structural complexity. The {XML} encoding in {TEI} P5 allows to process the Zibaldone in custom-selected layers of its encoded elements for the exploration of their interrelations through statistical charts, histograms, network visualizations. In its future development, the platform would expand to an interactive space, where users could add their own annotations to the text and contribute to the site's editorial apparatus. The project has been a collaboration between Princeton University and the Trier Center for Digital Humanities, and its website is currently hosted at http://zibaldone.princeton.edu.},
date = {2015},
doi = {10.1145/2802612.2802634},
isbn = {978-1-4503-3295-8},
keywords = {fragmentary genre, Giacomo Leopardi, hypertext, note-taking, scholarly digital editions, semantic networks, Zibaldone},
location = {New York, {NY}, {USA}},
shorttitle = {Remediating Giacomo Leopardi's Zibaldone},
url = {http://doi.acm.org/10.1145/2802612.2802634},
urldate = {2016-10-17},
}
@Article{Rowan2016,
author = {Rowan, Kyle Edward},
title = {Not Quite a Sunset: a hypertext opera},
date = {2016},
shorttitle = {Not Quite a Sunset},
url = {http://escholarship.org/uc/item/9830g5pn.pdf},
urldate = {2016-10-17},
}
@Article{Janez2016,
author = {Jáñez, Álvaro and Rosales, Javier},
title = {Novices' need for exploration: Effects of goal specificity on hypertext navigation and comprehension},
volume = {60},
pages = {121--130},
date = {2016},
journaltitle = {Computers in Human Behavior},
shorttitle = {Novices' need for exploration},
url = {http://www.sciencedirect.com/science/article/pii/S0747563216301169},
urldate = {2016-10-17},
}
@Book{Bernstein2016,
title = {Getting Started With Hypertext Narrative},
publisher = {Eastgate Systems, Inc},
author = {Bernstein, Mark},
date = {2016},
}
@Article{Shang2016,
author = {Shang, Hui-Fang},
title = {Online metacognitive strategies, hypermedia annotations, and motivation on hypertext comprehension},
volume = {19},
number = {3},
pages = {321--334},
date = {2016},
file = {[PDF] ifets.info:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/992U6NNG/Shang - 2016 - Online metacognitive strategies, hypermedia annota.pdf:application/pdf},
journaltitle = {Educational Technology \& Society},
url = {http://www.jstor.org/stable/pdf/jeductechsoci.19.3.321.pdf},
urldate = {2016-10-17},
}
@Article{Li2016,
author = {Li, Liang-Yi and Tseng, Shu-Ting and Chen, Gwo-Dong},
title = {Effect of hypertext highlighting on browsing, reading, and navigational performance},
volume = {54},
pages = {318--325},
date = {2016},
journaltitle = {Computers in Human Behavior},
url = {http://www.sciencedirect.com/science/article/pii/S074756321530090X},
urldate = {2016-10-17},
}
@Article{Blustein2016,
author = {Blustein, Jamie and Herder, Eelco and Rubart, Jessica and Ashman, Helen},
title = {27 th {ACM} International Conference on Hypertext and Social Media},
pages = {1},
date = {2016},
issue = {Winter},
journaltitle = {{ACM} {SIGWEB} Newsletter},
url = {http://dl.acm.org/citation.cfm?id=2857660},
urldate = {2016-10-17},
}
@Article{Blustein2016a,
author = {Blustein, James and Graff, Ann-Barbara},
title = {6 alt. hypertext: An Early Social Medium},
pages = {119},
date = {2016},
journaltitle = {Social Media Archeology and Poetics},
shorttitle = {6 alt. hypertext},
url = {https://books.google.com/books?hl=en&lr=&id=dPjdDAAAQBAJ&oi=fnd&pg=PA119&dq=hypertext&ots=fEESfFDhtn&sig=ygSkDRTvC9QETpNnVxJM4Ay-L9s},
urldate = {2016-10-17},
}
@Article{Shang2016a,
author = {Shang, Hui-Fang},
title = {Exploring demographic and motivational factors associated with hypertext reading by English as a foreign language ({EFL}) students},
volume = {35},
number = {7},
pages = {559--571},
date = {2016},
journaltitle = {Behaviour \& Information Technology},
url = {http://www.tandfonline.com/doi/abs/10.1080/0144929X.2015.1094827},
urldate = {2016-10-17},
}
@Article{Hargood2016,
author = {Hargood, Charlie and Hunt, Verity and Weal, Mark and Millard, David},
title = {Patterns of sculptural hypertext in location based narratives},
date = {2016},
file = {[PDF] soton.ac.uk:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/NSARWFGB/Hargood et al. - 2016 - Patterns of sculptural hypertext in location based.pdf:application/pdf},
url = {http://eprints.soton.ac.uk/390748/},
urldate = {2016-10-17},
}
@Article{Conradty2016,
author = {Conradty, Cathérine and Bogner, Franz X.},
title = {Hypertext or Textbook: Effects on Motivation and Gain in Knowledge},
volume = {6},
number = {3},
pages = {29},
date = {2016},
journaltitle = {Education Sciences},
shorttitle = {Hypertext or Textbook},
url = {http://www.mdpi.com/2227-7102/6/3/29/htm},
urldate = {2016-10-17},
}
@Thesis{Fitzpatrick2016,
author = {Fitzpatrick, Philip J.},
title = {Applied Hypertext Theory in a Demonstration of a Non-Sequential Audio Narrative},
date = {2016},
type = {phdthesis},
url = {https://suny-dspace.longsight.com/handle/1951/66527},
urldate = {2016-10-17},
}
@Article{Finnemann2016,
author = {Finnemann, Niels Ole},
title = {Hypertext configurations: Genres in networked digital media},
date = {2016},
file = {[DOC] ku.dk:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/DSGTA9J3/Finnemann - 2016 - Hypertext configurations Genres in networked digi.doc:application/msword},
journaltitle = {Journal of the Association for Information Science and Technology},
shorttitle = {Hypertext configurations},
url = {http://onlinelibrary.wiley.com/doi/10.1002/asi.23709/full},
urldate = {2016-10-17},
}
@Article{Atkinson2016,
author = {Atkinson, Paul},
title = {Digital ethnographies},
volume = {16},
number = {2},
pages = {236--241},
date = {2016},
journaltitle = {Qualitative Research},
url = {http://qrj.sagepub.com/content/16/2/236.short},
urldate = {2016-10-17},
}
@Article{Bakshi2016,
author = {Bakshi, Divya},
title = {Hypertext and Feminisms: Voicing the Silence (d)},
volume = {3},
number = {3},
date = {2016},
journaltitle = {Anglisticum Journal},
shorttitle = {Hypertext and Feminisms},
url = {http://anglisticum.mk/index.php/Anglisticum/article/view/625},
urldate = {2016-10-17},
}
@InCollection{Maier2016,
author = {Maier, Carmen Daniela},
title = {Hypertext and Hypermedia},
booktitle = {International Encyclopedia of Mass Media and Society},
publisher = {: {SAGE} Publications},
date = {2016},
url = {http://www.forskningsdatabasen.dk/en/catalog/2261443119},
urldate = {2016-10-17},
}
@Article{Suresh2016a,
author = {Suresh, Mayur},
title = {The file as hypertext},
pages = {97},
date = {2016},
journaltitle = {Law, Memory, Violence: Uncovering the Counter-Archive},
url = {https://books.google.com/books?hl=en&lr=&id=TmmaCwAAQBAJ&oi=fnd&pg=PA97&dq=hypertext&ots=nzLjpgq0h2&sig=jzOnpGgDes0pcu_Cx0P9zYU4Kxs},
urldate = {2016-10-17},
}
@Thesis{Rafiq2008,
author = {Rafiq, Omar},
title = {Improving the Accessibility of {TiddlyWiki}},
date = {2008},
institution = {University of Leeds, School of Computer Studies},
type = {phdthesis},
}
@Thesis{Lauw2008,
author = {Lauw, Madelaine L.},
title = {{TiddlyGraph}: Graph Drawing Tool for {TiddlyWiki}},
date = {2008},
institution = {University of Leeds, School of Computer Studies},
shorttitle = {{TiddlyGraph}},
type = {phdthesis},
}
@Thesis{Rutherford2009,
author = {Rutherford, Jayne},
title = {Graphical Input for {TiddlyWiki}},
date = {2009},
institution = {University of Leeds, School of Computer Studies},
type = {phdthesis},
}
@Thesis{Rafiq2008a,
author = {Rafiq, Omar},
title = {Improving the Accessibility of {TiddlyWiki}},
date = {2008},
institution = {University of Leeds, School of Computer Studies},
type = {phdthesis},
}
@Thesis{Lauw2008a,
author = {Lauw, Madelaine L.},
title = {{TiddlyGraph}: Graph Drawing Tool for {TiddlyWiki}},
date = {2008},
institution = {University of Leeds, School of Computer Studies},
shorttitle = {{TiddlyGraph}},
type = {phdthesis},
}
@Article{TRUNG,
author = {{TRUNG}, {DANG} {DINH}},
title = {{TiddlyWiki} client and server modification for scholarly digital libraries},
url = {http://wing.comp.nus.edu.sg/publications/theses/2008/dangDinhTrungDang_HYP.pdf},
urldate = {2016-10-17},
}
@Thesis{Rutherford2009a,
author = {Rutherford, Jayne},
title = {Graphical Input for {TiddlyWiki}},
date = {2009},
institution = {University of Leeds, School of Computer Studies},
type = {phdthesis},
}
@Article{Bakoa,
author = {Bakó, Mária and Aszalós, László},
title = {Learning environments in {eBook} format},
file = {[PDF] icvl.eu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/3X4IZ2DH/Bakó and Aszalós - Learning environments in eBook format.pdf:application/pdf},
url = {http://www.icvl.eu/2011/disc/structura/icvl/documente/pdf/tech/ICVL_Technologies_paper08.pdf},
urldate = {2016-10-17},
}
@InProceedings{Solis2009,
author = {Solís, Carlos and Ali, Nour and Babar, Muhammad Ali},
title = {A spatial hypertext wiki for architectural knowledge management},
booktitle = {Wikis for Software Engineering, 2009. {WIKIS}4SE'09. {ICSE} Workshop on},
pages = {36--46},
publisher = {{IEEE}},
date = {2009},
file = {[PDF] ul.ie:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/7X4QZPUT/Solís et al. - 2009 - A spatial hypertext wiki for architectural knowled.pdf:application/pdf},
url = {http://ieeexplore.ieee.org/xpls/abs_all.jsp?arnumber=5069995},
urldate = {2016-10-17},
}
@InCollection{Burry2005b,
author = {Burry, Jane and Burrow, Andrew and Amor, Robert and Burry, Mark},
title = {Shared design space},
booktitle = {Computer Aided Architectural Design Futures 2005},
publisher = {Springer},
pages = {217--226},
date = {2005},
file = {[PDF] architexturez.net:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/A223SNFN/Burry et al. - 2005 - Shared design space.pdf:application/pdf},
url = {http://link.springer.com/chapter/10.1007/1-4020-3698-1_20},
urldate = {2016-10-17},
}
@Article{Jipsen2006b,
author = {Jipsen, Peter},
title = {{ASciencePad}a {TiddlyWiki} suitable for scientific notes},
date = {2006},
journaltitle = {Accessed via http://math. chapman. edu/ jipsen/asciencepad/asciencepad. html (7 January 2007)},
}
@Book{Bagnoli2006b,
title = {Tiddlywiki in science education},
publisher = {{ITHET}},
author = {Bagnoli, Franco and Jipsen, Peter and Sterbini, Andrea},
date = {2006},
url = {http://www.academia.edu/download/44779373/TiddlyWiki_in_Science_Education20160415-24634-dvo6mu.pdf},
urldate = {2016-10-17},
}
@InProceedings{Yang2008b,
author = {Yang, Chia-Han and Wu, Ming-Ying and Lin, Chien-Min and Yang, Don-Lin},
title = {Implementation of Wiki-based knowledge management systems for small research groups},
booktitle = {2008 Eighth International Conference on Intelligent Systems Design and Applications},
volume = {2},
pages = {346--349},
publisher = {{IEEE}},
date = {2008},
file = {[PDF] mirlabs.net:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/EVE2GP2R/Yang et al. - 2008 - Implementation of Wiki-based knowledge management .pdf:application/pdf},
url = {http://ieeexplore.ieee.org/xpls/abs_all.jsp?arnumber=4696356},
urldate = {2016-10-17},
}
@Book{Ruston2004a,
title = {{TiddlyWiki}},
author = {Ruston, Jeremy},
date = {2004},
}
@Article{Gobbo2006b,
author = {Gobbo, Federico and Lanzarone, Gaetano Aurelio},
title = {A wiki-based active learning system; how to enhance learning material in epistemology of computer science and computer ethics},
date = {2006},
file = {[PDF] researchgate.net:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/A5SIBRAA/Gobbo and Lanzarone - 2006 - A wiki-based active learning system\; how to enhanc.pdf:application/pdf},
journaltitle = {Current Developments in Technology-Assisted Education},
url = {https://www.researchgate.net/profile/Federico_Gobbo/publication/216111828_A_wiki-based_active_learning_system_how_to_enhance_learning_material_in_epistemology_of_computer_science_and_computer_ethics/links/09e4150a67b1073482000000.pdf},
urldate = {2016-10-17},
}
@Article{Kopchok2008b,
author = {Kopchok, Katie},
title = {Interlibrary loan the Wiki way: an effective and free interlibrary loan procedures and communications tool},
volume = {18},
number = {1},
pages = {67--77},
date = {2008},
journaltitle = {Journal of Interlibrary Loan, Document Delivery \& Electronic Reserve},
shorttitle = {Interlibrary loan the Wiki way},
url = {http://www.tandfonline.com/doi/abs/10.1300/J474v18n01_08},
urldate = {2016-10-17},
}
@InProceedings{Dang2008b,
author = {Dang, Dinh-Trung and Tan, Yee Fan and Kan, Min-Yen},
title = {Towards a Webpage-based bibliographic manager},
booktitle = {International Conference on Asian Digital Libraries},
pages = {313--316},
publisher = {Springer},
date = {2008},
file = {[PDF] nus.edu.sg:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/X466UZP3/Dang et al. - 2008 - Towards a Webpage-based bibliographic manager.pdf:application/pdf},
url = {http://link.springer.com/chapter/10.1007/978-3-540-89533-6_33},
urldate = {2016-10-17},
}
@InProceedings{Barker2008e,
author = {Barker, P. G.},
title = {Using Wikis for Knowledge Management},
booktitle = {Proceedings of the {ED}-{MEDIA} 2008 World Conference on Educational Multimedia, Hypermedia and Telecommunications},
pages = {3604--3613},
date = {2008},
url = {https://www.editlib.org/p/28886/proceeding_28886.pdf},
urldate = {2016-10-17},
}
@InProceedings{Marchese2009b,
author = {Marchese, Francis T.},
title = {Asynchronous collaborative visualization on a stick},
booktitle = {Proceedings of Vis 2009 (Atlantic City, {NJ}), Conference {DVD}},
publisher = {{IEEE} Computer Society Washington, {DC}},
date = {2009},
file = {[PDF] researchgate.net:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/ZM78BHSJ/Marchese - 2009 - Asynchronous collaborative visualization on a stic.pdf:application/pdf},
url = {https://www.researchgate.net/profile/Francis_Marchese/publication/228366401_Asynchronous_Collaborative_Visualization_on_a_Stick/links/09e4150c32bfec2345000000.pdf},
urldate = {2016-10-17},
}
@Book{DeCiccio2007b,
title = {Developing a Flexible Information Repository: A Case Study Using {TiddlyWiki} for a Knowledge Management System},
publisher = {{ProQuest}},
author = {{DeCiccio}, Michael},
date = {2007},
shorttitle = {Developing a Flexible Information Repository},
}
@Book{Wilson2007d,
title = {{TiddlyWiki} 2.1. 3.},
publisher = {{UNIV} {SHEFFIELD} {DEPT} {INFORMATION} {STUDIES} {UNIV} {SHEFFIELD}, {WESTERN} {BANK}, {SHEFFIELD} S10 2TN, S {YORKS}, {ENGLAND}},
author = {Wilson, T. D.},
volume = {12},
number = {3},
date = {2007},
}
@Thesis{Rafiq2008b,
author = {Rafiq, Omar},
title = {Improving the Accessibility of {TiddlyWiki}},
date = {2008},
institution = {University of Leeds, School of Computer Studies},
type = {phdthesis},
}
@Thesis{Lauw2008b,
author = {Lauw, Madelaine L.},
title = {{TiddlyGraph}: Graph Drawing Tool for {TiddlyWiki}},
date = {2008},
institution = {University of Leeds, School of Computer Studies},
shorttitle = {{TiddlyGraph}},
type = {phdthesis},
}
@Article{Wilson2007e,
author = {Wilson, Tom D.},
title = {Review of: {TiddlyWiki} 2.1. 3. Osmosoft. com, 2007},
volume = {12},
number = {3},
pages = {review--no},
date = {2007},
journaltitle = {Information research},
shorttitle = {Review of},
url = {http://www.diva-portal.org/smash/record.jsf?pid=diva2:870314},
urldate = {2016-10-17},
}
@Thesis{Rutherford2009b,
author = {Rutherford, Jayne},
title = {Graphical Input for {TiddlyWiki}},
date = {2009},
institution = {University of Leeds, School of Computer Studies},
type = {phdthesis},
}
@InProceedings{Montaner2013b,
author = {Montaner, David and Garcıa-Garcıa, Francisco},
title = {{TiddlyWikiR}: an R package for dynamic report writing.},
booktitle = {The R User Conference, {useR}! 2013 July 10-12 2013 University of Castilla-La Mancha, Albacete, Spain},
volume = {10},
pages = {126},
date = {2013},
shorttitle = {{TiddlyWikiR}},
url = {https://www.researchgate.net/profile/Selcuk_Korkmaz/publication/273333674_bbRVM_an_R_package_for_Ensemble_Classification_Approaches_of_Relevance_Vector_Machines/links/54fed6cf0cf2741b69f1787b.pdf#page=126},
urldate = {2016-10-17},
}
@InProceedings{Dickinson2008b,
author = {Dickinson, Anne},
title = {Is the e-Learning Object “Create Interactive Accessible e-Learning” Accessible?},
booktitle = {Proceedings of the 3rd International Conference on e-Learning: {ICEL}},
pages = {133},
publisher = {Academic Conferences Limited},
date = {2008},
}
@Article{Palmer2009,
author = {Palmer, Joy},
title = {Archives 2.0: if we build it, will they come?},
number = {60},
__markedentry = {[steve:]},
date = {2009},
journaltitle = {Ariadne},
shorttitle = {Archives 2.0},
url = {http://www.ariadne.ac.uk/issue60/palmer},
urldate = {2016-10-17},
}
@Article{Grannum2011,
author = {Grannum, Guy and Theimer, Kate},
title = {Harnessing User Knowledge: The National Archives Your Archives Wiki},
pages = {116--127},
__markedentry = {[steve:]},
date = {2011},
journaltitle = {A Different Kind of Web: New Connections Between Archives and Our Users},
shorttitle = {Harnessing User Knowledge},
}
@Article{Frumkin2005,
author = {Frumkin, Jeremy},
title = {The wiki and the digital library},
volume = {21},
number = {1},
pages = {18--22},
__markedentry = {[steve:]},
date = {2005},
journaltitle = {{OCLC} Systems \& Services: International digital library perspectives},
url = {http://www.emeraldinsight.com/doi/full/10.1108/10650750510578109},
urldate = {2016-10-17},
}
@Article{Flinn2010,
author = {Flinn, Andrew},
title = {Independent Community Archives and Community-Generated Content Writing, Saving and Sharing our Histories},
volume = {16},
number = {1},
pages = {39--51},
__markedentry = {[steve:]},
date = {2010},
journaltitle = {Convergence: The International Journal of Research into New Media Technologies},
url = {http://con.sagepub.com/content/16/1/39.short},
urldate = {2016-10-17},
}
@Article{Wagner2004,
author = {Wagner, Christian},
title = {Wiki: A technology for conversational knowledge management and group collaboration},
volume = {13},
number = {1},
pages = {58},
__markedentry = {[steve:]},
date = {2004},
file = {[PDF] hksyu.edu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/C7TZN8FR/Wagner - 2004 - Wiki A technology for conversational knowledge ma.pdf:application/pdf},
journaltitle = {The Communications of the Association for Information Systems},
shorttitle = {Wiki},
url = {http://aisel.aisnet.org/cgi/viewcontent.cgi?article=3238&context=cais},
urldate = {2016-10-17},
}
@InProceedings{Munteanu2006,
author = {Munteanu, Cosmin and Zhang, Yuecheng and Baecker, Ron and Penn, Gerald},
title = {Wiki-like editing of imperfect computer-generated webcast transcripts},
booktitle = {Proc. Demo track of {ACM} Conf. on Computer Supported Cooperative Work{CSCW}},
pages = {83--84},
publisher = {Citeseer},
__markedentry = {[steve:]},
date = {2006},
file = {[PDF] psu.edu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/I22V3CTX/Munteanu et al. - 2006 - Wiki-like editing of imperfect computer-generated .pdf:application/pdf},
url = {http://citeseerx.ist.psu.edu/viewdoc/download?doi=10.1.1.129.3559&rep=rep1&type=pdf},
urldate = {2016-10-17},
}
@Article{Unit2010,
author = {Unit, Economist Intelligence},
title = {Democracy index 2010},
__markedentry = {[steve:]},
date = {2010},
url = {http://ictlogy.net/bibliography/reports/projects.php?idp=1853},
urldate = {2016-10-17},
}
@Article{Cunningham2002,
author = {Cunningham, Ward and {others}},
title = {What is wiki},
__markedentry = {[steve:]},
date = {2002},
journaltitle = {{WikiWikiWeb}. http://www. wiki. org/wiki. cgi},
}
@Article{Regli2010,
author = {Regli, William C. and Kopena, Joseph B. and Grauer, Michael and Simpson, Timothy W. and Stone, Robert B. and Lewis, Kemper and Bohm, Matt R. and Wilkie, David and Piecyk, Martin and Osecki, Jordan},
title = {Semantics for digital engineering archives supporting engineering design education},
volume = {31},
number = {1},
pages = {37--50},
__markedentry = {[steve:]},
date = {2010},
file = {[PDF] aaai.org:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/5K858ZWC/Regli et al. - 2010 - Semantics for digital engineering archives support.pdf:application/pdf},
journaltitle = {{AI} Magazine},
url = {http://www.aaai.org/ojs/index.php/aimagazine/article/viewArticle/2282},
urldate = {2016-10-17},
}
@Article{Harris2004,
author = {Harris, Roger W.},
title = {Information and communication technologies for poverty alleviation},
__markedentry = {[steve:]},
date = {2004},
url = {http://ictlogy.net/bibliography/reports/projects.php?idp=1271},
urldate = {2016-10-17},
}
@Article{Wiki1996,
author = {Wiki, {ASIS}{\textbackslash}\&T-{ESC}},
title = {Information literacy},
__markedentry = {[steve:]},
date = {1996},
url = {https://www.asis.org/Chapters/Student/esc/?tag=information-literacy},
urldate = {2016-10-17},
}
@Article{Parker2007,
author = {Parker, Kevin R. and Chao, Joseph T.},
title = {Wiki as a teaching tool},
volume = {3},
number = {1},
pages = {57--72},
__markedentry = {[steve:]},
date = {2007},
file = {[PDF] wikieducator.org:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/NBDH2ICS/Parker and Chao - 2007 - Wiki as a teaching tool.pdf:application/pdf},
journaltitle = {Interdisciplinary journal of knowledge and learning objects},
url = {http://wikieducator.org/images/5/58/Wikiasateachingtool.pdf},
urldate = {2016-10-17},
}
@Article{Haddad2002,
author = {Haddad, Wadi D. and Draxler, Alexandra},
title = {Technologies for Education: Potential, Parameters, and Prospects},
__markedentry = {[steve:]},
date = {2002},
shorttitle = {Technologies for Education},
url = {http://ictlogy.net/bibliography/reports/projects.php?idp=515},
urldate = {2016-10-17},
}
@Article{Desilets2005,
author = {Désilets, Alain and Paquet, Sébastien},
title = {Wiki as a tool for web-based collaborative story telling in primary school: A case study},
__markedentry = {[steve:]},
date = {2005},
shorttitle = {Wiki as a tool for web-based collaborative story telling in primary school},
url = {http://nparc.cisti-icist.nrc-cnrc.gc.ca/npsi/ctrl?action=rtdoc&an=8913987},
urldate = {2016-10-17},
}
@Article{Giles2007,
author = {Giles, Jim},
title = {Key biology databases go wiki},
volume = {445},
number = {7129},
pages = {691--691},
__markedentry = {[steve:]},
date = {2007},
journaltitle = {Nature},
url = {http://www.nature.com/nature/journal/v445/n7129/full/445691a.html},
urldate = {2016-10-17},
}
@Article{Kennedy2009,
author = {Kennedy, Gregor and Dalgarno, Barney and Bennett, Sue and Gray, Kathleen and Waycott, Jenny and Judd, Terry and Bishop, Andrea and Maton, Karl and Krause, Kerri-Lee and Chang, Rosemary},
title = {Educating the net generation. A handbook of findings for practice and policy},
__markedentry = {[steve:]},
date = {2009},
url = {http://ictlogy.net/bibliography/reports/projects.php?idp=1450},
urldate = {2016-10-17},
}
@Article{Sciadas2005,
author = {Sciadas, George},
title = {From the digital divide to digital opportunities},
__markedentry = {[steve:]},
date = {2005},
url = {http://ictlogy.net/bibliography/reports/projects.php?idp=239},
urldate = {2016-10-17},
}
@Book{Web2000,
title = {Wiki Web},
author = {Web, Wiki and {DE}, {WIKIPEDI} and {JPG}, {WIKI}},
__markedentry = {[steve:]},
date = {2000},
}
@Article{Varfolomeyev2012,
author = {Varfolomeyev, Aleksey and Ivanovs, Aleksandrs},
title = {Wiki Technologies for Semantic Publication of Old Russian Charters},
pages = {405--407},
__markedentry = {[steve:]},
date = {2012},
journaltitle = {Digital Humanities},
url = {http://www.dh2012.uni-hamburg.de/conference/programme/abstracts/wiki-technologies-for-semantic-publication-of-old-russian-charters.1.html},
urldate = {2016-10-17},
}
@InProceedings{Buffa2006,
author = {Buffa, Michel and Gandon, Fabien},
title = {{SweetWiki}: semantic web enabled technologies in Wiki},
booktitle = {Proceedings of the 2006 international symposium on Wikis},
pages = {69--78},
publisher = {{ACM}},
__markedentry = {[steve:]},
date = {2006},
file = {[PDF] inria.fr:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/KFGFBGWE/Buffa and Gandon - 2006 - SweetWiki semantic web enabled technologies in Wi.pdf:application/pdf},
shorttitle = {{SweetWiki}},
url = {http://dl.acm.org/citation.cfm?id=1149469},
urldate = {2016-10-17},
}
@InProceedings{Barker2008,
author = {Barker, Philip},
title = {Using wikis and weblogs to enhance human performance},
booktitle = {Proceedings of World Conference on E-Learning in Corporate, Government, Healthcare, and Higher Education},
pages = {581--589},
date = {2008},
url = {https://www.editlib.org/index.cfm/files/paper_29665.pdf?fuseaction=Reader.DownloadFullText&paper_id=29665},
urldate = {2016-10-17},
}
@InProceedings{Burry2005,
author = {Burry, Jane and Burrow, Andrew and Amor, Robert and Burry, Mark},
title = {Shared design space. The contribution of augmented wiki hypertext to design collaboration.},
booktitle = {{CAAD} Futures 2005},
publisher = {Springer},
date = {2005},
url = {https://researchbank.rmit.edu.au/view/rmit:1820},
urldate = {2016-10-17},
}
@InProceedings{Notari2006,
author = {Notari, Michele},
title = {How to use a Wiki in education:'Wiki based effective constructive learning'},
booktitle = {Proceedings of the 2006 international symposium on Wikis},
pages = {131--132},
publisher = {{ACM}},
date = {2006},
file = {[PDF] drake.edu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/9D8KADJZ/Notari - 2006 - How to use a Wiki in education'Wiki based effecti.pdf:application/pdf},
shorttitle = {How to use a Wiki in education},
url = {http://dl.acm.org/citation.cfm?id=1149479},
urldate = {2016-10-17},
}
@InProceedings{Burrow2004,
author = {Burrow, Andrew Lincoln},
title = {Negotiating access within Wiki: a system to construct and maintain a taxonomy of access rules},
booktitle = {Proceedings of the fifteenth {ACM} conference on Hypertext and hypermedia},
pages = {77--86},
publisher = {{ACM}},
date = {2004},
shorttitle = {Negotiating access within Wiki},
url = {http://dl.acm.org/citation.cfm?id=1012831},
urldate = {2016-10-17},
}
@InProceedings{Solis2010,
author = {Solis, Carlos and Ali, Nour},
title = {Distributed requirements elicitation using a spatial hypertext wiki},
booktitle = {2010 5th {IEEE} International Conference on Global Software Engineering},
pages = {237--246},
publisher = {{IEEE}},
date = {2010},
file = {[PDF] ul.ie:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/FR2DGIKF/Solis and Ali - 2010 - Distributed requirements elicitation using a spati.pdf:application/pdf},
url = {http://ieeexplore.ieee.org/xpls/abs_all.jsp?arnumber=5581514},
urldate = {2016-10-17},
}
@InProceedings{Solis2008,
author = {Solís, Carlos and Ali, Nour},
title = {{ShyWiki}-a spatial hypertext wiki},
booktitle = {Proceedings of the 4th International Symposium on Wikis},
pages = {10},
publisher = {{ACM}},
date = {2008},
file = {[PDF] psu.edu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/ZR4GMI8R/Solís and Ali - 2008 - ShyWiki-a spatial hypertext wiki.pdf:application/pdf},
url = {http://dl.acm.org/citation.cfm?id=1822272},
urldate = {2016-10-17},
}
@Article{Sauer2005,
author = {Sauer, Igor M. and Bialek, Dominik and Efimova, Ekaterina and Schwartlander, Ruth and Pless, Gesine and Neuhaus, Peter},
title = {“Blogs” and “wikis” are valuable software tools for communication within research groups},
volume = {29},
number = {1},
pages = {82--83},
date = {2005},
journaltitle = {Artificial organs},
url = {http://onlinelibrary.wiley.com/doi/10.1111/j.1525-1594.2004.29005.x/full},
urldate = {2016-10-17},
}
@Article{TREnTIn2009,
author = {{TREnTIn}, Guglielmo},
title = {Using a wiki to evaluate individual contribution to a collaborative learning project},
volume = {25},
number = {1},
pages = {43--55},
date = {2009},
file = {[PDF] semanticscholar.org:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/IF24EBKI/TREnTIn - 2009 - Using a wiki to evaluate individual contribution t.pdf:application/pdf},
journaltitle = {Journal of computer assisted learning},
url = {http://onlinelibrary.wiley.com/doi/10.1111/j.1365-2729.2008.00276.x/full},
urldate = {2016-10-17},
}
@Article{Skiba2005,
author = {Skiba, Diane J.},
title = {Do your students wiki?},
volume = {26},
number = {2},
pages = {120},
date = {2005},
journaltitle = {Nursing education perspectives},
url = {http://search.proquest.com/openview/460686aff56fe55ba2bc3cd9a3fc27aa/1?pq-origsite=gscholar},
urldate = {2016-10-17},
}
@InProceedings{Millard2006,
author = {Millard, David E. and Ross, Martin},
title = {Web 2.0: hypertext by any other name?},
booktitle = {Proceedings of the seventeenth conference on Hypertext and hypermedia},
pages = {27--30},
publisher = {{ACM}},
date = {2006},
file = {[PDF] soton.ac.uk:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/ZGXUB4IM/Millard and Ross - 2006 - Web 2.0 hypertext by any other name.pdf:application/pdf},
shorttitle = {Web 2.0},
url = {http://dl.acm.org/citation.cfm?id=1149947},
urldate = {2016-10-17},
}
@InProceedings{Aronsson2002,
author = {Aronsson, Lars},
title = {Operation of a Large Scale, General Purpose Wiki Website.},
booktitle = {Elpub},
date = {2002},
file = {[PDF] architexturez.net:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/4VUK34H6/Aronsson - 2002 - Operation of a Large Scale, General Purpose Wiki W.pdf:application/pdf},
url = {http://elpub.architexturez.net/system/files/pdf/02-03.content_0.pdf},
urldate = {2016-10-17},
}
@InProceedings{Solis2010a,
author = {Solis, Carlos and Ali, Nour},
title = {A spatial hypertext wiki for knowledge management},
booktitle = {Collaborative Technologies and Systems ({CTS}), 2010 International Symposium on},
pages = {225--234},
publisher = {{IEEE}},
date = {2010},
file = {[PDF] ul.ie:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/6B2BWZ6F/Solis and Ali - 2010 - A spatial hypertext wiki for knowledge management.pdf:application/pdf},
url = {http://ieeexplore.ieee.org/xpls/abs_all.jsp?arnumber=5478505},
urldate = {2016-10-17},
}
@InProceedings{Morris2007,
author = {Morris, Joseph C.},
title = {{DistriWiki}:: a distributed peer-to-peer wiki network},
booktitle = {Proceedings of the 2007 international symposium on Wikis},
pages = {69--74},
publisher = {{ACM}},
date = {2007},
file = {[PDF] psu.edu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/5P2FCHHM/Morris - 2007 - DistriWiki a distributed peer-to-peer wiki netwo.pdf:application/pdf},
shorttitle = {{DistriWiki}},
url = {http://dl.acm.org/citation.cfm?id=1296959},
urldate = {2016-10-17},
}
@InProceedings{Solis2011,
author = {Solis, Carlos and Ali, Nour},
title = {An experience using a spatial hypertext Wiki},
booktitle = {Proceedings of the 22nd {ACM} conference on Hypertext and hypermedia},
pages = {133--142},
publisher = {{ACM}},
date = {2011},
file = {[PDF] ul.ie:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/G2FJIIVS/Solis and Ali - 2011 - An experience using a spatial hypertext Wiki.pdf:application/pdf},
url = {http://dl.acm.org/citation.cfm?id=1995986},
urldate = {2016-10-17},
}
@InProceedings{Zhang2006,
author = {Zhang, Yuejiao},
title = {Wiki means more: hyperreading in Wikipedia},
booktitle = {Proceedings of the seventeenth conference on Hypertext and hypermedia},
pages = {23--26},
publisher = {{ACM}},
date = {2006},
shorttitle = {Wiki means more},
url = {http://dl.acm.org/citation.cfm?id=1149946},
urldate = {2016-10-17},
}
@Article{Solis2011a,
author = {Solis, Carlos and Ali, Nour},
title = {A Semantic Wiki Based on Spatial Hypertext.},
volume = {17},
number = {7},
pages = {1043--1059},
date = {2011},
file = {[PDF] brighton.ac.uk:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/QATARD72/Solis and Ali - 2011 - A Semantic Wiki Based on Spatial Hypertext..pdf:application/pdf},
journaltitle = {J. {UCS}},
url = {http://jucs.org/jucs_17_7/a_semantic_wiki_based/jucs_17_07_1043_1059_solis.pdf},
urldate = {2016-10-17},
}
@InProceedings{Schaffert2006,
author = {Schaffert, Sebastian},
title = {{IkeWiki}: A semantic wiki for collaborative knowledge management},
booktitle = {15th {IEEE} International Workshops on Enabling Technologies: Infrastructure for Collaborative Enterprises ({WETICE}'06)},
pages = {388--396},
publisher = {{IEEE}},
date = {2006},
file = {[PDF] psu.edu:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/AGSE8WEV/Schaffert - 2006 - IkeWiki A semantic wiki for collaborative knowled.pdf:application/pdf},
shorttitle = {{IkeWiki}},
url = {http://ieeexplore.ieee.org/xpls/abs_all.jsp?arnumber=4092241},
urldate = {2016-10-17},
}
@InProceedings{Cunningham2006,
author = {Cunningham, Ward},
title = {Design Principles of Wiki: How can so little do so much?},
booktitle = {Int. Sym. Wikis},
pages = {13--14},
date = {2006},
shorttitle = {Design Principles of Wiki},
url = {https://pdfs.semanticscholar.org/2713/89a35bb3c98101d65dd70ba79c3b188615c5.pdf},
urldate = {2016-10-17},
}
@Article{Nixon2006,
author = {Nixon, Lyndon {JB} and Simperl, Elena Paslaru Bontas},
title = {Makna and {MultiMakna}: towards semantic and multimedia capability in wikis for the emerging web},
volume = {2006},
date = {2006},
journaltitle = {Proc. Semantics},
shorttitle = {Makna and {MultiMakna}},
url = {http://www.academia.edu/download/1909725/4quz0v7pkwwyigy.pdf},
urldate = {2016-10-17},
}
@Article{Truman2016,
author = {Truman, Gail},
title = {Web Archiving Environmental Scan},
__markedentry = {[steve:6]},
abstract = {Version of Record},
date = {2016},
file = {Full Text PDF:/Users/steve/Library/Application Support/Firefox/Profiles/7uhyoij2.default/zotero/storage/PADARME2/Truman - 2016 - Web Archiving Environmental Scan.pdf:application/pdf},
langid = {american},
owner = {steve},
rights = {open},
timestamp = {2016-10-18},
url = {https://dash.harvard.edu/handle/1/25658314},
urldate = {2016-10-18},
}

View File

@ -0,0 +1,3 @@
{
"tiddlers": []
}