Welcome to TiddlyWiki created by Jeremy Ruston; Copyright © 2004-2007 Jeremy Ruston, Copyright © 2007-2011 UnaMesa Association
/***
|''Name:''|BackstageSidebarPlugin|
|''Description:''|Moves the sidebar to the backstage, as suggested at http://www.tiddlywiki.org/wiki/Dev:Backstage#Customization|
|''Author''|JonathanLister|
|''CodeRepository:''|n/a |
|''Version:''|0.1|
|''Comments:''|Please make comments at http://groups.google.co.uk/group/TiddlyWikiDev |
|''License''|[[BSD License|http://www.opensource.org/licenses/bsd-license.php]] |
|''~CoreVersion:''|2.4|
***/
//{{{
if(!version.extensions.BackstageSidebarPlugin) {
version.extensions.BackstageSidebarPlugin = {installed:true};
config.tasks.sidebar = {
text: "sidebar",
tooltip: "sidebar options",
content: "<<tiddler SideBarOptions>><<tiddler SideBarTabs>>"
};
config.backstageTasks.push("sidebar");
config.macros.BackstageSidebarPlugin = {
tiddler:tiddler
};
config.macros.BackstageSidebarPlugin.init = function() {
var tiddler = this.tiddler;
setStylesheet(store.getTiddlerText(tiddler.title+'##Stylesheet'),'BackstageSidebarPlugin');
};
} //# end of 'install only once'
//}}}
/***
!Stylesheet
#sidebar {
display:none;
}
!(end of Stylesheet)
***/
/***
|Name|DisableWikiLinksPlugin|
|Source|http://www.TiddlyTools.com/#DisableWikiLinksPlugin|
|Version|1.6.0|
|Author|Eric Shulman|
|License|http://www.TiddlyTools.com/#LegalStatements|
|~CoreVersion|2.1|
|Type|plugin|
|Description|selectively disable TiddlyWiki's automatic ~WikiWord linking behavior|
This plugin allows you to disable TiddlyWiki's automatic ~WikiWord linking behavior, so that WikiWords embedded in tiddler content will be rendered as regular text, instead of being automatically converted to tiddler links. To create a tiddler link when automatic linking is disabled, you must enclose the link text within {{{[[...]]}}}.
!!!!!Usage
<<<
You can block automatic WikiWord linking behavior for any specific tiddler by ''tagging it with<<tag excludeWikiWords>>'' (see configuration below) or, check a plugin option to disable automatic WikiWord links to non-existing tiddler titles, while still linking WikiWords that correspond to existing tiddlers titles or shadow tiddler titles. You can also block specific selected WikiWords from being automatically linked by listing them in [[DisableWikiLinksList]] (see configuration below), separated by whitespace. This tiddler is optional and, when present, causes the listed words to always be excluded, even if automatic linking of other WikiWords is being permitted.
Note: WikiWords contained in default ''shadow'' tiddlers will be automatically linked unless you select an additional checkbox option lets you disable these automatic links as well, though this is not recommended, since it can make it more difficult to access some TiddlyWiki standard default content (such as AdvancedOptions or SideBarTabs)
<<<
!!!!!Configuration
<<<
<<option chkDisableWikiLinks>> Disable ALL automatic WikiWord tiddler links
<<option chkAllowLinksFromShadowTiddlers>> ... except for WikiWords //contained in// shadow tiddlers
<<option chkDisableNonExistingWikiLinks>> Disable automatic WikiWord links for non-existing tiddlers
Disable automatic WikiWord links for words listed in: <<option txtDisableWikiLinksList>>
Disable automatic WikiWord links for tiddlers tagged with: <<option txtDisableWikiLinksTag>>
<<<
!!!!!Revisions
<<<
2008.07.22 [1.6.0] hijack tiddler changed() method to filter disabled wiki words from internal links[] array (so they won't appear in the missing tiddlers list)
2007.06.09 [1.5.0] added configurable txtDisableWikiLinksTag (default value: "excludeWikiWords") to allows selective disabling of automatic WikiWord links for any tiddler tagged with that value.
2006.12.31 [1.4.0] in formatter, test for chkDisableNonExistingWikiLinks
2006.12.09 [1.3.0] in formatter, test for excluded wiki words specified in DisableWikiLinksList
2006.12.09 [1.2.2] fix logic in autoLinkWikiWords() (was allowing links TO shadow tiddlers, even when chkDisableWikiLinks is TRUE).
2006.12.09 [1.2.1] revised logic for handling links in shadow content
2006.12.08 [1.2.0] added hijack of Tiddler.prototype.autoLinkWikiWords so regular (non-bracketed) WikiWords won't be added to the missing list
2006.05.24 [1.1.0] added option to NOT bypass automatic wikiword links when displaying default shadow content (default is to auto-link shadow content)
2006.02.05 [1.0.1] wrapped wikifier hijack in init function to eliminate globals and avoid FireFox 1.5.0.1 crash bug when referencing globals
2005.12.09 [1.0.0] initial release
<<<
!!!!!Code
***/
//{{{
version.extensions.DisableWikiLinksPlugin= {major: 1, minor: 6, revision: 0, date: new Date(2008,7,22)};
if (config.options.chkDisableNonExistingWikiLinks==undefined) config.options.chkDisableNonExistingWikiLinks= false;
if (config.options.chkDisableWikiLinks==undefined) config.options.chkDisableWikiLinks=false;
if (config.options.txtDisableWikiLinksList==undefined) config.options.txtDisableWikiLinksList="DisableWikiLinksList";
if (config.options.chkAllowLinksFromShadowTiddlers==undefined) config.options.chkAllowLinksFromShadowTiddlers=true;
if (config.options.txtDisableWikiLinksTag==undefined) config.options.txtDisableWikiLinksTag="excludeWikiWords";
// find the formatter for wikiLink and replace handler with 'pass-thru' rendering
initDisableWikiLinksFormatter();
function initDisableWikiLinksFormatter() {
for (var i=0; i<config.formatters.length && config.formatters[i].name!="wikiLink"; i++);
config.formatters[i].coreHandler=config.formatters[i].handler;
config.formatters[i].handler=function(w) {
// supress any leading "~" (if present)
var skip=(w.matchText.substr(0,1)==config.textPrimitives.unWikiLink)?1:0;
var title=w.matchText.substr(skip);
var exists=store.tiddlerExists(title);
var inShadow=w.tiddler && store.isShadowTiddler(w.tiddler.title);
// check for excluded Tiddler
if (w.tiddler && w.tiddler.isTagged(config.options.txtDisableWikiLinksTag))
{ w.outputText(w.output,w.matchStart+skip,w.nextMatch); return; }
// check for specific excluded wiki words
var t=store.getTiddlerText(config.options.txtDisableWikiLinksList);
if (t && t.length && t.indexOf(w.matchText)!=-1)
{ w.outputText(w.output,w.matchStart+skip,w.nextMatch); return; }
// if not disabling links from shadows (default setting)
if (config.options.chkAllowLinksFromShadowTiddlers && inShadow)
return this.coreHandler(w);
// check for non-existing non-shadow tiddler
if (config.options.chkDisableNonExistingWikiLinks && !exists)
{ w.outputText(w.output,w.matchStart+skip,w.nextMatch); return; }
// if not enabled, just do standard WikiWord link formatting
if (!config.options.chkDisableWikiLinks)
return this.coreHandler(w);
// just return text without linking
w.outputText(w.output,w.matchStart+skip,w.nextMatch)
}
}
Tiddler.prototype.coreAutoLinkWikiWords = Tiddler.prototype.autoLinkWikiWords;
Tiddler.prototype.autoLinkWikiWords = function()
{
// if all automatic links are not disabled, just return results from core function
if (!config.options.chkDisableWikiLinks)
return this.coreAutoLinkWikiWords.apply(this,arguments);
return false;
}
Tiddler.prototype.disableWikiLinks_changed = Tiddler.prototype.changed;
Tiddler.prototype.changed = function()
{
this.disableWikiLinks_changed.apply(this,arguments);
// remove excluded wiki words from links array
var t=store.getTiddlerText(config.options.txtDisableWikiLinksList,"").readBracketedList();
if (t.length) for (var i=0; i<t.length; i++)
if (this.links.contains(t[i]))
this.links.splice(this.links.indexOf(t[i]),1);
};
//}}}
<HTML>
<HEAD>
<META HTTP-EQUIV="CONTENT-TYPE" CONTENT="text/html; charset=windows-1251">
</HEAD>
<BODY TEXT="#000000">
<TABLE FRAME=VOID CELLSPACING=0 COLS=37 RULES=NONE BORDER=0>
<COLGROUP><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28><COL WIDTH=28></COLGROUP>
<TBODY>
<TR>
<TD WIDTH=28 HEIGHT=64 ALIGN=LEFT><FONT FACE="Rehotalko" SIZE=3><BR></FONT></TD>
<TD COLSPAN=35 WIDTH=992 ALIGN=CENTER><B><FONT FACE="Monotype Corsiva" SIZE=6>Tables of discourse indicators </FONT></B></TD>
<TD WIDTH=28 ALIGN=LEFT><FONT FACE="Rehotalko" SIZE=3><BR></FONT></TD>
</TR>
<TR>
<TD HEIGHT=24 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD HEIGHT=17 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=CENTER VALIGN=BOTTOM BGCOLOR="#E6E6E6"><B><FONT FACE="Comic Sans MS" SIZE=3>cu'i</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><B><FONT FACE="Comic Sans MS" SIZE=3>nai</FONT></B></TD>
<TD ALIGN=LEFT VALIGN=BOTTOM><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=BOTTOM><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=BOTTOM><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=BOTTOM><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Comic Sans MS" SIZE=3><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=CENTER VALIGN=BOTTOM BGCOLOR="#E6E6E6"><B><FONT FACE="Comic Sans MS" SIZE=3>cu'i</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><B><FONT FACE="Comic Sans MS" SIZE=3>nai</FONT></B></TD>
</TR>
<TR>
<TD HEIGHT=16 ALIGN=LEFT VALIGN=TOP><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=TOP><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT VALIGN=TOP><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=TOP BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>positive</FONT></TD>
<TD STYLE="border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=CENTER VALIGN=TOP BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>neutral/lacking</FONT></TD>
<TD STYLE="border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT VALIGN=TOP BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>negative/opposite</FONT></TD>
<TD ALIGN=LEFT VALIGN=TOP><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=TOP><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=TOP><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT VALIGN=TOP><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=TOP BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>positive</FONT></TD>
<TD STYLE="border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=CENTER VALIGN=TOP BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>neutral/lacking</FONT></TD>
<TD STYLE="border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT VALIGN=TOP BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>negative/opposite</FONT></TD>
</TR>
<TR>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=20 HEIGHT=361 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS" SIZE=3>Attitudes</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">a'a</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">attentive</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text">inattentive</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">avoiding</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=11 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS" SIZE=3>Evidentials</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ba'a</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I expect</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I experience</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I remember</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">a'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">alertness</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">exhaustion</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ca'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">I define</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">a'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">effort</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text">no real effort</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">repose</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ja'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I conclude</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">a'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">hope</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">despair</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ju'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">I state</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">a'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">interest</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text">no interest</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">repulsion</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ka'u</FONT></B></TD>
<TD COLSPAN=6 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I know by cultural means</FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ai</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">intent</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">indecision</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">refusal</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">pe'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">I opine</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">au</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">desire</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text">indifference</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">reluctance</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ru'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I postulate</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">e'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">permission</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">prohibition</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">se'o</FONT></B></TD>
<TD COLSPAN=10 ALIGN=LEFT><FONT FACE="Komika Text">I know by internal experience</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">e'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">competence</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">incompetence</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">su'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I generalize</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I particularize</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">e'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">constraint</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">independence</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">resist to constraint</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ti'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">I hear (hearsay)</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">e'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">request</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">negative request</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">za'a</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text">I observe</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">e'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">suggestion</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">no suggestion</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">warning</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">ei</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">obligation</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">freedom</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=26 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS" SIZE=3>Discoursives</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">ba'u</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">exaggeration</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">accuracy</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">understatement</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">i'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">acceptance</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">blame</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">da'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">supposing</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">in fact</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">i'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">approval</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text">non-approval</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">disapproval</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">do'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">generously</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">parsimoniously</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ia</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">belief</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">skepticism</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">disbelief</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">fu'au</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">luckily</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">not pertaining to luck</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">unluckily</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">ie</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">agreement</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">disagreement</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">je'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">truly</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">falsely</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">i'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">togetherness</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">privacy</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ji'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">additionally</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">i'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">appreciation</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">envy</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">ju'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">certainly</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">uncertain</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">certainly not</FONT></TD>
</TR>
<TR>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">i'u</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">familiarity</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">mystery</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ke'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">repeating</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">continuing</FONT></TD>
</TR>
<TR>
<TD HEIGHT=18 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">ku'i</FONT></B></TD>
<TD COLSPAN=10 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">however/but/in contrast</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=19 HEIGHT=343 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS" SIZE=3>Emotions</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">ii</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">fear</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text">nervousness</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">security</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">la'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">probably</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">improbably</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">io</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">respect</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">disrespect</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">li'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">clearly/obviously</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">obscurely</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">iu</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">love</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text">no love lost</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">hatred</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">mi'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">ditto</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">o'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">pride</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">modesty</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">shame</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">mu'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">for example</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">omitting examples</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">end examples</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">o'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">closeness</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text">detachment</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">distance</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">pa'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">justice</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">prejudice</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">o'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">caution</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">boldness</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">rashness</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">pe'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">figuratively</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">literally</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">o'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">patience</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text">mere tolerance</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">anger</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">po'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">the only relevant case</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">o'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">relaxation</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">composure</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">stress</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">ra'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">chiefly</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">equally</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">incidentally</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">oi</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">complaint/pain</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text">doing OK</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">pleasure</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">sa'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">precisely speaking</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">loosely speaking</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">u'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">gain</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">loss</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">sa'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">simply</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">elaborating</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">u'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">wonder</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">commonplace</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">si'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">similarly</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">u'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">amusement</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">weariness</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">ta'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">by the way</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">returning to point</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">u'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">courage</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text">timidity</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">cowardice</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ta'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">expanding a tanru</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">making a tanru</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">u'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">repentance</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">lack of regret</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">innocence</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">to'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">in brief</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">in detail</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">ua</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">discovery</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">confusion</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">va'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">in other words</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">in the same words</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ue</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">surprise</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">no surprise</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">expectation</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6FF"><B><FONT FACE="Comic Sans MS">zo'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">humorously</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">dully</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6FF"><FONT FACE="Komika Text">seriously</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">ui</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">happiness</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">unhappiness</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">zu'u</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">on the one hand</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">on the other hand</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">uo</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">completion</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">incompleteness</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">uu</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">pity</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">cruelty</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=8 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#FFD320"><B><FONT FACE="Comic Sans MS" SIZE=3>Modifiers</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFD320"><B><FONT FACE="Comic Sans MS">ga'i</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFD320"><FONT FACE="Komika Text">hauteur/rank</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFD320"><FONT FACE="Komika Text">equal rank</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFD320"><FONT FACE="Komika Text">meekness/lack of rank</FONT></TD>
</TR>
<TR>
<TD HEIGHT=18 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">le'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">aggressive</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">passive</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">defensive</FONT></TD>
</TR>
<TR>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=21 HEIGHT=379 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS" SIZE=3>Vocatives</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">be'e</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">request to send</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFD320"><B><FONT FACE="Comic Sans MS">vu'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFD320"><FONT FACE="Komika Text">virtue (zabna)</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFD320"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFD320"><FONT FACE="Komika Text">sin (mabla)</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">co'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">partings (“bye!”)</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">se'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">self-orientation</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">other-orientation</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">coi</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">greetings (“Hi!”)</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFD320"><B><FONT FACE="Comic Sans MS">ri'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFD320"><FONT FACE="Komika Text">release</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFD320"><FONT FACE="Komika Text">restraint</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFD320"><FONT FACE="Komika Text">control</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">da'oi</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text">assign attitude/emotion to the listener</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">fu'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">with help/easily</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">without help</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">dai</FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">assign attitude/emotion to someone (empathy)</FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFD320"><B><FONT FACE="Comic Sans MS">be'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFD320"><FONT FACE="Komika Text">lack/need</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFD320"><FONT FACE="Komika Text">presence/satisfaction</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFD320"><FONT FACE="Komika Text">satiation</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">di'ai</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">well-wish</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">curse</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">se'a</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">self-sufficiency</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">dependency</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">do'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">end vocative</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">doi</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">Identify listener</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=6 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS" SIZE=3>Categories</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">ro'a</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">social</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">asocial</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">antisocial</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">fe'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">end of communication</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">not done</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ro'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">mental</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">mindless</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">fi'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">welcome/offering</FONT></TD>
<TD ALIGN=LEFT><BR></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=7 ALIGN=RIGHT><FONT FACE="Komika Text">unwelcome/inhospitality</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">ro'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">emotional</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#B7E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">denying emotion</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">je'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">successful</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">unsuccessful</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ro'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">physical</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">denying physical</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ju'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">attention</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">at ease</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">ignore me/us</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">ro'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">sexual</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#B7E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">sexual abstinence</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">ke'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">please repeat</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">no repeat needed</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">re'e</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">spiritual</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">secular</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">sacrilegious</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ki'e</FONT></B></TD>
<TD COLSPAN=6 ALIGN=LEFT><FONT FACE="Komika Text">appreciation/gratitude</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><BR></TD>
<TD COLSPAN=7 ALIGN=RIGHT><FONT FACE="Komika Text">disappreciation/ingratitude</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">mi'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">self-identification</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">non-identification</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=3 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS" SIZE=3>Misc</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">bi'u</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">new information</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">old information</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">mu'o</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text">completion of utterance</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">more to follow</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">bu'o</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">start emotion</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text">continue emotion</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">end emotion</FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">nu'e</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">promise</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">release promise</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">non-promise</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">ge'e</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">non-specific indicator</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">pe'u</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">request</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">re'i</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">ready to receive</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">not ready</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=4 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">Question</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">kau</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">indirect question</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ta'a</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">interruption</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">pau</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">question premarker</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text">rhetorical question</FONT></TD>
</TR>
<TR>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">vi'o</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">will comply</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">will not comply</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFCC99"><B><FONT FACE="Comic Sans MS">pei</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#FFCC99"><FONT FACE="Komika Text">attitude question</FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFCC99"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD HEIGHT=18 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT VALIGN=BOTTOM BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">xu</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text">true-false question</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD HEIGHT=18 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=12 HEIGHT=220 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS" SIZE=3>Scales</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=3 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>neutral</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>a little</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>medium</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000" ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>extreme</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">cu'i</FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD COLSPAN=2 ALIGN=CENTER BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ru'e</FONT></B></TD>
<TD ALIGN=CENTER BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD COLSPAN=2 ALIGN=CENTER BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">sai</FONT></B></TD>
<TD ALIGN=RIGHT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">cai</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>open</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000" COLSPAN=13 ALIGN=LEFT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#E6E6E6"><FONT FACE="Komika Text" SIZE=1>close</FONT></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text" SIZE=1>weaker than previous</FONT></TD>
<TD COLSPAN=7 ALIGN=CENTER><FONT FACE="Komika Text" SIZE=1>as previous</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text" SIZE=1>stronger than previous</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=11 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS" SIZE=3>Quotes</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">fu'e</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=13 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">attitudinal scope</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">fu'o</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">me'ai</FONT></B></TD>
<TD COLSPAN=7 ALIGN=CENTER><B><FONT FACE="Comic Sans MS">dau'i</FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS">mau'i</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">lo'u</FONT></B></TD>
<TD COLSPAN=13 ALIGN=CENTER><FONT FACE="Komika Text">quote (questionable/out-of-context)</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS">le'u</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>bridi affirmer</FONT></TD>
<TD COLSPAN=7 ALIGN=LEFT BGCOLOR="#B4FF77"><BR></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>bridi negator</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">lu</FONT></B></TD>
<TD COLSPAN=13 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"> quote (grammatical text)</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">li'u</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ja'a</FONT></B></TD>
<TD COLSPAN=7 ALIGN=CENTER BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">na</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">sei</FONT></B></TD>
<TD COLSPAN=13 ALIGN=CENTER><FONT FACE="Komika Text">discursive (metalinguistic) bridi</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS">se'u</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text" SIZE=1>cmavo affirmer</FONT></TD>
<TD COLSPAN=7 ALIGN=LEFT><BR></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text" SIZE=1>cmavo negator</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">to</FONT></B></TD>
<TD COLSPAN=13 ALIGN=CENTER BGCOLOR="#CCCCFF"><FONT FACE="Komika Text"> parenthetical note</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">toi</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ja'ai</FONT></B></TD>
<TD COLSPAN=7 ALIGN=CENTER><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS">nai</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">to'i</FONT></B></TD>
<TD COLSPAN=13 ALIGN=CENTER><FONT FACE="Komika Text">editorial unquote </FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS">toi</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>metalinguistic affirmer</FONT></TD>
<TD COLSPAN=7 ALIGN=CENTER BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>metalinguistic confusion</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><FONT FACE="Komika Text" SIZE=1>metalinguistic negator</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">li'o</FONT></B></TD>
<TD COLSPAN=13 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">omitted text within a quote</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">jo'a</FONT></B></TD>
<TD COLSPAN=7 ALIGN=CENTER BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">ki'a</FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#B4FF77"><B><FONT FACE="Comic Sans MS">na'i</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">sa'a</FONT></B></TD>
<TD COLSPAN=13 ALIGN=LEFT><FONT FACE="Komika Text">material inserted by the editor/narrator</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=3 ALIGN=LEFT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1>scalar affirmer</FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD COLSPAN=4 ALIGN=CENTER BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1>midpoint scalar neg.</FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD COLSPAN=4 ALIGN=CENTER BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1>contrary scalar neg.</FONT></TD>
<TD ALIGN=LEFT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=3 ALIGN=RIGHT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text" SIZE=1>polar opposite</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">zo</FONT></B></TD>
<TD COLSPAN=13 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">quote next Lojban word </FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
</TR>
<TR>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS">je'a</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=4 ALIGN=CENTER BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS">no'e</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=4 ALIGN=CENTER BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS">na'e</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#FFFFFF"><B><FONT FACE="Comic Sans MS">to'e</FONT></B></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">zo'oi</FONT></B></TD>
<TD COLSPAN=13 ALIGN=LEFT><FONT FACE="Komika Text">quote next non-Lojban word (dot-sided)</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
</TR>
<TR>
<TD HEIGHT=18 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS">zoi</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=13 ALIGN=LEFT BGCOLOR="#CCCCFF"><FONT FACE="Komika Text">delimited non-Lojban quotation</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#CCCCFF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
</TR>
<TR>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=6 HEIGHT=108 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS" SIZE=3>Markers</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">ba'e</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=10 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">next word or sumti is emphasized</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ba'ei</FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=15 ALIGN=LEFT><FONT FACE="Komika Text">next word only is emphasized</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-bottom: 1px solid #000000; border-left: 1px solid #000000" ROWSPAN=4 ALIGN=CENTER VALIGN=MIDDLE BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">Mistakes</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=2 ALIGN=LEFT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">lo'ai</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">(text to be replaced)</FONT></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=3 ALIGN=CENTER BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">sa'ai</FONT></B></TD>
<TD STYLE="border-top: 1px solid #000000" COLSPAN=5 ALIGN=CENTER BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">(replacement text)</FONT></TD>
<TD STYLE="border-top: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">le'ai</FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">sa'ei</FONT></B></TD>
<TD COLSPAN=10 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">next cmevla or zoi-quote is an onomatopoeia</FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=5 ALIGN=RIGHT BGCOLOR="#FFFF99"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">sa</FONT></B></TD>
<TD ALIGN=LEFT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text">erase complete or partial utterance</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ki'ai</FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=15 ALIGN=LEFT><FONT FACE="Komika Text">next cmevla or zoi-quote is a nonce interjection/attitudinal</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS">si</FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT BGCOLOR="#B7E6FF"><FONT FACE="Komika Text">erase last word</FONT></TD>
<TD COLSPAN=3 ALIGN=CENTER BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD COLSPAN=5 ALIGN=CENTER BGCOLOR="#B7E6FF"><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=2 ALIGN=RIGHT BGCOLOR="#B7E6FF"><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
</TR>
<TR>
<TD COLSPAN=2 ALIGN=LEFT BGCOLOR="#FFFF99"><B><FONT FACE="Comic Sans MS">za'e</FONT></B></TD>
<TD STYLE="border-right: 1px solid #000000" COLSPAN=15 ALIGN=LEFT BGCOLOR="#FFFF99"><FONT FACE="Komika Text">next word is nonce-creation</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">su</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT BGCOLOR="#FFFFFF"><FONT FACE="Komika Text">erase everything and start over</FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
<TR>
<TD STYLE="border-bottom: 1px solid #000000" COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS">ze'ei</FONT></B></TD>
<TD STYLE="border-bottom: 1px solid #000000; border-right: 1px solid #000000" COLSPAN=15 ALIGN=LEFT><FONT FACE="Komika Text">create a nonce word binding two words</FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=2 ALIGN=LEFT><B><FONT FACE="Comic Sans MS"><BR></FONT></B></TD>
<TD COLSPAN=5 ALIGN=LEFT><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=CENTER><FONT FACE="Komika Text"><BR></FONT></TD>
<TD COLSPAN=5 ALIGN=RIGHT><FONT FACE="Komika Text"><BR></FONT></TD>
</TR>
</TBODY>
</TABLE>
</BODY>
</HTML>
Press <html><a href='http://fricukt.tiddlyspot.com/download' class='link'><u>this</u></a></html> link to download fricukt to your desktop.
/***
|Name|InlineJavascriptPlugin|
|Source|http://www.TiddlyTools.com/#InlineJavascriptPlugin|
|Documentation|http://www.TiddlyTools.com/#InlineJavascriptPluginInfo|
|Version|1.9.6|
|Author|Eric Shulman|
|License|http://www.TiddlyTools.com/#LegalStatements|
|~CoreVersion|2.1|
|Type|plugin|
|Description|Insert Javascript executable code directly into your tiddler content.|
''Call directly into TW core utility routines, define new functions, calculate values, add dynamically-generated TiddlyWiki-formatted output'' into tiddler content, or perform any other programmatic actions each time the tiddler is rendered.
!!!!!Documentation
>see [[InlineJavascriptPluginInfo]]
!!!!!Revisions
<<<
2010.12.15 1.9.6 allow (but ignore) type="..." syntax
|please see [[InlineJavascriptPluginInfo]] for additional revision details|
2005.11.08 1.0.0 initial release
<<<
!!!!!Code
***/
//{{{
version.extensions.InlineJavascriptPlugin= {major: 1, minor: 9, revision: 6, date: new Date(2010,12,15)};
config.formatters.push( {
name: "inlineJavascript",
match: "\\<script",
lookahead: "\\<script(?: type=\\\"[^\\\"]*\\\")?(?: src=\\\"([^\\\"]*)\\\")?(?: label=\\\"([^\\\"]*)\\\")?(?: title=\\\"([^\\\"]*)\\\")?(?: key=\\\"([^\\\"]*)\\\")?( show)?\\>((?:.|\\n)*?)\\</script\\>",
handler: function(w) {
var lookaheadRegExp = new RegExp(this.lookahead,"mg");
lookaheadRegExp.lastIndex = w.matchStart;
var lookaheadMatch = lookaheadRegExp.exec(w.source)
if(lookaheadMatch && lookaheadMatch.index == w.matchStart) {
var src=lookaheadMatch[1];
var label=lookaheadMatch[2];
var tip=lookaheadMatch[3];
var key=lookaheadMatch[4];
var show=lookaheadMatch[5];
var code=lookaheadMatch[6];
if (src) { // external script library
var script = document.createElement("script"); script.src = src;
document.body.appendChild(script); document.body.removeChild(script);
}
if (code) { // inline code
if (show) // display source in tiddler
wikify("{{{\n"+lookaheadMatch[0]+"\n}}}\n",w.output);
if (label) { // create 'onclick' command link
var link=createTiddlyElement(w.output,"a",null,"tiddlyLinkExisting",wikifyPlainText(label));
var fixup=code.replace(/document.write\s*\(/gi,'place.bufferedHTML+=(');
link.code="function _out(place,tiddler){"+fixup+"\n};_out(this,this.tiddler);"
link.tiddler=w.tiddler;
link.onclick=function(){
this.bufferedHTML="";
try{ var r=eval(this.code);
if(this.bufferedHTML.length || (typeof(r)==="string")&&r.length)
var s=this.parentNode.insertBefore(document.createElement("span"),this.nextSibling);
if(this.bufferedHTML.length)
s.innerHTML=this.bufferedHTML;
if((typeof(r)==="string")&&r.length) {
wikify(r,s,null,this.tiddler);
return false;
} else return r!==undefined?r:false;
} catch(e){alert(e.description||e.toString());return false;}
};
link.setAttribute("title",tip||"");
var URIcode='javascript:void(eval(decodeURIComponent(%22(function(){try{';
URIcode+=encodeURIComponent(encodeURIComponent(code.replace(/\n/g,' ')));
URIcode+='}catch(e){alert(e.description||e.toString())}})()%22)))';
link.setAttribute("href",URIcode);
link.style.cursor="pointer";
if (key) link.accessKey=key.substr(0,1); // single character only
}
else { // run script immediately
var fixup=code.replace(/document.write\s*\(/gi,'place.innerHTML+=(');
var c="function _out(place,tiddler){"+fixup+"\n};_out(w.output,w.tiddler);";
try { var out=eval(c); }
catch(e) { out=e.description?e.description:e.toString(); }
if (out && out.length) wikify(out,w.output,w.highlightRegExp,w.tiddler);
}
}
w.nextMatch = lookaheadMatch.index + lookaheadMatch[0].length;
}
}
} )
//}}}
// // Backward-compatibility for TW2.1.x and earlier
//{{{
if (typeof(wikifyPlainText)=="undefined") window.wikifyPlainText=function(text,limit,tiddler) {
if(limit > 0) text = text.substr(0,limit);
var wikifier = new Wikifier(text,formatter,null,tiddler);
return wikifier.wikifyPlain();
}
//}}}
// // GLOBAL FUNCTION: $(...) -- 'shorthand' convenience syntax for document.getElementById()
//{{{
if (typeof($)=='undefined') { function $(id) { return document.getElementById(id.replace(/^#/,'')); } }
//}}}
/***
|''Name:''|LoadRemoteFileThroughProxy (previous LoadRemoteFileHijack)|
|''Description:''|When the TiddlyWiki file is located on the web (view over http) the content of [[SiteProxy]] tiddler is added in front of the file url. If [[SiteProxy]] does not exist "/proxy/" is added. |
|''Version:''|1.1.0|
|''Date:''|mar 17, 2007|
|''Source:''|http://tiddlywiki.bidix.info/#LoadRemoteFileHijack|
|''Author:''|BidiX (BidiX (at) bidix (dot) info)|
|''License:''|[[BSD open source license|http://tiddlywiki.bidix.info/#%5B%5BBSD%20open%20source%20license%5D%5D ]]|
|''~CoreVersion:''|2.2.0|
***/
//{{{
version.extensions.LoadRemoteFileThroughProxy = {
major: 1, minor: 1, revision: 0,
date: new Date("mar 17, 2007"),
source: "http://tiddlywiki.bidix.info/#LoadRemoteFileThroughProxy"};
if (!window.bidix) window.bidix = {}; // bidix namespace
if (!bidix.core) bidix.core = {};
bidix.core.loadRemoteFile = loadRemoteFile;
loadRemoteFile = function(url,callback,params)
{
if ((document.location.toString().substr(0,4) == "http") && (url.substr(0,4) == "http")){
url = store.getTiddlerText("SiteProxy", "/proxy/") + url;
}
return bidix.core.loadRemoteFile(url,callback,params);
}
//}}}
/%
<script>
tid=store.getTiddler('sisku (alpha)');
var text=store.getTiddlerText('sisku (alpha)','');
store.saveTiddler("sisku (alpha)","sisku (beta)","test",'',new Date(),["sisku"],{});
</script>
%/
<!--{{{-->
<link rel="shortcut icon" href="https://3612244708773099758-a-1802744773732722657-s-sites.googlegroups.com/site/slovlacukt/file-cabinet/filbo.ico" type="image/x-icon">
<script src="https://raw.github.com/mhagiwara/camxes.js/master/camxes.js"></script>
<!--}}}-->
<!--{{{-->
<div class='header' macro='gradient vert [[ColorPalette::PrimaryLight]] [[ColorPalette::PrimaryMid]]'>
<div class='headerShadow'>
<span class='siteTitle' refresh='content' tiddler='SiteTitle'></span>
<span class='siteSubtitle' refresh='content' tiddler='SiteSubtitle'></span>
</div>
<div class='headerForeground'>
<span class='siteTitle' refresh='content' tiddler='SiteTitle'></span>
<span class='siteSubtitle' refresh='content' tiddler='SiteSubtitle'></span>
</div>
</div>
<div id='topMenu' refresh='content' tiddler='TopMenu'></div>
<div id='sidebar'>
<div id='sidebarOptions' refresh='content' tiddler='SideBarOptions'></div>
<div id='sidebarTabs' refresh='content' force='true' tiddler='SideBarTabs'></div>
</div>
<div id='displayArea'>
<div id='messageArea'></div>
<div id='tiddlerDisplay'></div>
</div>
<!--}}}-->
/***
|''Name:''|PasswordOptionPlugin|
|''Description:''|Extends TiddlyWiki options with non encrypted password option.|
|''Version:''|1.0.2|
|''Date:''|Apr 19, 2007|
|''Source:''|http://tiddlywiki.bidix.info/#PasswordOptionPlugin|
|''Author:''|BidiX (BidiX (at) bidix (dot) info)|
|''License:''|[[BSD open source license|http://tiddlywiki.bidix.info/#%5B%5BBSD%20open%20source%20license%5D%5D ]]|
|''~CoreVersion:''|2.2.0 (Beta 5)|
***/
//{{{
version.extensions.PasswordOptionPlugin = {
major: 1, minor: 0, revision: 2,
date: new Date("Apr 19, 2007"),
source: 'http://tiddlywiki.bidix.info/#PasswordOptionPlugin',
author: 'BidiX (BidiX (at) bidix (dot) info',
license: '[[BSD open source license|http://tiddlywiki.bidix.info/#%5B%5BBSD%20open%20source%20license%5D%5D]]',
coreVersion: '2.2.0 (Beta 5)'
};
config.macros.option.passwordCheckboxLabel = "Save this password on this computer";
config.macros.option.passwordInputType = "password"; // password | text
setStylesheet(".pasOptionInput {width: 11em;}\n","passwordInputTypeStyle");
merge(config.macros.option.types, {
'pas': {
elementType: "input",
valueField: "value",
eventName: "onkeyup",
className: "pasOptionInput",
typeValue: config.macros.option.passwordInputType,
create: function(place,type,opt,className,desc) {
// password field
config.macros.option.genericCreate(place,'pas',opt,className,desc);
// checkbox linked with this password "save this password on this computer"
config.macros.option.genericCreate(place,'chk','chk'+opt,className,desc);
// text savePasswordCheckboxLabel
place.appendChild(document.createTextNode(config.macros.option.passwordCheckboxLabel));
},
onChange: config.macros.option.genericOnChange
}
});
merge(config.optionHandlers['chk'], {
get: function(name) {
// is there an option linked with this chk ?
var opt = name.substr(3);
if (config.options[opt])
saveOptionCookie(opt);
return config.options[name] ? "true" : "false";
}
});
merge(config.optionHandlers, {
'pas': {
get: function(name) {
if (config.options["chk"+name]) {
return encodeCookie(config.options[name].toString());
} else {
return "";
}
},
set: function(name,value) {config.options[name] = decodeCookie(value);}
}
});
// need to reload options to load passwordOptions
loadOptionsCookie();
/*
if (!config.options['pasPassword'])
config.options['pasPassword'] = '';
merge(config.optionsDesc,{
pasPassword: "Test password"
});
*/
//}}}
/%
!info
|Name|ReplaceDoubleClick|
|Source|http://www.TiddlyTools.com/#ReplaceDoubleClick|
|Version|2.0.0|
|Author|Eric Shulman|
|License|http://www.TiddlyTools.com/#LegalStatements|
|~CoreVersion|2.1|
|Type|transclusion|
|Description|disable doubleclick-to-edit-tiddler or replace doubleclick with shift/ctrl/alt+singleclick|
Usage:
<<<
{{{
<<tiddler ReplaceDoubleClick>> or
<<tiddler ReplaceDoubleClick with: key trigger>>
}}}
*''key'' (optional)
**''none'' (default=disables double-click)
**''ctrl, shift,'' or ''alt'' invokes the action only when the indicated key is used in combination with the mouse.
*''trigger'' (optional)<br>is either 'click' or 'doubleclick' (default).
<<<
Example:
<<<
{{{<<tiddler ReplaceDoubleClick with: shift click>>}}}
<<tiddler ReplaceDoubleClick with: shift click>>//(use shift+click to edit this tiddler)//
<<<
!end
!show
<<tiddler {{
var here=story.findContainingTiddler(place);
if (here && here.ondblclick) {
here.setAttribute('editKey','none');
var key='$1'; if (key=='$'+'1') key='none'
if (['shift','ctrl','alt'].contains(key))
here.setAttribute('editKey',key+'Key');
var trigger=('$2'=='click')?'onclick':'ondblclick';
here.save_dblclick=here.ondblclick;
here.ondblclick=null;
if (here.getAttribute('editKey')!='none')
here[trigger]=function(e) {
var ev=e?e:window.event;
if (ev[this.getAttribute('editKey')])
this.save_dblclick.apply(this,arguments);
}
}'';}}>>
!end
%/<<tiddler {{var src='ReplaceDoubleClick';src+(tiddler&&tiddler.title==src?'##info':'##show')}} with: [[$1]] [[$2]]>>
//{{{
config.macros.saveStory = {
label: 'set default tiddlers',
defaultTiddler: 'DefaultTiddlers',
prompt: 'store a list of currently displayed tiddlers in another tiddler',
tag: 'story',
excludeTag: 'excludeStory',
handler: function(place,macroName,params,wikifier,paramString,tiddler) {
var tid=params.shift()||'DefaultTiddlers';
var label=params.shift()||this.label;
var tip=params.shift()||this.prompt;
var btn=createTiddlyButton(place,label,tip,this.setTiddler,'button');
btn.setAttribute('tid',tid);
btn.setAttribute('extratags','[['+params.join(']] [[')+']]');
},
setTiddler: function() {
var cms=config.macros.saveStory; // abbrev
// get list of current open tiddlers
var tids=[];
story.forEachTiddler(function(title,element){
var t=store.getTiddler(title);
if (!t || !t.isTagged(cms.excludeTag)) tids.push('[['+title+']]');
});
// get target tiddler
var tid=this.getAttribute('tid');
if (!tid || tid=='ask') {
tid='DefaultTiddlers';
if (!tid || !tid.length) return false; // cancelled by user
}
if(store.tiddlerExists(tid) && !confirm(config.messages.overwriteWarning.format([tid])))
return false;
tids=tids.join('\n');
var t=store.getTiddler(tid); var tags=t?t.tags:[];
var extratags=(this.getAttribute('extratags')||'').readBracketedList();
for (var i=0; i<extratags.length; i++) tags.pushUnique(extratags[i]);
tags.pushUnique(cms.tag);
store.saveTiddler(tid,tid,tids,config.options.txtUserName,new Date(),tags,t?t.fields:null);
story.displayTiddler(null,tid);
story.refreshTiddler(tid,null,true);
displayMessage(tid+' has been '+(t?'updated':'created'));
return false;
}
}
//}}}
<<saveStory>><<search>><<closeAll>><<permaview>><<newTiddler>><<newJournal "DD MMM YYYY" "journal">><<saveChanges>><<tiddler TspotSidebar>><<slider chkSliderOptionsPanel OptionsPanel "options »" "Change TiddlyWiki advanced options">>
/***
|Name|SinglePageModePlugin|
|Source|http://www.TiddlyTools.com/#SinglePageModePlugin|
|Documentation|http://www.TiddlyTools.com/#SinglePageModePluginInfo|
|Version|2.9.7|
|Author|Eric Shulman|
|License|http://www.TiddlyTools.com/#LegalStatements|
|~CoreVersion|2.1|
|Type|plugin|
|Description|Show tiddlers one at a time with automatic permalink, or always open tiddlers at top/bottom of page.|
This plugin allows you to configure TiddlyWiki to navigate more like a traditional multipage web site with only one tiddler displayed at a time.
!!!!!Documentation
>see [[SinglePageModePluginInfo]]
!!!!!Configuration
<<<
<<option chkSinglePageMode>> Display one tiddler at a time
><<option chkSinglePagePermalink>> Automatically permalink current tiddler
><<option chkSinglePageKeepFoldedTiddlers>> Don't close tiddlers that are folded
><<option chkSinglePageKeepEditedTiddlers>> Don't close tiddlers that are being edited
<<option chkTopOfPageMode>> Open tiddlers at the top of the page
<<option chkBottomOfPageMode>> Open tiddlers at the bottom of the page
<<option chkSinglePageAutoScroll>> Automatically scroll tiddler into view (if needed)
Notes:
* The "display one tiddler at a time" option can also be //temporarily// set/reset by including a 'paramifier' in the document URL: {{{#SPM:true}}} or {{{#SPM:false}}}.
* If more than one display mode is selected, 'one at a time' display takes precedence over both 'top' and 'bottom' settings, and if 'one at a time' setting is not used, 'top of page' takes precedence over 'bottom of page'.
* When using Apple's Safari browser, automatically setting the permalink causes an error and is disabled.
<<<
!!!!!Revisions
<<<
2010.11.30 2.9.7 use story.getTiddler()
2008.10.17 2.9.6 changed chkSinglePageAutoScroll default to false
| Please see [[SinglePageModePluginInfo]] for previous revision details |
2005.08.15 1.0.0 Initial Release. Support for BACK/FORWARD buttons adapted from code developed by Clint Checketts.
<<<
!!!!!Code
***/
//{{{
version.extensions.SinglePageModePlugin= {major: 2, minor: 9, revision: 7, date: new Date(2010,11,30)};
//}}}
//{{{
config.paramifiers.SPM = { onstart: function(v) {
config.options.chkSinglePageMode=eval(v);
if (config.options.chkSinglePageMode && config.options.chkSinglePagePermalink && !config.browser.isSafari) {
config.lastURL = window.location.hash;
if (!config.SPMTimer) config.SPMTimer=window.setInterval(function() {checkLastURL();},1000);
}
} };
//}}}
//{{{
if (config.options.chkSinglePageMode==undefined)
config.options.chkSinglePageMode=false;
if (config.options.chkSinglePagePermalink==undefined)
config.options.chkSinglePagePermalink=true;
if (config.options.chkSinglePageKeepFoldedTiddlers==undefined)
config.options.chkSinglePageKeepFoldedTiddlers=false;
if (config.options.chkSinglePageKeepEditedTiddlers==undefined)
config.options.chkSinglePageKeepEditedTiddlers=false;
if (config.options.chkTopOfPageMode==undefined)
config.options.chkTopOfPageMode=false;
if (config.options.chkBottomOfPageMode==undefined)
config.options.chkBottomOfPageMode=false;
if (config.options.chkSinglePageAutoScroll==undefined)
config.options.chkSinglePageAutoScroll=false;
//}}}
//{{{
config.SPMTimer = 0;
config.lastURL = window.location.hash;
function checkLastURL()
{
if (!config.options.chkSinglePageMode)
{ window.clearInterval(config.SPMTimer); config.SPMTimer=0; return; }
if (config.lastURL == window.location.hash) return; // no change in hash
var tids=decodeURIComponent(window.location.hash.substr(1)).readBracketedList();
if (tids.length==1) // permalink (single tiddler in URL)
story.displayTiddler(null,tids[0]);
else { // restore permaview or default view
config.lastURL = window.location.hash;
if (!tids.length) tids=store.getTiddlerText("DefaultTiddlers").readBracketedList();
story.closeAllTiddlers();
story.displayTiddlers(null,tids);
}
}
if (Story.prototype.SPM_coreDisplayTiddler==undefined)
Story.prototype.SPM_coreDisplayTiddler=Story.prototype.displayTiddler;
Story.prototype.displayTiddler = function(srcElement,tiddler,template,animate,slowly)
{
var title=(tiddler instanceof Tiddler)?tiddler.title:tiddler;
var tiddlerElem=story.getTiddler(title); // ==null unless tiddler is already displayed
var opt=config.options;
var single=opt.chkSinglePageMode && !startingUp;
var top=opt.chkTopOfPageMode && !startingUp;
var bottom=opt.chkBottomOfPageMode && !startingUp;
if (single) {
story.forEachTiddler(function(tid,elem) {
// skip current tiddler and, optionally, tiddlers that are folded.
if ( tid==title
|| (opt.chkSinglePageKeepFoldedTiddlers && elem.getAttribute("folded")=="true"))
return;
// if a tiddler is being edited, ask before closing
if (elem.getAttribute("dirty")=="true") {
if (opt.chkSinglePageKeepEditedTiddlers) return;
// if tiddler to be displayed is already shown, then leave active tiddler editor as is
// (occurs when switching between view and edit modes)
if (tiddlerElem) return;
// otherwise, ask for permission
var msg="'"+tid+"' is currently being edited.\n\n";
msg+="Press OK to save and close this tiddler\nor press Cancel to leave it opened";
if (!confirm(msg)) return; else story.saveTiddler(tid);
}
story.closeTiddler(tid);
});
}
else if (top)
arguments[0]=null;
else if (bottom)
arguments[0]="bottom";
if (single && opt.chkSinglePagePermalink && !config.browser.isSafari) {
window.location.hash = encodeURIComponent(String.encodeTiddlyLink(title));
config.lastURL = window.location.hash;
document.title = wikifyPlain("SiteTitle") + " - " + title;
if (!config.SPMTimer) config.SPMTimer=window.setInterval(function() {checkLastURL();},1000);
}
if (tiddlerElem && tiddlerElem.getAttribute("dirty")=="true") { // editing... move tiddler without re-rendering
var isTopTiddler=(tiddlerElem.previousSibling==null);
if (!isTopTiddler && (single || top))
tiddlerElem.parentNode.insertBefore(tiddlerElem,tiddlerElem.parentNode.firstChild);
else if (bottom)
tiddlerElem.parentNode.insertBefore(tiddlerElem,null);
else this.SPM_coreDisplayTiddler.apply(this,arguments); // let CORE render tiddler
} else
this.SPM_coreDisplayTiddler.apply(this,arguments); // let CORE render tiddler
var tiddlerElem=story.getTiddler(title);
if (tiddlerElem&&opt.chkSinglePageAutoScroll) {
// scroll to top of page or top of tiddler
var isTopTiddler=(tiddlerElem.previousSibling==null);
var yPos=isTopTiddler?0:ensureVisible(tiddlerElem);
// if animating, defer scroll until after animation completes
var delay=opt.chkAnimate?config.animDuration+10:0;
setTimeout("window.scrollTo(0,"+yPos+")",delay);
}
}
if (Story.prototype.SPM_coreDisplayTiddlers==undefined)
Story.prototype.SPM_coreDisplayTiddlers=Story.prototype.displayTiddlers;
Story.prototype.displayTiddlers = function() {
// suspend single/top/bottom modes when showing multiple tiddlers
var opt=config.options;
var saveSPM=opt.chkSinglePageMode; opt.chkSinglePageMode=false;
var saveTPM=opt.chkTopOfPageMode; opt.chkTopOfPageMode=false;
var saveBPM=opt.chkBottomOfPageMode; opt.chkBottomOfPageMode=false;
this.SPM_coreDisplayTiddlers.apply(this,arguments);
opt.chkBottomOfPageMode=saveBPM;
opt.chkTopOfPageMode=saveTPM;
opt.chkSinglePageMode=saveSPM;
}
//}}}
cu cukta co kibro je valsi be lo jbobau
body {font-size:0.9em; font-family:verdana,arial,helvetica; margin:0; padding:0;}
.header {position:relative;}
.header a:hover {background:transparent;}
.headerShadow {position:relative; padding:0em 0 0.1em .5em; left:-1px; top:-1px;}
.headerForeground {position:absolute; padding:0em 0 .1em .5em; left:0px; top:0px;}
#displayArea {margin:-1em 4em 0em 4em; }
.viewer a{color: #000;text-decoration:none;background:transparent;}
.viewer a:hover{color:#03f;text-decoration:underline;background:transparent;}
.toolbar {font-size:0em;}
/%
!info
|Name|ToggleRightSidebar|
|Source|http://www.TiddlyTools.com/#ToggleRightSidebar|
|Version|2.0.0|
|Author|Eric Shulman|
|License|http://www.TiddlyTools.com/#LegalStatements|
|~CoreVersion|2.1|
|Type|transclusion|
|Description|show/hide right sidebar (SideBarOptions)|
Usage
<<<
{{{
<<tiddler ToggleRightSidebar>>
<<tiddler ToggleRightSidebar with: label tooltip>>
}}}
Try it: <<tiddler ToggleRightSidebar##show
with: {{config.options.chkShowRightSidebar?'►':'◄'}}>>
<<<
Configuration:
<<<
copy/paste the following settings into a tiddler tagged with <<tag systemConfig>> and then modify the values to suit your preferences:
{{{
config.options.chkShowRightSidebar=true;
config.options.txtToggleRightSideBarLabelShow="◄";
config.options.txtToggleRightSideBarLabelHide="►";
}}}
<<<
!end
!show
<<tiddler {{
var co=config.options;
if (co.chkShowRightSidebar===undefined) co.chkShowRightSidebar=true;
var sb=document.getElementById('sidebar');
var da=document.getElementById('displayArea');
if (sb) {
sb.style.display=co.chkShowRightSidebar?'block':'none';
da.style.marginRight=co.chkShowRightSidebar?'':'1em';
}
'';}}>><html><nowiki><a href='javascript:;' title="$2"
onmouseover="
this.href='javascript:void(eval(decodeURIComponent(%22(function(){try{('
+encodeURIComponent(encodeURIComponent(this.onclick))
+')()}catch(e){alert(e.description?e.description:e.toString())}})()%22)))';"
onclick="
var co=config.options;
var opt='chkShowRightSidebar';
var show=co[opt]=!co[opt];
var sb=document.getElementById('sidebar');
var da=document.getElementById('displayArea');
if (sb) {
sb.style.display=show?'block':'none';
da.style.marginRight=show?'':'1em';
}
saveOptionCookie(opt);
var labelShow=co.txtToggleRightSideBarLabelShow||'◄';
var labelHide=co.txtToggleRightSideBarLabelHide||'►';
if (this.innerHTML==labelShow||this.innerHTML==labelHide)
this.innerHTML=show?labelHide:labelShow;
this.title=(show?'hide':'show')+' right sidebar';
var sm=document.getElementById('storyMenu');
if (sm) config.refreshers.content(sm);
return false;
">$1</a></html>
!end
%/<<tiddler {{
var src='ToggleRightSidebar';
src+(tiddler&&tiddler.title==src?'##info':'##show');
}} with: {{
var co=config.options;
var labelShow=co.txtToggleRightSideBarLabelShow||'◄';
var labelHide=co.txtToggleRightSideBarLabelHide||'►';
'$1'!='$'+'1'?'$1':(co.chkShowRightSidebar?labelHide:labelShow);
}} {{
var tip=(config.options.chkShowRightSidebar?'hide':'show')+' right sidebar';
'$2'!='$'+'2'?'$2':tip;
}}>>
|~ViewToolbar|+editTiddler|
|~EditToolbar|+saveTiddler -cancelTiddler copyTiddler deleteTiddler|
[[Help]] | <html><a href='http://fricukt.tiddlyspot.com/download' class='link'><u>download for offline</u></a></html> | [[sisku]] | [[gadri]] | [[cmavo cartu]] | [[Discourse indicators]] | [[jvozba|http://jwodder.freeshell.org/lojban/jvozba.cgi]] | [[skari]]
/***
Description: Contains the stuff you need to use Tiddlyspot
Note, you also need UploadPlugin, PasswordOptionPlugin and LoadRemoteFileThroughProxy
from http://tiddlywiki.bidix.info for a complete working Tiddlyspot site.
***/
//{{{
// edit this if you are migrating sites or retrofitting an existing TW
config.tiddlyspotSiteId = 'fricukt';
// make it so you can by default see edit controls via http
config.options.chkHttpReadOnly = false;
window.readOnly = false; // make sure of it (for tw 2.2)
window.showBackstage = true; // show backstage too
// disable autosave in d3
if (window.location.protocol != "file:")
config.options.chkGTDLazyAutoSave = false;
// tweak shadow tiddlers to add upload button, password entry box etc
with (config.shadowTiddlers) {
SiteUrl = 'http://'+config.tiddlyspotSiteId+'.tiddlyspot.com';
SideBarOptions = SideBarOptions.replace(/(<<saveChanges>>)/,"$1<<tiddler TspotSidebar>>");
OptionsPanel = OptionsPanel.replace(/^/,"<<tiddler TspotOptions>>");
DefaultTiddlers = DefaultTiddlers.replace(/^/,"[[WelcomeToTiddlyspot]] ");
MainMenu = MainMenu.replace(/^/,"[[WelcomeToTiddlyspot]] ");
}
// create some shadow tiddler content
merge(config.shadowTiddlers,{
'TspotOptions':[
"tiddlyspot password:",
"<<option pasUploadPassword>>",
""
].join("\n"),
'TspotControls':[
"| tiddlyspot password:|<<option pasUploadPassword>>|",
"| site management:|<<upload http://" + config.tiddlyspotSiteId + ".tiddlyspot.com/store.cgi index.html . . " + config.tiddlyspotSiteId + ">>//(requires tiddlyspot password)//<br>[[control panel|http://" + config.tiddlyspotSiteId + ".tiddlyspot.com/controlpanel]], [[download (go offline)|http://" + config.tiddlyspotSiteId + ".tiddlyspot.com/download]]|",
"| links:|[[tiddlyspot.com|http://tiddlyspot.com/]], [[FAQs|http://faq.tiddlyspot.com/]], [[blog|http://tiddlyspot.blogspot.com/]], email [[support|mailto:support@tiddlyspot.com]] & [[feedback|mailto:feedback@tiddlyspot.com]], [[donate|http://tiddlyspot.com/?page=donate]]|"
].join("\n"),
'WelcomeToTiddlyspot':[
"This document is a ~TiddlyWiki from tiddlyspot.com. A ~TiddlyWiki is an electronic notebook that is great for managing todo lists, personal information, and all sorts of things.",
"",
"@@font-weight:bold;font-size:1.3em;color:#444; //What now?// @@ Before you can save any changes, you need to enter your password in the form below. Then configure privacy and other site settings at your [[control panel|http://" + config.tiddlyspotSiteId + ".tiddlyspot.com/controlpanel]] (your control panel username is //" + config.tiddlyspotSiteId + "//).",
"<<tiddler TspotControls>>",
"See also GettingStarted.",
"",
"@@font-weight:bold;font-size:1.3em;color:#444; //Working online// @@ You can edit this ~TiddlyWiki right now, and save your changes using the \"save to web\" button in the column on the right.",
"",
"@@font-weight:bold;font-size:1.3em;color:#444; //Working offline// @@ A fully functioning copy of this ~TiddlyWiki can be saved onto your hard drive or USB stick. You can make changes and save them locally without being connected to the Internet. When you're ready to sync up again, just click \"upload\" and your ~TiddlyWiki will be saved back to tiddlyspot.com.",
"",
"@@font-weight:bold;font-size:1.3em;color:#444; //Help!// @@ Find out more about ~TiddlyWiki at [[TiddlyWiki.com|http://tiddlywiki.com]]. Also visit [[TiddlyWiki.org|http://tiddlywiki.org]] for documentation on learning and using ~TiddlyWiki. New users are especially welcome on the [[TiddlyWiki mailing list|http://groups.google.com/group/TiddlyWiki]], which is an excellent place to ask questions and get help. If you have a tiddlyspot related problem email [[tiddlyspot support|mailto:support@tiddlyspot.com]].",
"",
"@@font-weight:bold;font-size:1.3em;color:#444; //Enjoy :)// @@ We hope you like using your tiddlyspot.com site. Please email [[feedback@tiddlyspot.com|mailto:feedback@tiddlyspot.com]] with any comments or suggestions."
].join("\n"),
'TspotSidebar':[
"<<upload http://" + config.tiddlyspotSiteId + ".tiddlyspot.com/store.cgi index.html . . " + config.tiddlyspotSiteId + ">><html><a href='http://" + config.tiddlyspotSiteId + ".tiddlyspot.com/download' class='button'>download</a></html>"
].join("\n")
});
//}}}
| !date | !user | !location | !storeUrl | !uploadDir | !toFilename | !backupdir | !origin |
| 20/12/2013 12:29:07 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
| 20/12/2013 12:30:35 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
| 20/12/2013 12:34:02 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
| 20/12/2013 12:34:44 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
| 20/12/2013 20:57:26 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
| 06/04/2014 11:54:17 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . | failed |
| 06/04/2014 11:54:43 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
| 11/06/2014 21:04:32 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . | failed |
| 11/06/2014 21:04:56 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . | ok |
| 11/06/2014 21:09:09 | YourName | [[/|http://fricukt.tiddlyspot.com/]] | [[store.cgi|http://fricukt.tiddlyspot.com/store.cgi]] | . | [[index.html | http://fricukt.tiddlyspot.com/index.html]] | . |
/***
|''Name:''|UploadPlugin|
|''Description:''|Save to web a TiddlyWiki|
|''Version:''|4.1.3|
|''Date:''|Feb 24, 2008|
|''Source:''|http://tiddlywiki.bidix.info/#UploadPlugin|
|''Documentation:''|http://tiddlywiki.bidix.info/#UploadPluginDoc|
|''Author:''|BidiX (BidiX (at) bidix (dot) info)|
|''License:''|[[BSD open source license|http://tiddlywiki.bidix.info/#%5B%5BBSD%20open%20source%20license%5D%5D ]]|
|''~CoreVersion:''|2.2.0|
|''Requires:''|PasswordOptionPlugin|
***/
//{{{
version.extensions.UploadPlugin = {
major: 4, minor: 1, revision: 3,
date: new Date("Feb 24, 2008"),
source: 'http://tiddlywiki.bidix.info/#UploadPlugin',
author: 'BidiX (BidiX (at) bidix (dot) info',
coreVersion: '2.2.0'
};
//
// Environment
//
if (!window.bidix) window.bidix = {}; // bidix namespace
bidix.debugMode = false; // true to activate both in Plugin and UploadService
//
// Upload Macro
//
config.macros.upload = {
// default values
defaultBackupDir: '', //no backup
defaultStoreScript: "store.php",
defaultToFilename: "index.html",
defaultUploadDir: ".",
authenticateUser: true // UploadService Authenticate User
};
config.macros.upload.label = {
promptOption: "Save and Upload this TiddlyWiki with UploadOptions",
promptParamMacro: "Save and Upload this TiddlyWiki in %0",
saveLabel: "save to web",
saveToDisk: "save to disk",
uploadLabel: "upload"
};
config.macros.upload.messages = {
noStoreUrl: "No store URL in parmeters or options",
usernameOrPasswordMissing: "Username or password missing"
};
config.macros.upload.handler = function(place,macroName,params) {
if (readOnly)
return;
var label;
if (document.location.toString().substr(0,4) == "http")
label = this.label.saveLabel;
else
label = this.label.uploadLabel;
var prompt;
if (params[0]) {
prompt = this.label.promptParamMacro.toString().format([this.destFile(params[0],
(params[1] ? params[1]:bidix.basename(window.location.toString())), params[3])]);
} else {
prompt = this.label.promptOption;
}
createTiddlyButton(place, label, prompt, function() {config.macros.upload.action(params);}, null, null, this.accessKey);
};
config.macros.upload.action = function(params)
{
// for missing macro parameter set value from options
if (!params) params = {};
var storeUrl = params[0] ? params[0] : config.options.txtUploadStoreUrl;
var toFilename = params[1] ? params[1] : config.options.txtUploadFilename;
var backupDir = params[2] ? params[2] : config.options.txtUploadBackupDir;
var uploadDir = params[3] ? params[3] : config.options.txtUploadDir;
var username = params[4] ? params[4] : config.options.txtUploadUserName;
var password = config.options.pasUploadPassword; // for security reason no password as macro parameter
// for still missing parameter set default value
if ((!storeUrl) && (document.location.toString().substr(0,4) == "http"))
storeUrl = bidix.dirname(document.location.toString())+'/'+config.macros.upload.defaultStoreScript;
if (storeUrl.substr(0,4) != "http")
storeUrl = bidix.dirname(document.location.toString()) +'/'+ storeUrl;
if (!toFilename)
toFilename = bidix.basename(window.location.toString());
if (!toFilename)
toFilename = config.macros.upload.defaultToFilename;
if (!uploadDir)
uploadDir = config.macros.upload.defaultUploadDir;
if (!backupDir)
backupDir = config.macros.upload.defaultBackupDir;
// report error if still missing
if (!storeUrl) {
alert(config.macros.upload.messages.noStoreUrl);
clearMessage();
return false;
}
if (config.macros.upload.authenticateUser && (!username || !password)) {
alert(config.macros.upload.messages.usernameOrPasswordMissing);
clearMessage();
return false;
}
bidix.upload.uploadChanges(false,null,storeUrl, toFilename, uploadDir, backupDir, username, password);
return false;
};
config.macros.upload.destFile = function(storeUrl, toFilename, uploadDir)
{
if (!storeUrl)
return null;
var dest = bidix.dirname(storeUrl);
if (uploadDir && uploadDir != '.')
dest = dest + '/' + uploadDir;
dest = dest + '/' + toFilename;
return dest;
};
//
// uploadOptions Macro
//
config.macros.uploadOptions = {
handler: function(place,macroName,params) {
var wizard = new Wizard();
wizard.createWizard(place,this.wizardTitle);
wizard.addStep(this.step1Title,this.step1Html);
var markList = wizard.getElement("markList");
var listWrapper = document.createElement("div");
markList.parentNode.insertBefore(listWrapper,markList);
wizard.setValue("listWrapper",listWrapper);
this.refreshOptions(listWrapper,false);
var uploadCaption;
if (document.location.toString().substr(0,4) == "http")
uploadCaption = config.macros.upload.label.saveLabel;
else
uploadCaption = config.macros.upload.label.uploadLabel;
wizard.setButtons([
{caption: uploadCaption, tooltip: config.macros.upload.label.promptOption,
onClick: config.macros.upload.action},
{caption: this.cancelButton, tooltip: this.cancelButtonPrompt, onClick: this.onCancel}
]);
},
options: [
"txtUploadUserName",
"pasUploadPassword",
"txtUploadStoreUrl",
"txtUploadDir",
"txtUploadFilename",
"txtUploadBackupDir",
"chkUploadLog",
"txtUploadLogMaxLine"
],
refreshOptions: function(listWrapper) {
var opts = [];
for(i=0; i<this.options.length; i++) {
var opt = {};
opts.push();
opt.option = "";
n = this.options[i];
opt.name = n;
opt.lowlight = !config.optionsDesc[n];
opt.description = opt.lowlight ? this.unknownDescription : config.optionsDesc[n];
opts.push(opt);
}
var listview = ListView.create(listWrapper,opts,this.listViewTemplate);
for(n=0; n<opts.length; n++) {
var type = opts[n].name.substr(0,3);
var h = config.macros.option.types[type];
if (h && h.create) {
h.create(opts[n].colElements['option'],type,opts[n].name,opts[n].name,"no");
}
}
},
onCancel: function(e)
{
backstage.switchTab(null);
return false;
},
wizardTitle: "Upload with options",
step1Title: "These options are saved in cookies in your browser",
step1Html: "<input type='hidden' name='markList'></input><br>",
cancelButton: "Cancel",
cancelButtonPrompt: "Cancel prompt",
listViewTemplate: {
columns: [
{name: 'Description', field: 'description', title: "Description", type: 'WikiText'},
{name: 'Option', field: 'option', title: "Option", type: 'String'},
{name: 'Name', field: 'name', title: "Name", type: 'String'}
],
rowClasses: [
{className: 'lowlight', field: 'lowlight'}
]}
};
//
// upload functions
//
if (!bidix.upload) bidix.upload = {};
if (!bidix.upload.messages) bidix.upload.messages = {
//from saving
invalidFileError: "The original file '%0' does not appear to be a valid TiddlyWiki",
backupSaved: "Backup saved",
backupFailed: "Failed to upload backup file",
rssSaved: "RSS feed uploaded",
rssFailed: "Failed to upload RSS feed file",
emptySaved: "Empty template uploaded",
emptyFailed: "Failed to upload empty template file",
mainSaved: "Main TiddlyWiki file uploaded",
mainFailed: "Failed to upload main TiddlyWiki file. Your changes have not been saved",
//specific upload
loadOriginalHttpPostError: "Can't get original file",
aboutToSaveOnHttpPost: 'About to upload on %0 ...',
storePhpNotFound: "The store script '%0' was not found."
};
bidix.upload.uploadChanges = function(onlyIfDirty,tiddlers,storeUrl,toFilename,uploadDir,backupDir,username,password)
{
var callback = function(status,uploadParams,original,url,xhr) {
if (!status) {
displayMessage(bidix.upload.messages.loadOriginalHttpPostError);
return;
}
if (bidix.debugMode)
alert(original.substr(0,500)+"\n...");
// Locate the storeArea div's
var posDiv = locateStoreArea(original);
if((posDiv[0] == -1) || (posDiv[1] == -1)) {
alert(config.messages.invalidFileError.format([localPath]));
return;
}
bidix.upload.uploadRss(uploadParams,original,posDiv);
};
if(onlyIfDirty && !store.isDirty())
return;
clearMessage();
// save on localdisk ?
if (document.location.toString().substr(0,4) == "file") {
var path = document.location.toString();
var localPath = getLocalPath(path);
saveChanges();
}
// get original
var uploadParams = new Array(storeUrl,toFilename,uploadDir,backupDir,username,password);
var originalPath = document.location.toString();
// If url is a directory : add index.html
if (originalPath.charAt(originalPath.length-1) == "/")
originalPath = originalPath + "index.html";
var dest = config.macros.upload.destFile(storeUrl,toFilename,uploadDir);
var log = new bidix.UploadLog();
log.startUpload(storeUrl, dest, uploadDir, backupDir);
displayMessage(bidix.upload.messages.aboutToSaveOnHttpPost.format([dest]));
if (bidix.debugMode)
alert("about to execute Http - GET on "+originalPath);
var r = doHttp("GET",originalPath,null,null,username,password,callback,uploadParams,null);
if (typeof r == "string")
displayMessage(r);
return r;
};
bidix.upload.uploadRss = function(uploadParams,original,posDiv)
{
var callback = function(status,params,responseText,url,xhr) {
if(status) {
var destfile = responseText.substring(responseText.indexOf("destfile:")+9,responseText.indexOf("\n", responseText.indexOf("destfile:")));
displayMessage(bidix.upload.messages.rssSaved,bidix.dirname(url)+'/'+destfile);
bidix.upload.uploadMain(params[0],params[1],params[2]);
} else {
displayMessage(bidix.upload.messages.rssFailed);
}
};
// do uploadRss
if(config.options.chkGenerateAnRssFeed) {
var rssPath = uploadParams[1].substr(0,uploadParams[1].lastIndexOf(".")) + ".xml";
var rssUploadParams = new Array(uploadParams[0],rssPath,uploadParams[2],'',uploadParams[4],uploadParams[5]);
var rssString = generateRss();
// no UnicodeToUTF8 conversion needed when location is "file" !!!
if (document.location.toString().substr(0,4) != "file")
rssString = convertUnicodeToUTF8(rssString);
bidix.upload.httpUpload(rssUploadParams,rssString,callback,Array(uploadParams,original,posDiv));
} else {
bidix.upload.uploadMain(uploadParams,original,posDiv);
}
};
bidix.upload.uploadMain = function(uploadParams,original,posDiv)
{
var callback = function(status,params,responseText,url,xhr) {
var log = new bidix.UploadLog();
if(status) {
// if backupDir specified
if ((params[3]) && (responseText.indexOf("backupfile:") > -1)) {
var backupfile = responseText.substring(responseText.indexOf("backupfile:")+11,responseText.indexOf("\n", responseText.indexOf("backupfile:")));
displayMessage(bidix.upload.messages.backupSaved,bidix.dirname(url)+'/'+backupfile);
}
var destfile = responseText.substring(responseText.indexOf("destfile:")+9,responseText.indexOf("\n", responseText.indexOf("destfile:")));
displayMessage(bidix.upload.messages.mainSaved,bidix.dirname(url)+'/'+destfile);
store.setDirty(false);
log.endUpload("ok");
} else {
alert(bidix.upload.messages.mainFailed);
displayMessage(bidix.upload.messages.mainFailed);
log.endUpload("failed");
}
};
// do uploadMain
var revised = bidix.upload.updateOriginal(original,posDiv);
bidix.upload.httpUpload(uploadParams,revised,callback,uploadParams);
};
bidix.upload.httpUpload = function(uploadParams,data,callback,params)
{
var localCallback = function(status,params,responseText,url,xhr) {
url = (url.indexOf("nocache=") < 0 ? url : url.substring(0,url.indexOf("nocache=")-1));
if (xhr.status == 404)
alert(bidix.upload.messages.storePhpNotFound.format([url]));
if ((bidix.debugMode) || (responseText.indexOf("Debug mode") >= 0 )) {
alert(responseText);
if (responseText.indexOf("Debug mode") >= 0 )
responseText = responseText.substring(responseText.indexOf("\n\n")+2);
} else if (responseText.charAt(0) != '0')
alert(responseText);
if (responseText.charAt(0) != '0')
status = null;
callback(status,params,responseText,url,xhr);
};
// do httpUpload
var boundary = "---------------------------"+"AaB03x";
var uploadFormName = "UploadPlugin";
// compose headers data
var sheader = "";
sheader += "--" + boundary + "\r\nContent-disposition: form-data; name=\"";
sheader += uploadFormName +"\"\r\n\r\n";
sheader += "backupDir="+uploadParams[3] +
";user=" + uploadParams[4] +
";password=" + uploadParams[5] +
";uploaddir=" + uploadParams[2];
if (bidix.debugMode)
sheader += ";debug=1";
sheader += ";;\r\n";
sheader += "\r\n" + "--" + boundary + "\r\n";
sheader += "Content-disposition: form-data; name=\"userfile\"; filename=\""+uploadParams[1]+"\"\r\n";
sheader += "Content-Type: text/html;charset=UTF-8" + "\r\n";
sheader += "Content-Length: " + data.length + "\r\n\r\n";
// compose trailer data
var strailer = new String();
strailer = "\r\n--" + boundary + "--\r\n";
data = sheader + data + strailer;
if (bidix.debugMode) alert("about to execute Http - POST on "+uploadParams[0]+"\n with \n"+data.substr(0,500)+ " ... ");
var r = doHttp("POST",uploadParams[0],data,"multipart/form-data; ;charset=UTF-8; boundary="+boundary,uploadParams[4],uploadParams[5],localCallback,params,null);
if (typeof r == "string")
displayMessage(r);
return r;
};
// same as Saving's updateOriginal but without convertUnicodeToUTF8 calls
bidix.upload.updateOriginal = function(original, posDiv)
{
if (!posDiv)
posDiv = locateStoreArea(original);
if((posDiv[0] == -1) || (posDiv[1] == -1)) {
alert(config.messages.invalidFileError.format([localPath]));
return;
}
var revised = original.substr(0,posDiv[0] + startSaveArea.length) + "\n" +
store.allTiddlersAsHtml() + "\n" +
original.substr(posDiv[1]);
var newSiteTitle = getPageTitle().htmlEncode();
revised = revised.replaceChunk("<title"+">","</title"+">"," " + newSiteTitle + " ");
revised = updateMarkupBlock(revised,"PRE-HEAD","MarkupPreHead");
revised = updateMarkupBlock(revised,"POST-HEAD","MarkupPostHead");
revised = updateMarkupBlock(revised,"PRE-BODY","MarkupPreBody");
revised = updateMarkupBlock(revised,"POST-SCRIPT","MarkupPostBody");
return revised;
};
//
// UploadLog
//
// config.options.chkUploadLog :
// false : no logging
// true : logging
// config.options.txtUploadLogMaxLine :
// -1 : no limit
// 0 : no Log lines but UploadLog is still in place
// n : the last n lines are only kept
// NaN : no limit (-1)
bidix.UploadLog = function() {
if (!config.options.chkUploadLog)
return; // this.tiddler = null
this.tiddler = store.getTiddler("UploadLog");
if (!this.tiddler) {
this.tiddler = new Tiddler();
this.tiddler.title = "UploadLog";
this.tiddler.text = "| !date | !user | !location | !storeUrl | !uploadDir | !toFilename | !backupdir | !origin |";
this.tiddler.created = new Date();
this.tiddler.modifier = config.options.txtUserName;
this.tiddler.modified = new Date();
store.addTiddler(this.tiddler);
}
return this;
};
bidix.UploadLog.prototype.addText = function(text) {
if (!this.tiddler)
return;
// retrieve maxLine when we need it
var maxLine = parseInt(config.options.txtUploadLogMaxLine,10);
if (isNaN(maxLine))
maxLine = -1;
// add text
if (maxLine != 0)
this.tiddler.text = this.tiddler.text + text;
// Trunck to maxLine
if (maxLine >= 0) {
var textArray = this.tiddler.text.split('\n');
if (textArray.length > maxLine + 1)
textArray.splice(1,textArray.length-1-maxLine);
this.tiddler.text = textArray.join('\n');
}
// update tiddler fields
this.tiddler.modifier = config.options.txtUserName;
this.tiddler.modified = new Date();
store.addTiddler(this.tiddler);
// refresh and notifiy for immediate update
story.refreshTiddler(this.tiddler.title);
store.notify(this.tiddler.title, true);
};
bidix.UploadLog.prototype.startUpload = function(storeUrl, toFilename, uploadDir, backupDir) {
if (!this.tiddler)
return;
var now = new Date();
var text = "\n| ";
var filename = bidix.basename(document.location.toString());
if (!filename) filename = '/';
text += now.formatString("0DD/0MM/YYYY 0hh:0mm:0ss") +" | ";
text += config.options.txtUserName + " | ";
text += "[["+filename+"|"+location + "]] |";
text += " [[" + bidix.basename(storeUrl) + "|" + storeUrl + "]] | ";
text += uploadDir + " | ";
text += "[[" + bidix.basename(toFilename) + " | " +toFilename + "]] | ";
text += backupDir + " |";
this.addText(text);
};
bidix.UploadLog.prototype.endUpload = function(status) {
if (!this.tiddler)
return;
this.addText(" "+status+" |");
};
//
// Utilities
//
bidix.checkPlugin = function(plugin, major, minor, revision) {
var ext = version.extensions[plugin];
if (!
(ext &&
((ext.major > major) ||
((ext.major == major) && (ext.minor > minor)) ||
((ext.major == major) && (ext.minor == minor) && (ext.revision >= revision))))) {
// write error in PluginManager
if (pluginInfo)
pluginInfo.log.push("Requires " + plugin + " " + major + "." + minor + "." + revision);
eval(plugin); // generate an error : "Error: ReferenceError: xxxx is not defined"
}
};
bidix.dirname = function(filePath) {
if (!filePath)
return;
var lastpos;
if ((lastpos = filePath.lastIndexOf("/")) != -1) {
return filePath.substring(0, lastpos);
} else {
return filePath.substring(0, filePath.lastIndexOf("\\"));
}
};
bidix.basename = function(filePath) {
if (!filePath)
return;
var lastpos;
if ((lastpos = filePath.lastIndexOf("#")) != -1)
filePath = filePath.substring(0, lastpos);
if ((lastpos = filePath.lastIndexOf("/")) != -1) {
return filePath.substring(lastpos + 1);
} else
return filePath.substring(filePath.lastIndexOf("\\")+1);
};
bidix.initOption = function(name,value) {
if (!config.options[name])
config.options[name] = value;
};
//
// Initializations
//
// require PasswordOptionPlugin 1.0.1 or better
bidix.checkPlugin("PasswordOptionPlugin", 1, 0, 1);
// styleSheet
setStylesheet('.txtUploadStoreUrl, .txtUploadBackupDir, .txtUploadDir {width: 22em;}',"uploadPluginStyles");
//optionsDesc
merge(config.optionsDesc,{
txtUploadStoreUrl: "Url of the UploadService script (default: store.php)",
txtUploadFilename: "Filename of the uploaded file (default: in index.html)",
txtUploadDir: "Relative Directory where to store the file (default: . (downloadService directory))",
txtUploadBackupDir: "Relative Directory where to backup the file. If empty no backup. (default: ''(empty))",
txtUploadUserName: "Upload Username",
pasUploadPassword: "Upload Password",
chkUploadLog: "do Logging in UploadLog (default: true)",
txtUploadLogMaxLine: "Maximum of lines in UploadLog (default: 10)"
});
// Options Initializations
bidix.initOption('txtUploadStoreUrl','');
bidix.initOption('txtUploadFilename','');
bidix.initOption('txtUploadDir','');
bidix.initOption('txtUploadBackupDir','');
bidix.initOption('txtUploadUserName','');
bidix.initOption('pasUploadPassword','');
bidix.initOption('chkUploadLog',true);
bidix.initOption('txtUploadLogMaxLine','10');
// Backstage
merge(config.tasks,{
uploadOptions: {text: "upload", tooltip: "Change UploadOptions and Upload", content: '<<uploadOptions>>'}
});
config.backstageTasks.push("uploadOptions");
//}}}
<!--{{{-->
<div class='toolbar' macro='toolbar [[ToolbarCommands::ViewToolbar]]'></div>
<span macro="tiddler ReplaceDoubleClick with: alt click"></span></span>
<div class='title' macro='view title'></div>
<div class='viewer' macro='view text wikified'></div>
<!--}}}-->
{{{
a logical connective: sumti afterthought or.
a'a attitudinal: attentive - inattentive - avoiding. See also {jundi}, {rivbi}.
a'e attitudinal: alertness - exhaustion. See also {sanji}, {cikna}, {tatpi}.
a'i attitudinal: effort - no special effort - repose. See also {gunka}, {slunandu}, {guksurla}, {troci}, {selprogunka}.
a'o attitudinal: hope - despair. See also {pacna}.
a'u attitudinal: interest - disinterest - repulsion. See also {cinri}, {selcni}.
ai attitudinal: intent - indecision - rejection/refusal. See also {termu'i}, {terzu'e}, {seljdi}, {selcu'a}.
au attitudinal: desire - indifference - reluctance. See also {djica}.
ba time tense relation/direction: will [selbri]; after [sumti]; default future tense.
ba'a evidential: I expect - I experience - I remember. See also {bavykri}, {lifri}, {morji}.
ba'au tense: refers to future of current space/time reference absolutely in the future of {nau}
ba'e forethought emphasis indicator; indicates next word is especially emphasized.
ba'ei forethought emphasis indicator; indicates next WORD only, even if that word is a construct-indicating cmavo According to CLL 19.11, regular {ba'e} doesnt always emphasize just one word. If it is placed in front of a construct (e.g. {la}), it emphasizes the entire construct. {ba'ei} was designed especially for these cases.
ba'i basti modal, 1st place replaced by ...
ba'o interval event contour: in the aftermath of ...; since ...; retrospective/perfect | |----.
ba'oi Converts PA into tense; in [number (usually nonspecific)] possible futures where [sumti (du'u)] is true Possible futures, given the actual past and present; what might happen. Cf. {mu'ei}.
ba'u discursive: exaggeration - accuracy - understatement. See also {satci}, {dukse}.
bai bapli modal, 1st place (forced by) forcedly; compelled by force ...
bau bangu modal, 1st place in language ...
be sumti link to attach sumti (default x2) to a selbri; used in descriptions.
be'a location tense relation/direction; north of.
be'e vocative: request to send/speak.
be'i benji modal, 1st place (sender) sent by ...
be'o elidable terminator: end linked sumti in specified description.
be'u attitudinal modifier: lack/need - presence/satisfaction - satiation. See also {claxu}, {nitcu}, {mansa}.
bei separates multiple linked sumti within a selbri; used in descriptions.
bi digit/number: 8 (digit) [eight].
bi'e prefixed to a mex operator to indicate high priority.
bi'i non-logical interval connective: unordered between ... and ...
bi'o non-logical interval connective: ordered from ... to ...
bi'u discursive: newly introduced information - previously introduced information. See also {nindatni}, {saurdatni}.
bo short scope joiner; joins various constructs with shortest scope and right grouping. Cf. {ke}, {ke'e}.
boi elidable terminator: terminate numeral or letteral string.
bu convert any single word to BY.
bu'a logically quantified predicate variable: some selbri 1.
bu'e logically quantified predicate variable: some selbri 2.
bu'i logically quantified predicate variable: some selbri 3.
bu'o attitudinal contour: start emotion - continue emotion - end emotion.
bu'oi Interjection: Boo! A way to shock people analogous to yelling BOO! at someone.
bu'u location tense relation/direction; coincident with/at the same place as; space equivalent of ca.
by letteral for b.
ca time tense relation/direction: is [selbri]; during/simultaneous with [sumti]; present tense.
ca'a modal aspect: actuality/ongoing event.
ca'e evidential: I define. See also {mitcu'a}, {mitsmu}.
ca'i catni modal, 1st place by authority of ...
ca'o interval event contour: during ...; continuative |-----|.
ca'u location tense relation/direction; forwards/to the front of ...
cai attitudinal: strong intensity attitude modifier.
cau claxu modal, 1st place lacked by ...
ce non-logical connective: set link, unordered; and also, but forming a set.
ce'a 2-word letteral/shift: the word following indicates a new font (e.g. italics, manuscript).
ce'ai lambda variable prenex; marks the end of introduction of lambda-scope variables. Cf. {zo'u}. In effect this word is used as a shortcut around verbose repeated assignment in a {ka} prenex: lo ka ce'u goi ko'a ce'u goi ko'e ... zo'u ... is the same as lo ka ko'a ko'e ... ce'ai ... In either form this style can be used to avoid subscripting and to disambiguate nested {ka}, {ni}, etc.
ce'e links terms into an afterthought termset.
ce'i digit/number: % percentage symbol, hundredths.
ce'o non-logical connective: ordered sequence link; and then, forming a sequence.
ce'oi argument list separator: acts as a comma between arguments in an argument list supplied to a function. ce'oi is the word of choice to separate the arguments in bridi3. Using {ce'o} there has obvious limitations when the selbri actually calls for a sequence. Obviously, ce'oi has issues too if the selbri can accept an argument list, but this can be circumvented more readily with {ke}...{ke'e} brackets than it can with {ce'o}. Consider .i lo ka broda cu selbri fi ko'a ce'o ko'e. Without inspecting the type requirements of {broda} and the respective types of {ko'a} and {ko'e}, one cannot determine the meaning of the {bridi}. Furthermore, if one accepts non-static typing of {sumti} places, multiple correct answers can be given for a question asking what is the bridi1. This would create ambiguity that is otherwise resolved by ce'oi. See also {ka}, {du'u}, {me'au}.
ce'u pseudo-quantifier binding a variable within an abstraction that represents an open place.
cei selbri variable assignment; assigns broda series pro-bridi to a selbri.
ci digit/number: 3 (digit) [three].
ci'e ciste modal, 1st place used in scalar negation in system/context ...
ci'i digit/number: infinity; followed by digits => aleph cardinality.
ci'o cinmo modal, 1st place emotionally felt by ...
ci'oi Converts following cmevla or zoi-quote into psychomime. Narrower term than {tai'i}. See also {ci'o}, {cinmo}, {sa'ei}, {ki'ai}. Examples in some languages. jpn: そわそわ (sowasowa): restlessly. nep: सुखदुख (sukhadukha): lit. happiness-sorrow; the human condition. eng: zing
ci'u ckilu modal, 1st place on the scale ...
co tanru inversion operator; ... of type ...; allows modifier trailing sumti without sumti links.
co'a interval event contour: at the starting point of ...; initiative >|< |.
co'e elliptical/unspecified bridi relationship.
co'i interval event contour: at the instantaneous point of ...; achievative/perfective; point event >|<.
co'o vocative: partings/good-bye.
co'oi Combination of {coi} and {co'o}, indicating either greetings or partings according to context. The scalar negated forms of this COI are apparently identical to its positive form. cf. {coi}, {co'o}, {rinsa}, {tolrinsa}.
co'u interval event contour: at the ending point of ... even if not done; cessative | >< |.
coi vocative: greetings/hello.
cu elidable marker: separates selbri from preceding sumti, allows preceding terminator elision.
cu'a unary mathematical operator: absolute value/norm |a|.
cu'e tense/modal question.
cu'ei discursive: indicate a change in speaker; used generally in quotations. Considered to have {sa'a} attached to it by default. Using {sa'anai} would cancel that effect. Used to quote dialogues.
cu'i attitudinal: neutral scalar attitude modifier.
cu'o convert number to probability selbri; event x1 has probability (n) of occurring under cond. x2.
cu'u cusku modal, 1st place (attribution/quotation) as said by source ...; used for quotation.
cy letteral for c.
da logically quantified existential pro-sumti: there exists something 1 (usually restricted).
da'a digit/number: all except n; all but n; default 1.
da'ai other than me; person, not an object Can include {do}. {ma'a} can be defined as {mi} {jo'u} {do} jo'u {da'ai}
da'e pro-sumti: remote future utterance; He'll tell you tomorrow. IT will be a doozy..
da'i discursive: supposing - in fact. See also {sruma}.
da'o discursive: cancel pro-sumti/pro-bridi assignments.
da'oi attitudinal attribution Whereas {dai} simply marks an attitudinal as applying to someone other than the speaker, da'oi explicitly attributes the preceding attitudinal. In particular, dai is equivalent to da'oi na'e bo mi.
da'u pro-sumti: a remote past utterance; She couldn't have known that IT would be true..
dai attitudinal modifier: marks empathetic use of preceding attitudinal; shows another's feelings. See also {cnijmi}.
dai'i attitudinal modifier: supposed emotion - factual emotion Used for emotions that are non-factual, for example when talking about hypothetical events. la'a ui dai'i mi ba te dunda lo karce lo mi patfu I will probably be given a car by my dad and I would feel happy about it if that happened.
dau digit/number: hex digit A (decimal 10) [ten].
dau'i attitudinal: equal intensity attitudinal relativizer Specifies an equal intensity - relative to any previously specified intensity of the same UI/cmavo. See also {mau'i}, {me'ai}, {cu'i}
de logically quantified existential pro-sumti: there exists something 2 (usually restricted).
de'a event contour for a temporary halt and ensuing pause in a process.
de'e pro-sumti: a near future utterance.
de'i detri modal, 1st place (for letters) dated ... ; attaches date stamp.
de'o binary mathematical operator: logarithm; [log/ln a to base b]; default base 10 or e.
de'u pro-sumti: a recent utterance.
dei pro-sumti: this utterance.
dei'o pro-sumti: this word mnemonic: dei + zo -> dei'o
dei'u pro-sumti: the previous word
di logically quantified existential pro-sumti: there exists something 3 (usually restricted).
di'a event contour for resumption of a paused process.
di'ai vocative: well-wish - curse Used to express well-wishes/curses. See also {dimna}, {dapma}, {ki'e}, {doi}
di'e pro-sumti: the next utterance.
di'i tense interval modifier: regularly; subjective tense/modal; defaults as time tense.
di'o diklo modal, 1st place in the location of ...
di'u pro-sumti: the last utterance.
do pro-sumti: you listener(s); identified by vocative.
do'a discursive: generously - parsimoniously. See also {dunda}.
do'e elliptical/unspecified modal.
do'i pro-sumti: elliptical/unspecified utterance variable.
do'o pro-sumti: you the listener & others unspecified.
do'u elidable terminator: end vocative (often elidable).
doi generic vocative marker; identifies intended listener; elidable after COI.
du identity selbri; = sign; x1 identically equals x2, x3, etc.; attached sumti refer to same thing.
du'a location tense relation/direction; east of.
du'au Text to bridi conversion Roughly equivalent to just la'e, but precise about the type of the result. Inverse of {lu'au}.
du'e digit/number: too many; subjective.
du'i dunli modal, 1st place (equalled by) equally; as much as ...
du'o djuno modal, 1st place (info source) authoritatively; according to ...; known by ...
du'u abstractor: predication/bridi abstractor; x1 is predication [bridi] expressed in sentence x2.
dy letteral for d.
e logical connective: sumti afterthought and.
e'a attitudinal: granting permission - prohibiting. See also {curmi}.
e'e attitudinal: competence - incompetence/inability. See also {kakne}, {certu}.
e'i attitudinal: feeling constraint - independence - challenge/resistance against constraint. See also {selri'u}, {seljimte}.
e'o attitudinal: request - negative request. See also {cpedu}, {pikci}.
e'u attitudinal: suggestion - abandon suggest - warning. See also {stidi}, {kajde}.
ei attitudinal: obligation - freedom. See also {bilga}, {zifre}.
fa sumti place tag: tag 1st sumti place.
fa'a location tense relation/direction; arriving at/directly towards ...
fa'e fatne modal, 1st place backwards; reverse of ...
fa'i unary mathematical operator: reciprocal; multiplicative inverse; [1/a].
fa'o unconditional end of text; outside regular grammar; used for computer input.
fa'u non-logical connective: respectively; unmixed ordered distributed association.
fai sumti place tag: tag a sumti moved out of numbered place structure; used in modal conversions.
fau fasnu modal, 1st place (non-causal) in the event of ...
fe sumti place tag: tag 2nd sumti place.
fe'a binary mathematical operator: nth root of; inverse power [a to the 1/b power].
fe'e mark space interval distributive aspects; labels interval tense modifiers as location-oriented.
fe'i n-ary mathematical operator: divided by; division operator; [(((a / b) / c) / ...)].
fe'o vocative: over and out (end discussion).
fe'u elidable terminator: end nonce conversion of selbri to modal; usually elidable.
fei digit/number: hex digit B (decimal 11) [eleven].
fi sumti place tag: tag 3rd sumti place.
fi'a sumti place tag: place structure number/tag question.
fi'e finti modal, 1st place (creator) created by ...
fi'i vocative: hospitality - inhospitality; you are welcome/ make yourself at home.
fi'o convert selbri to nonce modal/sumti tag.
fi'oi copyrights attribution used to mark the preceding term as being copyrighted. The copyright is attributed to the sumti inside the DOI
fi'u digit/number: fraction slash; default /n => 1/n, n/ => n/1, or / alone => golden ratio.
fo sumti place tag: tag 4th sumti place.
fo'a pro-sumti: he/she/it/they #6 (specified by goi).
fo'e pro-sumti: he/she/it/they #7 (specified by goi).
fo'i pro-sumti: he/she/it/they #8 (specified by goi).
fo'o pro-sumti: he/she/it/they #9 (specified by goi).
fo'u pro-sumti: he/she/it/they #10 (specified by goi).
foi terminator: end composite lerfu; never elidable.
fu sumti place tag: tag 5th sumti place.
fu'a reverse Polish mathematical expression (mex) operator flag.
fu'au discursive: luckily - not pertaining to luck - unluckily. Expresses fortune/misfortune of the speaker. Use {dai} to express fortune/misfortune of the listener. See also {funca}.
fu'e begin indicator long scope.
fu'ei begin within-context quote that need not be grammatical; terminated by fu'oi see also {fu'oi}
fu'i attitudinal modifier: easy - difficult. See also {frili}.
fu'o end indicator long scope; terminates scope of all active indicators.
fu'oi terminates scope started with fu'ei see also {fu'ei}
fu'u n-ary mathematical operator: elliptical/unspecified mathematical expression (mex) operator.
fy letteral for f.
ga logical connective: forethought all but tanru-internal or (with gi).
ga'a zgana modal, 1st place to observer ... ; witnessed by ...
ga'e upper-case letteral shift.
ga'i attitudinal modifier/honorific: hauteur - equal rank - meekness; used with one of lower rank. See also {gapru}, {cnita}.
ga'o closed interval bracket marker; mod. intervals in non-logical connectives; include boundaries.
ga'oi evidential: I disagree with you vehemently, but offer no substantive counterarguments/information pulled from my ass Approximately the same as '{.ie} {nai} {le'o} {ju'a}'. See {ga'i}
ga'u location tense relation/direction; upwards/up from ...
gai digit/number: hex digit C (decimal 12) [twelve].
gau gasnu modal, 1st place agent/actor case tag with active agent ...
ge logical connective: forethought all but tanru-internal and (with gi).
ge'a mathematical operator: null mathematical expression (mex) operator (used in >2-ary ops).
ge'e attitudinal: elliptical/unspecified/non-specific emotion; no particular feeling.
ge'i logical connective: forethought all but tanru-internal connective question (with gi).
ge'o shift letterals to Greek alphabet.
ge'u elidable terminator: end relative/modal phrases; usually elidable in non-complex phrases.
gei trinary mathematical operator: order of magnitude/value/base; [b * (c to the a power)].
gi logical connective: all but tanru-internal forethought connective medial marker.
gi'a logical connective: bridi-tail afterthought or.
gi'e logical connective: bridi-tail afterthought and.
gi'i logical connective: bridi-tail afterthought conn question.
gi'o logical connective: bridi-tail afterthought biconditional/iff/if-and-only-if.
gi'u logical connective: bridi-tail afterthought whether-or-not.
go logical connective: forethought all but tanru internal biconditional/iff/if-and-only-if(with gi).
go'a pro-bridi: repeats a recent bridi (usually not the last 2).
go'e pro-bridi: repeats the next to last bridi.
go'i pro-bridi: preceding bridi; in answer to a yes/no question, repeats the claim, meaning yes.
go'o pro-bridi: repeats a future bridi, normally the next one.
go'u pro-bridi: repeats a remote past bridi.
goi sumti assignment; used to define/assign ko'a/fo'a series pro-sumti; Latin 'sive'.
gu logical connective: forethought all but tanru-internal whether-or-not (with gi).
gu'a logical connective: tanru-internal forethought or (with gi).
gu'e logical connective: tanru-internal forethought and (with gi).
gu'i logical connective: tanru-internal forethought question (with gi).
gu'o logical connective: tanru-internal forethought biconditional/iff/if-and-only-if (with gi).
gu'u logical connective: tanru-internal forethought whether-or-not (with gi).
gy letteral for g.
i sentence link/continuation; continuing sentences on same topic; normally elided for new speakers.
i'a attitudinal: acceptance - blame. See also {nalna'e}, {nalpro}, {no'epro}, {nalzugjdi}.
i'e attitudinal: approval - non-approval - disapproval. See also {zanru}.
i'i attitudinal: togetherness - privacy. See also {kansa}, {gunma}, {sivni}, {sepli}.
i'o attitudinal: appreciation - envy. See also {ckire}, {jilra}.
i'u attitudinal: familiarity - mystery. See also {slabu}, {nalni'o}, {kufra}.
ia attitudinal: belief - skepticism - disbelief. See also {krici}, {jinvi}.
ie attitudinal: agreement - disagreement. See also {tugni}.
ii attitudinal: fear - security. See also {terpa}, {snura}.
io attitudinal: respect - disrespect. See also {sinma}.
iu attitudinal: love - no love lost - hatred. See also {prami}.
ja logical connective: tanru-internal afterthought or.
ja'a bridi logical affirmer; scope is an entire bridi.
ja'ai affirm last word: attached to cmavo to affirm them; denies negation by nai whenever it is applicable. Suggested by Mark Shoulson in 1999 as an affirmative of {nai}. By analogy with the pairs {na}/{ja'a}, {na'e}/{je'a}, and {na'i}/{jo'a}.
ja'e jalge modal, 1st place resultingly; therefore result ...
ja'ei jai equivalent of la'e tu'a:jai::la'e:ja'ei. So ko'a ja'ei broda equals la'e ko'a broda
ja'i javni modal, 1st place (by standard 1) orderly; by rule ...
ja'o evidential: I conclude. See also {selni'i}, {ni'ikri}.
jai convert tense/modal (tagged) place to 1st place; 1st place moves to extra FA place (fai).
jai'a grammatically converts LAhE to SE; semantically the result tags the x1 of the selbri as being LAhE the supplied x1. Can be converted to other than x1 with SE. Cf. {jai} in the TAG sense. Note that {jai} in the non-TAG sense is the same as jai'a tu'a. Example usage: lo tadni cu jai'a lu'o sruri lo dinju gi'e krixa <-> loi tadni cu sruri lo dinju gi'e jai'a lu'a krixa <-> loi tadni cu sruri lo dinju .ije lu'a lo go'i cu krixa
jau digit/number: hex digit D (decimal 13) [thirteen].
je logical connective: tanru-internal afterthought and.
je'a scalar affirmer; denies scalar negation: Indeed!.
je'ai NAhE question.
je'e vocative: roger (ack) - negative acknowledge; used to acknowledge offers and thanks.
je'i logical connective: tanru-internal afterthought conn question.
je'o shift letterals to Hebrew alphabet.
je'u discursive: truth - falsity. See also {jetnu}.
jei abstractor: truth-value abstractor; x1 is truth value of [bridi] under epistemology x2.
ji logical connective: sumti afterthought connective question.
ji'a discursive: additionally. See also {jmina}.
ji'e jimte modal, 1st place limitedly; up to limit ...
ji'i digit/number: approximately (default the typical value in this context) (number).
ji'o jitro modal, 1st place (control) controlledly; under direction of ...
ji'u jicmu modal, 1st place (assumptions); given that ...; based on ...
jo logical connective: tanru-internal afterthought biconditional/iff/if-and-only-if.
jo'a discursive: metalinguistic affirmer. See also {drani}.
jo'e non-logical connective: union of sets.
jo'i join mathematical expression (mex) operands into an array.
jo'o shift letterals to Arabic alphabet.
jo'u non-logical connective: in common with; along with (unmixed).
joi non-logical connective: mixed conjunction; and meaning mixed together, forming a mass.
ju logical connective: tanru-internal afterthought whether-or-not.
ju'a evidential: I state - (default) elliptical/non-specific basis. See also {xusra}.
ju'e vague non-logical connective: analogous to plain .i.
ju'i vocative: attention - at ease - ignore me.
ju'o attitudinal modifier: certainty - uncertainty - impossibility. See also {birti}, {cumki}.
ju'u binary mathematical operator: number base; [a interpreted in the base b].
jy letteral for j.
ka abstractor: property/quality abstractor (-ness); x1 is quality/property exhibited by [bridi].
ka'a klama modal, 1st place gone to by ...
ka'ai kansa modal, 1 place; with .../with a companion ... See also {kansa}
ka'e modal aspect: innate capability; possibly unrealized.
ka'i krati modal, 1st place represented by ...
ka'o digit/number: imaginary i; square root of -1.
ka'u evidential: I know by cultural means (myth or custom). See also {kluju'o}.
kai ckaji modal, 1st place characterizing ...
kau discursive: marks word serving as focus of indirect question: I know WHO went to the store.
ke start grouping of tanru, etc; ... type of ... ; overrides normal tanru left grouping. Cf. {ke'e}, {bo}.
ke'a pro-sumti: relativized sumti (object of relative clause).
ke'e elidable terminator: end of tanru left grouping override (usually elidable).
ke'i open interval bracket marker; modifies intervals in non-logical connectives; exclude boundaries.
ke'o vocative: please repeat.
ke'u discursive: repeating - continuing. See also {refbasna}, {krefu}, {rapli}, {velde'a}.
kei elidable terminator: end abstraction bridi (often elidable).
ki tense/modal: set/use tense default; establishes new open scope space/time/modal reference base.
ki'a attitudinal question: confusion about something said. See also {cfipu}, {kucli}.
ki'ai Converts following cmevla or zoi-quote into a nonce interjection/attitudinal. See {sa'ei}, {ci'oi}, {tai'i}.
ki'e vocative: thanks - no thanks to you.
ki'i ckini modal, 1st place (related to) relatively; as a relation of ...
ki'o digit/number: number comma; thousands.
ki'u krinu modal, 1st place (justified by) justifiably; because of reason ...
ko pro-sumti: you (imperative); make it true for you, the listener.
ko'a pro-sumti: he/she/it/they #1 (specified by goi).
ko'e pro-sumti: he/she/it/they #2 (specified by goi).
ko'i pro-sumti: he/she/it/they #3 (specified by goi).
ko'o pro-sumti: he/she/it/they #4 (specified by goi).
ko'oi discursive: imperative/hortative ``{ko}'' is a short form of ''{do} {ko'oi}''; broader term than {au}, {a'o}, {e'o}, {e'u}, {e'a}, {ei}; {minde}, {cpedu}, {curmi}, {pacna}, {stidi}, {djica}, {bilga}
ko'u pro-sumti: he/she/it/they #5 (specified by goi).
koi korbi modal, 1st place (bordered by) bounded by ...
ku elidable terminator: end description, modal, or negator sumti; often elidable.
ku'a non-logical connective: intersection of sets.
ku'e elidable terminator: end mathematical (mex) forethought (Polish) expression; often elidable.
ku'i discursive: however/but/in contrast. See also {karbi}, {dukti}, {nalpanra}.
ku'o elidable terminator: end NOI relative clause; always elidable, but preferred in complex clauses.
ku'u kulnu modal, 1st place in culture ...
ky letteral for k.
la name descriptor: the one(s) called ... ; takes name or selbri description.
la'a discursive: probability - improbability. See also {lakne}.
la'au start grammatical name quotation; the quoted text is an identifier and must be grammatical on its own. Used to make more complex names where simple {la} doesn't apply. Artibrary non-lojban text can be quoted with {la'o}.
la'e the referent of (indirect pointer); uses the referent of a sumti as the desired sumti.
la'ei combines LA with DOI used to address someone in the 2nd person by name and use that as a sumti at the same time, that is: {do} {doi} {la} {broda} is equivalent to la'ei {broda}
la'i name descriptor: the set of those named ... ; takes name or selbri description.
la'o delimited non-Lojban name; the resulting quote sumti is treated as a name.
la'oi single-word non-Lojban name; quotes a single non-Lojban word delimited by pauses and treats it as a name See also {la'o}, {zo'oi}.
la'u klani modal, 1st place (amount) quantifying ...; being a quantity of ...
lai name descriptor: the mass of individual(s) named ... ; takes name or selbri description.
lau 2-word letteral/shift: punctuation mark or special symbol follows.
le non-veridical descriptor: the one(s) described as ...
le'a klesi modal, 1st place (scalar set) in/of category ...
le'ai replace recent mistakenly uttered text The {lo'ai} ... {sa'ai} ... {le'ai} replacement construct asks the listener to replace the text after {lo'ai} with the text after {sa'ai}. The order {sa'ai} ... {lo'ai} ... {le'ai} is also allowed, and either or both parts can be omitted and thus left up to context. When both parts are omitted, the word {le'ai} on its own indicates that a mistake was made while leaving all the details up to context. It is also possible to attach SAI to a le'ai construct: le'ai {dai} (or le'ai {da'oi} ko'a) indicates that someone else made a mistake; le'ai {pei} asks whether someone else made a mistake; and {sai}, {ru'e} and {cu'i} can be used to indicate the importance of the substitution. Furthermore, le'ai {nai} can be used to explicitly deny mistakes instead of acknowledging them (compare sic).
le'e non-veridical descriptor: the stereotype of those described as ...
le'i non-veridical descriptor: the set of those described as ..., treated as a set.
le'o attitudinal modifier: aggressive - passive - defensive. See also {gunta}, {bandu}.
le'u end quote of questionable or out-of-context text; not elidable.
lei non-veridical descriptor: the mass of individual(s) described as ...
li the number/evaluated expression; convert number/operand/evaluated math expression to sumti.
li'a discursive: clearly - obscurely. See also {klina}.
li'ai unevaluated mekso as name. Where la broda brode is to la'e lu broda brode as li'ai by cy is to la'e me'o by cy. See also {li}, {me'o}, {la}, {la'e}.
li'e lidne modal, 1st place preceded by ...; non-time sequencing.
li'i abstractor: experience abstractor; x1 is x2's experience of [bridi] (participant or observer).
li'o discursive: omitted text (quoted material).
li'u elidable terminator: end grammatical quotation; seldom elidable except at end of text.
lo veridical descriptor: the one(s) that really is(are) ... Terminated with {ku}. Under the xorlo reform, {lo} converts a selbri to a sumti in a rather generic way. In particular, lo broda = {zo'e} noi broda.
lo'a shift letterals to Lojban (Roman) alphabet.
lo'ai start quote of recent mistakenly uttered text to be replaced See {le'ai}.
lo'e veridical descriptor: the typical one(s) who really is(are) ...
lo'i veridical descriptor: the set of those that really are ..., treated as a set.
lo'o elidable terminator: end math express.(mex) sumti; end mex-to-sumti conversion; usually elidable.
lo'u start questionable/out-of-context quote; text should be Lojban words, but needn't be grammatical. Terminated by {le'u}.
loi veridical descriptor: the mass of individual(s) that is(are) ...
lu start grammatical quotation; quoted text should be grammatical on its own.
lu'a the members of the set/components of the mass; converts another description type to individuals.
lu'au Bridi to text conversion Essentially equivalent to {se} in the context of a {se} {du'u}. Inverse of {du'au}; however note that this is not single-valued, while {du'au} (provided context) is single-valued. Hence lu'au du'au is a useful idiom for constructing a text which has the same basic meaning as another text but is not necessarily the same text.
lu'e the symbol for (indirect discourse); uses the symbol/word(s) for a sumti as the desired sumti.
lu'i the set with members; converts another description type to a set of the members.
lu'o the mass composed of; converts another description type to a mass composed of the members.
lu'u elidable terminator: end of sumti qualifiers; usually elidable except before a sumti.
ly letteral for l.
ma pro-sumti: sumti question (what/who/how/why/etc.); appropriately fill in sumti blank.
ma'a pro-sumti: me/we the speaker(s)/author(s) & you the listener(s) & others unspecified.
ma'e marji modal, 1st place material in object/substance ...
ma'i manri modal, 1st place (by standard 2) in reference frame ...
ma'o convert letteral string or other mathematical expression (mex) operand to mex operator.
ma'oi selma'o quote; quotes a word (a cmavo) and uses it to name a selma'o. Example: ma'oi coi is equivalent to COI. See also {ra'oi}.
ma'u digit/number: plus sign; positive number; default any positive.
mai utterance ordinal suffix; converts a number to an ordinal, such as an item or paragraph number.
mau zmadu modal, 1st place (a greater) exceeded by ... ; usually a sumti modifier.
mau'i attitudinal: stronger intensity attitudinal relativizer Specifies a stronger intensity - relative to any previously specified intensity of the same UI/cmavo. CAI2 after CAI specifies an absolute intensity - but the CAI2 specifies the relative shift from the regular value. CAI after CAI2 specifies an relative value - and the CAI denotes the relative amount interval size. See also {me'ai}, {dau'i}, {sai}
me convert sumti to selbri/tanru element; x1 is specific to [sumti] in aspect x2.
me'a mleca modal, 1st place (a lesser) undercut by ... ; usually a sumti modifier.
me'ai attitudinal: weaker intensity attitudinal relativizer Specifies a stronger intensity - relative to any previously specified intensity of the same UI/cmavo. See also {mau'i}, {dau'i}, {ru'e}
me'au Convert abstract predicate sumti back to predicate Has an inverse: {me'ei}
me'e cmene modal, 1st place (requires quote) with name ...; so-called ...
me'ei Article for abstract predicate sumti Has an inverse: {me'au}
me'i digit/number: less than.
me'o the mathematical expression (unevaluated); convert unevaluated mathematical expression to sumti.
me'oi non-Lojban brivla Quick way to borrow foreign words into Lojban. Also known as stage-0 fu'ivla. Equivalent to {me'ei} {zo'oi}.
me'u elidable terminator: end sumti that was converted to selbri; usually elidable.
mei convert number to cardinality selbri; x1 is the mass formed from set x2 whose n member(s) are x3. [x1 is a mass with N components x3 composing set x2; x2 is an n-tuple (x2 is completely specified) (= {selmei} for reordered places); x1 forms an n-some; x3 (not necessarily a complete enumeration) are among the members of x2]; See also {cmima}, {gunma}, cmavo list {moi}.
mi pro-sumti: me/we the speaker(s)/author(s); identified by self-vocative.
mi'a pro-sumti: me/we the speaker(s)/author(s) & others unspecified, but not you, the listener.
mi'ai we; I (the speaker) and at least one another person English we. {mi'a}, {mi'o} and {ma'a} are more specific cases of {mi'ai}. {mi'ai} = {mi} {jo'u} {da'ai}
mi'e self vocative: self-introduction - denial of identity; identifies speaker.
mi'i non-logical interval connective: ordered components: ... center, ... range surrounding center.
mi'o pro-sumti: me/we the speaker(s)/author(s) & you the listener(s).
mi'u discursive: ditto. See also {mintu}.
mo pro-bridi: bridi/selbri/brivla question.
mo'a digit/number: too few; subjective.
mo'e convert sumti to mex operand; sample use in story arithmetic: [3 apples] + [3 apples] = what.
mo'i mark motions in space-time.
mo'o higher-order utterance ordinal suffix; converts a number to ordinal, usually a section/chapter.
mo'u interval event contour: at the natural ending point of ...; completive | >|<.
moi convert number to ordinal selbri; x1 is (n)th member of set x2 ordered by rule x3.
mu digit/number: 5 (digit) [five].
mu'a discursive: for example - omitting - end examples. See also {mupli}.
mu'e abstractor: achievement (event) abstractor; x1 is the event-as-a-point/achievement of [bridi].
mu'ei Converts PA into tense; in [number (usually nonspecific)] possible worlds/alternate histories where [sumti (du'u)] is true Includes what may have happened if the past were different from the actual past. See {ba'oi}
mu'i mukti modal, 1st place because of motive ...
mu'o vocative: over (response OK) - more to come.
mu'u mupli modal, 1st place exemplified by ...
my letteral for m.
na bridi contradictory negator; scope is an entire bridi; logically negates in some cmavo compounds.
na'a cancel all letteral shifts.
na'e contrary scalar negator: other than ...; not ...; a scale or set is implied.
na'ei Contradictory negation of a predicate The quantifier negation laws can be stated as: naku ro da zo'u da broda .ijo [su'o] da zo'u da na'ei broda, naku [su'o] da zo'u da broda .ijo ro da zo'u da na'ei broda.
na'i discursive: metalinguistic negator. See also {naldra}, {nalmapti}.
na'o tense interval modifier: characteristically/typically; tense/modal; defaults as time tense.
na'u convert selbri to mex operator; used to create less-used operators using fu'ivla, lujvo, etc.
nai attached to cmavo to negate them; various negation-related meanings.
nau tense: refers to current space/time reference absolutely.
ne non-restrictive relative phrase marker: which incidentally is associated with ...
ne'a location tense relation/direction; approximating/next to ...
ne'e polar opposite scalar negator; equivalent to {to'e} but in selma'o CAI See also {to'e}
ne'i location tense relation/direction; within/inside of/into ...
ne'o unary mathematical operator: factorial; a!.
ne'u location tense relation/direction; south of.
nei pro-bridi: repeats the current bridi.
nei'o pro-sumti: this paragraph
ni abstractor: quantity/amount abstractor; x1 is quantity/amount of [bridi] measured on scale x2.
ni'a location tense relation/direction; downwards/down from ...
ni'e convert selbri to mex operand; used to create new non-numerical quantifiers; e.g. herd of oxen.
ni'i nibli modal, 1st place logically; logically because ...
ni'o discursive: paragraph break; introduce new topic.
ni'u digit/number: minus sign; negative number); default any negative.
no digit/number: 0 (digit) [zero].
no'a pro-bridi: repeats the bridi in which this one is embedded.
no'e midpoint scalar negator: neutral point between je'a and to'e; not really.
no'i discursive: paragraph break; resume previous topic.
no'o digit/number: typical/average value.
no'oi Selbri incidental relative clause; attaches to a selbri with the ke'a being 'me'ei the attached selbri' Cf. {me'ei}, {me'au}, {noi}, {po'oi}.
no'u non-restrictive appositive phrase marker: which incidentally is the same thing as ...
noi non-restrictive relative clause; attaches subordinate bridi with incidental information.
nu abstractor: generalized event abstractor; x1 is state/process/achievement/activity of [bridi]. Terminated with {kei}.
nu'a convert mathematical expression (mex) operator to a selbri/tanru component.
nu'e vocative: promise - promise release - un-promise.
nu'i start forethought termset construct; marks start of place structure set with logical connection.
nu'o modal aspect: can but has not; unrealized potential.
nu'u elidable terminator: end forethought termset; usually elidable except with following sumti.
ny letteral for n.
o logical connective: sumti afterthought biconditional/iff/if-and-only-if.
o'a attitudinal: pride - modesty/humility - shame. See also {jgira}, {cumla}, {ckeji}.
o'ai vocative: slightly surprised greetings See also {xai}, {coi}, {co'oi}
o'e attitudinal: closeness - distance. See also {cnijbi}, {cnikansa}.
o'i attitudinal: caution - rashness. See also {capyrivbi}, {capfanta}, {srerivbi}, {srefanta}, {naldarsi}, {seljde}.
o'o attitudinal: patience - mere tolerance - anger. See also {fengu}, {to'ersteba}, {de'acni}
o'u attitudinal: relaxation - composure - stress. See also {surla}, {cnilanxe}, {dunku}.
oi attitudinal: complaint - pleasure. See also {pante}, {pluka}, {kufra}.
pa digit/number: 1 (digit) [one].
pa'a panra modal, 1st place (parallel; shared property) similarly; in addition to ...
pa'e discursive: justice - prejudice. See also {tcinydracu'a}, {tcinydrapai}, {vudypai}.
pa'i binary mathematical operator: ratio; [the ratio of a to b].
pa'o location tense relation/direction; transfixing/passing through ...
pa'u pagbu modal, 1st place having component ...
pai digit/number: pi (approximately 3.1416...).
pau discursive: optional question premarker. See also {preti}.
pe restrictive relative phrase marker: which is associated with ...; loosest associative/possessive.
pe'a marks a construct as figurative (non-literal/metaphorical) speech/text.
pe'e marks the following connective as joining termsets.
pe'i evidential: I opine (subjective claim). See also {jinvi}.
pe'o forethought flag for mathematical expression (mex) Polish (forethought) operator.
pe'u vocative: please.
pei attitudinal: attitudinal question; how do you feel about it? with what intensity?.
pi digit/number: radix (number base) point; default decimal.
pi'a n-ary mathematical operator: operands are vectors to be treated as matrix rows.
pi'ai Prefix multiplication of unit selbri Cf. {te'ai}. Used to construct selbri for units such as coulombs, which is pi'ai xampo snidu [ke'e] which is x1 is measured in Coulombs (Ampere-seconds) as x2 (li) etc. Since pi'ai is prefix, pi'ai mitre snidu grake [ke'e] is m s g, etc.; separate multipliers are not necessary.
pi'e digit/number:separates digits for base >16, not current standard, or variable (e.g. time, date).
pi'i n-ary mathematical operator: times; multiplication operator; [(((a * b) * c) * ...)].
pi'o pilno modal, 1st place used by ...
pi'u non-logical connective: cross product; Cartesian product of sets.
po restrictive relative phrase marker: which is specific to ...; normal possessive physical/legal.
po'e restrictive relative phrase marker: which belongs to ... ; inalienable possession.
po'i porsi modal, 1st place (in order) sequentially; in the sequence ...
po'o discursive: uniquely, only, solely: the only relevant case. See also {pamei}, {mulno}, {frica}.
po'oi selbri restrictive relative clause; attaches to a selbri with the ke'a being me'ei the attached-selbri Cf. {me'ei}, {me'au}, {no'oi}, {poi}.
po'u restrictive appositive phrase marker: which is the same thing as.
poi restrictive relative clause; attaches subordinate bridi with identifying information to a sumti.
pu time tense relation/direction: did [selbri]; before/prior to [sumti]; default past tense.
pu'a pluka modal, 1st place pleased by ...
pu'au tense: refers to past of current space/time reference absolutely before the time of {nau}
pu'e pruce modal, 1st place (in manner 1) by process ...
pu'i modal aspect: can and has; demonstrated potential.
pu'o interval event contour: in anticipation of ...; until ... ; inchoative ----| |.
pu'u abstractor: process (event) abstractor; x1 is process of [bridi] proceeding in stages x2.
py letteral for p.
ra pro-sumti: a recent sumti before the last one, as determined by back-counting rules.
ra'a srana modal, 1st place pertained to by ... (generally more specific).
ra'e digit/number: repeating digits (of a decimal) follow.
ra'i krasi modal, 1st place from source/origin/starting point ...
ra'o flag GOhA to indicate pro-assignment context updating for all pro-assigns in referenced bridi.
ra'oi single-word rafsi quote; quotes a single word delimited by pauses (in speech) or whitespace (in writing) and treats it as a rafsi Useful for quoting rafsi that aren't legal words on their own. See http://www.lojban.org/tiki/Unspeakable+rafsi+gotcha for details.
ra'u discursive: chiefly - equally - incidentally. See also {ralju}, {vajni}.
rai traji modal, 1st place with superlative ...
rau digit/number: enough; subjective.
re digit/number: 2 (digit) [two].
re'a unary mathematical operator: matrix transpose/dual; A*.
re'e emotion category/modifier: religious/spiritual/worship - sacrilege. See also {lijda}.
re'i vocative: ready to receive - not ready to receive.
re'o location tense relation/direction; adjacent to/touching/contacting ...
re'u converts number to an objectively quantified ordinal tense interval modifier; defaults to time.
rei digit/number: hex digit E (decimal 14) [fourteen].
ri pro-sumti: the last sumti, as determined by back-counting rules.
ri'a rinka modal, 1st place (phys./mental) causal because ...
ri'e attitudinal modifier: release of emotion - emotion restraint. See also {cniri'u}, {cnicru}.
ri'i lifri modal, 1st place patient/passive case tag; happens to...,experienced by...,with passive...
ri'o trinary mathematical operator: [integral of a with respect to b over range c].
ri'u location tense relation/direction; rightwards/to the right of ...
ro digit/number: each, all.
ro'a emotion category/modifier: social - antisocial. See also {jikca}.
ro'e emotion category/modifier: mental - mindless. See also {menli}.
ro'i emotion category/modifier: emotional - denying emotion. See also {cinmo}.
ro'o emotion category/modifier: physical - denying physical. See also {xadni}.
ro'u emotion category/modifier: sexual - sexual abstinence. See also {cinse}.
roi converts number to an objectively quantified tense interval modifier; defaults to time tense.
ru pro-sumti: a remote past sumti, before all other in-use backcounting sumti.
ru'a evidential: I postulate. See also {sruma}.
ru'e attitudinal: weak intensity attitude modifier.
ru'i tense interval modifier: continuously; subjective tense/modal; defaults as time tense.
ru'o shift letterals to Cyrillic alphabet.
ru'u location tense relation/direction; surrounding/annular ...
ry letteral for r.
sa erase complete or partial utterance; next word shows how much erasing to do.
sa'a discursive: material inserted by editor/narrator (bracketed text). See also {setca}.
sa'ai start quote of replacement for recent mistakenly uttered text See {le'ai}.
sa'e discursive: precisely speaking - loosely speaking. See also {satci}, {jibni}.
sa'ei Converts following cmevla or zoi-quote into onomatopoeia. (bam! crash! kapow! etc.) Narrower term than {tai'i}. See also {sance}, {ci'oi}, {ki'ai}.
sa'i n-ary mathematical operator: operands are vectors to be treated as matrix columns.
sa'o trinary mathematical operator: [derivative of a with respect to b of degree c].
sa'u discursive: simply - elaborating. See also {sampu}, {pluja}.
sai attitudinal: moderate intensity attitude modifier.
sau sarcu modal, 1st place requiring ...
se 2nd conversion; switch 1st/2nd places.
se'a attitudinal modifier: self-sufficiency - dependency. See also {sezysei}, {kantcu}.
se'e following digits code a character (in ASCII, Unicode, etc.).
se'i attitudinal modifier: self-oriented - other-oriented. See also {sevzi}, {drata}.
se'o evidential: I know by internal experience (dream, vision, or personal revelation). See also {senva}.
se'u elidable terminator: end discursive bridi or mathematical precedence;usually elidable.
sei start discursive (metalinguistic) bridi.
si erase the last Lojban word, treating non-Lojban text as a single word.
si'a discursive: similarly. See also {simsa}, {panra}.
si'au evidential: it seems that...
si'e convert number to portion selbri; x1 is an (n)th portion of mass/totality x2; (cf. gunma).
si'i trinary mathematical operator: [sigma summation of a using variable b over range c].
si'o abstractor: idea/concept abstractor; x1 is x2's concept of [bridi].
si'u sidju modal, 1st place (aiding agent) aided by ...
so digit/number: 9 (digit) [nine].
so'a digit/number: almost all (digit/number).
so'e digit/number: most.
so'i digit/number: many.
so'o digit/number: several.
so'u digit/number: few.
soi discursive: reciprocal sumti marker; indicates a reciprocal relationship between sumti.
su erase to start of discourse or text; drop subject or start over.
su'a evidential: I generalize - I particularize; discursive: abstractly - concretely. See also {sucta}, {sucni'i}.
su'e digit/number: at most (all); no more than.
su'i n-ary mathematical operator: plus; addition operator; [(((a + b) + c) + ...)].
su'o digit/number: at least (some); no less than.
su'u abstractor: generalized abstractor (how); x1 is [bridi] as a non-specific abstraction of type x2.
sy letteral for s.
ta pro-sumti: that there; nearby demonstrative it; indicated thing/place near listener.
ta'a vocative: interruption.
ta'e tense interval modifier: habitually; subjective tense/modal; defaults as time tense.
ta'i tadji modal, 1st place (in manner 3) methodically; by method ...
ta'o discursive: by the way - returning to main point. See also {denpa}, {cneterta'a}.
ta'u discursive: expanding the tanru - making a tanru. See also {tanru}.
tai tamsmi modal, 1st place (like)/(in manner 2) resembling ...; sharing ideal form ... {tamsmi} is x1 resembles x2 sharing ideal form/shape x3 in property x4
tai'i Converts following cmevla or zoi-quote into phenomime. Broader term than {ci'oi} and {sa'ei}. See also {tai}, {tamsmi}, {ki'ai}. Examples in some languages. jpn: しーん (shiin): soundlessly. kor: 슬슬 (seul-seul): gently. nep: हत्तपत्त (hattapatta): immediately.
tau 2-word letteral/shift: change case for next letteral only.
te 3rd conversion; switch 1st/3rd places.
te'a binary mathematical operator: to the power; exponential; [a to the b power].
te'ai Exponentiation of unit selbri With {pi'ai}, this word can be used to construct unit selbri; see the notes of {pi'ai} for a simple example. A full example is the units of acceleration, pi'ai mitre snidu te'ai ni'u re [ke'e].
te'e location tense relation/direction; edged by/edging up to ...
te'o digit/number: exponential e (approx 2.71828...).
te'u elidable terminator: end conversion between non-mex and mex; usually elidable.
tei composite letteral follows; used for multi-character letterals.
ti pro-sumti: this here; immediate demonstrative it; indicated thing/place near speaker.
ti'a location tense relation/direction; rearwards/to the rear of ...
ti'e evidential: I hear (hearsay). See also {tirna}, {sitna}, {tcidu}.
ti'i stidi modal, 1st place suggested by ...; proposed by ...
ti'o mathematical expression (mex) operator precedence (discursive).
ti'u tcika modal, 1st place (for letters) associated with time ... ; attach time stamp.
to left parenthesis; start of parenthetical note which must be grammatical Lojban text.
to'a lower-case letteral shift.
to'ai conversion: move 3rd place to 1st position. Everything else stays in the same order. Before: x1 x2 x3 x4 x5, after: x3 x1 x2 x4 x5. Has the same effect as te se. Proposed rafsi: -toz-
to'e polar opposite scalar negator.
to'i open editorial unquote (within a quote); contains grammatical text; mark with editorial insert.
to'o location tense relation/direction; departing from/directly away from ...
to'u discursive: in brief - in detail. See also {tordu}, {clani}, {tcidu}.
toi elidable terminator: right parenthesis/end unquote; seldom elidable except at end of text.
tu pro-sumti: that yonder; distant demonstrative it; indicated thing far from speaker&listener.
tu'a extracts a concrete sumti from an unspecified abstraction; equivalent to le nu/su'u [sumti] co'e.
tu'e start of multiple utterance scope; used for logical/non-logical/ordinal joining of sentences.
tu'i stuzi modal, 1st place (used to situate letters) associated with site ... ; label with location.
tu'o null operand (used in unary mekso operations). See also {xo'e}.
tu'u elidable terminator: end multiple utterance scope; seldom elidable.
ty letteral for t.
u logical connective: sumti afterthought whether-or-not.
u'a attitudinal: gain - loss. See also {jinga}, {selne'u}, {prali}, {cirko}.
u'e attitudinal: wonder - commonplace. See also {manci}, {fadni}.
u'i attitudinal: amusement - weariness. See also {selzdi}, {selxajmi}, {xalbo}.
u'o attitudinal: courage - timidity - cowardice. See also {virnu}.
u'u attitudinal: repentance - lack of regret - innocence. See also {xenru}, {zugycni}.
ua attitudinal: discovery - confusion/searching. See also {facki}, {cfipu}, {sisku}.
ue attitudinal: surprise - not really surprised - expectation. See also {spaji}.
ui attitudinal: happiness - unhappiness. See also {gleki}.
uo attitudinal: completion - incompleteness. See also {mulno}, {mansa}, {fanmo}, {snada}.
uu attitudinal: pity - cruelty. See also {kecti}.
va location tense distance: near to ... ; there at ...; a medium/small distance from ...
va'a unary mathematical operator: additive inverse; [- a].
va'e convert number to scalar selbri; x1 is at (n)th position on scale x2.
va'i discursive: in other words - in the same words. See also {cneselsku}.
va'o vanbi modal, 1st place (conditions 1) under conditions ...; in environment ...
va'u xamgu modal, 1st place beneficiary case tag complement benefiting from ...
vai digit/number: hex digit F (decimal 15) [fifteen].
vau elidable: end of sumti in simple bridi; in compound bridi, separates common trailing sumti.
ve 4th conversion; switch 1st/4th places.
ve'a location tense interval: a small/medium region of space.
ve'e location tense interval: the whole of space.
ve'i location tense interval: a tiny region of space.
ve'o right mathematical bracket.
ve'u location tense interval: a large region of space.
vei left mathematical bracket.
vi location tense distance: here at ... ; at or a very short/tiny distance from ...
vi'a dimensionality of space interval tense: 2-space interval; throughout an area.
vi'e dimensionality of space interval tense: 4-space interval; throughout a spacetime.
vi'i dimensionality of space interval tense: 1-space interval; along a line.
vi'o vocative: wilco (ack and will comply).
vi'u dimensionality of space interval tense: 3-space interval; throughout a space.
vo digit/number: 4 (digit) [four].
vo'a pro-sumti: repeats 1st place of main bridi of this sentence.
vo'ai conversion: move 4th place to 1st position. Everything else stays in the same order. Before: x1 x2 x3 x4 x5, after: x4 x1 x2 x3 x5. Has the same effect as ve te se. Proposed rafsi: -voz-
vo'e pro-sumti: repeats 2nd place of main bridi of this sentence.
vo'i pro-sumti: repeats 3rd place of main bridi of this sentence.
vo'o pro-sumti: repeats 4th place of main bridi of this sentence.
vo'u pro-sumti: repeats 5th place of main bridi of this sentence.
voi non-veridical restrictive clause used to form complicated le-like descriptions using ke'a.
vu location tense distance: far from ... ; yonder at ... ; a long distance from ...
vu'a location tense relation/direction; west of.
vu'e attitudinal modifier: virtue - sin. See also {vrude}, {zungi}.
vu'i sumti qualifier: the sequence made from set or composed of elements/components; order is vague.
vu'o joins relative clause/phrase to complete complex or logically connected sumti in afterthought.
vu'u n-ary mathematical operator: minus; subtraction operator; [(((a - b) - c) - ...)].
vy letteral for v.
xa digit/number: 6 (digit) [six].
xa'o opposite of za'o: event contour: refers to the portion of the event which occurs before the natural beginning; starting too early before ...; <----.
xai vocative: generalised vocative the most generalised member of selmaho COI roughly corresponding to Italian ciao, hi/bye, hey! simultaneously
xe 5th conversion; switch 1st/5th places.
xei digit/number: hex digit E (decimal 14) [fourteen] Used as an alternative to {rei} to avoid confusion with {re}.
xi subscript; attaches a numer of letteral string following as a subscript onto grammar structures.
xo digit/number: number/digit/lerfu question.
xo'a Loglan toggle: Toggles text to TLI Loglan; marks following text as TLI Loglan. The proposal also includes an experimental Loglan Little word ``hoa'' (which toggles text to Lojban).
xo'ai conversion: move 5th place to 1st position. Everything else stays in the same order. Before: x1 x2 x3 x4 x5, after: x5 x1 x2 x3 x4. Has the same effect as xe ve te se. Proposed rafsi: -xoz-
xo'e elliptical/unspecified number. See also {tu'o}, {xo}, {zo'e}, {co'e}, and {do'e}.
xo'i Extracts selbri from a tag, inverse of fi'o xo'i bau is equivalent to bangu, xo'i fi'o broda is equivalent to broda
xo'o attitudinal modifier: sarcastically - sincerely There is no good attitudinal for sarcasm. Chosen for its similarity to {zo'o}.
xoi converts bridi into nonce modal/sumti tag clause sharing common places with the main clause 1. The first place containing abstraction (if present in the predicate of the subordinate clause) is automatically applied to the whole bridi if not explicitly defined otherwise 2. If the first place is an object it's applied to the first place of the bridi. See also {fi'o}
xu discursive: true-false question.
xy letteral for x.
y hesitation noise; maintains the floor while speaker decides what to say next.
y'y letteral for '.
za time tense distance: medium distance in time.
za'a evidential: I observe. See also {zgana}, {lanli}.
za'ai time tense distance: an unspecified distance in time Used to express a time distance without specifying any subjective notion about its size. May typically be used in a question when the subjective notion is not known. See also {za}, {zi}, {zu}, {ze'ai}
za'e forethought nonce-word indicator; indicates next word is nonce-creation and may be nonstandard.
za'i abstractor: state (event) abstractor; x1 is continuous state of [bridi] being true.
za'o interval event contour: continuing too long after natural end of ...; superfective | ---->.
za'u digit/number: greater than.
zai 2-word letteral/shift: alternate alphabet selector follows.
zai'a attitudinal modifier: observed emotion; preceding attitudinal is observed on listener Replaces recent questionable usage of dai, which should be reserved for situations in which the speaker also feels the emotion. ui nai zai'a - I see you are unhappy. (Note that observation is not limited to visual)
zau zanru modal, 1st place approved by ...
ze digit/number: 7 (digit) [seven].
ze'a time tense interval: a medium length of time.
ze'ai time tense interval: an unspecified amount of time Used to express a duration without specifying any subjective notion about its length. May typically be used in a question when the subjective notion is not known. See also {ze'a}, {ze'i}, {ze'u}, {ze'e}, {za'ai}
ze'e time tense interval: the whole of time.
ze'ei nonce word with existing grammar Binds two arbitrary words together to form a nonce word whose semantics are indicated by the left word and whose grammar is the same as that of the right word. Useful for creating function words without having to allocate experimental cmavo forms.
ze'i time tense interval: an instantaneous/tiny/short amount of time.
ze'o location tense relation/direction; beyond/outward/receding from ...
ze'u time tense interval: a long amount of time.
zei joins preceding and following words into a lujvo.
zi time tense distance: instantaneous-to-short distance in time.
zi'a nonce-word indicator; indicates previous word is nonce-creation and may be nonstandard; equivalent to {za'e} but in selma'o UI See also {za'e}
zi'e joins relative clauses which apply to the same sumti.
zi'o pro-sumti: fills a sumti place, deleting it from selbri place structure;changes selbri semantics.
zo quote next word only; quotes a single Lojban word (not a cmavo compound or tanru).
zo'a location tense relation/direction; tangential to/passing by ...
zo'au cmene quote; quotes arbitrary number of adjacent cmevla or one selbri.
zo'e pro-sumti: an elliptical/unspecified value; has some value which makes bridi true.
zo'ei Something associated with; equivalent to ''zo'e pe''. There are a lot of cases where people use tu'a where they actually mean zo'ei; once I noticed the usefulness of such a word to elide whole chunks of sentences, I started wanting it all the time. -camgusmis
zo'i location tense relation/direction; nearer than .../inward/approaching from ...
zo'o attitudinal modifier: humorously - dully - seriously. See also {xajmi}, {junri}.
zo'oi quote next non-Lojban word only; quotes a single non-Lojban word delimited by pauses (in speech) or whitespace (in writing) See also {zo}, {zoi}, {la'oi}.
zo'u marks end of logical prenex quantifiers/topic identification and start of sentence bridi.
zoi delimited non-Lojban quotation; the result treated as a block of text.
zu time tense distance: long distance in time.
zu'a location tense relation/direction; leftwards/to the left of ...
zu'e zukte modal, 1st place (purposed agent) with goal-seeking actor ...
zu'i pro-sumti: the typical sumti value for this place in this relationship; affects truth value.
zu'o abstractor: activity (event) abstractor; x1 is abstract activity of [bridi] composed of x2.
zu'u discursive: on the one hand - on the other hand. See also {karbi}, {frica}, {dukti}
zy letteral for z.
}}}
<html>
<head>
<style type="text/css">
table { float: left; margin: .5em;}
.clear { clear: left; }
tr { border: none; margin: 0; padding: 0; }
td { border: none; margin: 0; padding: .2em; border: thin black solid; }
.hilite { border: thin red solid; background-color: black; color: yellow; }
.legend { min-width: 7em; margin-bottom: .5em; }
.BE { background-color: #fff; }
.SEhU { background-color: #fff; }
.BO { background-color: #fff; }
.BU { background-color: #fff; }
.LIhU { background-color: #fff; }
.BY { background-color: #2b0; }
.LUhU { background-color: #fff; }
.DAhO { background-color: #fff; }
.NUhU { background-color: #fff; }
.GIhA { background-color: #90b; }
.NUhI { background-color: #fff; }
.VIhA { background-color: #0b9; }
.BAhE { background-color: #702; }
.JOI { background-color: #b20; }
.NUhA { background-color: #fff; }
.VEI { background-color: #fff; }
.ZEhA { background-color: #555; }
.MOhI { background-color: #fff; }
.NAI { background-color: #fff; }
.ZAhO { background-color: #222; }
.GA { background-color: #9f0; }
.JAI { background-color: #fff; }
.TAhE { background-color: #0f2; }
.GI { background-color: #fff; }
.VAU { background-color: #fff; }
.KE { background-color: #fff; }
.BOI { background-color: #fff; }
.BEhO { background-color: #fff; }
.MAI { background-color: #b00; }
.LAU { background-color: #02b; }
.LOhU { background-color: #fff; }
.BEI { background-color: #fff; }
.VUhO { background-color: #fff; }
.KEhE { background-color: #fff; }
.VUhU { background-color: #0f9; }
.ROI { background-color: #f02; }
.PU { background-color: #b02; }
.CEI { background-color: #fff; }
.JA { background-color: #720; }
.PA { background-color: #f00; }
.FAhA { background-color: #9b0; }
.FAhO { background-color: #fff; }
.ZO { background-color: #fff; }
.ZI { background-color: #888; }
.ZOI { background-color: #aaa; }
.LAhE { background-color: #02f; }
.KUhO { background-color: #fff; }
.KUhE { background-color: #fff; }
.ME { background-color: #fff; }
.NOI { background-color: #00b; }
.TUhU { background-color: #fff; }
.NAhU { background-color: #fff; }
.LEhU { background-color: #fff; }
.MOI { background-color: #097; }
.UI { background-color: #00f; }
.ZIhE { background-color: #fff; }
.TUhE { background-color: #fff; }
.NAhE { background-color: #09f; }
.DOI { background-color: #fff; }
.FA { background-color: #970; }
.COI { background-color: #20b; }
.TEI { background-color: #fff; }
.KOhA { background-color: #b09; }
.PEhE { background-color: #fff; }
.MOhE { background-color: #fff; }
.NA { background-color: #09b; }
.RAhO { background-color: #fff; }
.PEhO { background-color: #fff; }
.FOI { background-color: #fff; }
.FUhA { background-color: #fff; }
.CUhE { background-color: #20f; }
.FUhE { background-color: #fff; }
.MEhU { background-color: #fff; }
.FUhO { background-color: #fff; }
.NU { background-color: #f20; }
.SEI { background-color: #0b2; }
.NIhE { background-color: #fff; }
.XI { background-color: #fff; }
.CO { background-color: #fff; }
.NIhO { background-color: #007; }
.CAhA { background-color: #207; }
.JOhI { background-color: #fff; }
.CU { background-color: #fff; }
.CEhE { background-color: #fff; }
.KEI { background-color: #fff; }
.KI { background-color: #fff; }
.ZEI { background-color: #fff; }
.SU { background-color: #fff; }
.LOhO { background-color: #fff; }
.SI { background-color: #fff; }
.KU { background-color: #fff; }
.GOhA { background-color: #070; }
.SA { background-color: #fff; }
.SE { background-color: #072; }
.BIhI { background-color: #270; }
.BIhE { background-color: #fff; }
.CAI { background-color: #2f0; }
.TOI { background-color: #fff; }
.TEhU { background-color: #fff; }
.GEhU { background-color: #fff; }
.BAI { background-color: #f90; }
.LE { background-color: #790; }
.LA { background-color: #027; }
.SOI { background-color: #fff; }
.VEhA { background-color: #079; }
.LI { background-color: #b90; }
.TO { background-color: #709; }
.LU { background-color: #fff; }
.GUhA { background-color: #0b0; }
.A { background-color: #700; }
.VA { background-color: #f09; }
.GOI { background-color: #90f; }
.MAhO { background-color: #fff; }
.FEhE { background-color: #fff; }
.I { background-color: #0f0; }
.ZOhU { background-color: #fff; }
.FEhU { background-color: #fff; }
.Y { background-color: #fff; }
.FIhO { background-color: #fff; }
.DOhU { background-color: #fff; }
.GAhO { background-color: #907; }
.VEhO { background-color: #fff; }
</style>
<script type="text/javascript">
function hilite(selmao) {
divs = document.getElementsByTagName("div")
for (i=0; i < divs.length; i++) {
div=divs[i]
if (div.className == "hilite") {
div.className = ""
}
else if (div.id == selmao) {
div.className = "hilite"
}
}
tds = document.getElementsByTagName("td")
for (i=0; i < tds.length; i++) {
td=tds[i]
if (td.getAttribute('name') == selmao) {
td.className = "hilite"
}
else {
td.className = td.getAttribute('name')
}
}
}
</script></head>
<body><table><tr>
<td name="A" class="A" title="sumti or" onclick="hilite(this.getAttribute('name'))" id=".a">.a</td>
<td name="UI" class="UI" title="attentive" onclick="hilite(this.getAttribute('name'))" id=".a'a">.a'a</td>
<td name="UI" class="UI" title="alertness" onclick="hilite(this.getAttribute('name'))" id=".a'e">.a'e</td>
<td name="UI" class="UI" title="effort" onclick="hilite(this.getAttribute('name'))" id=".a'i">.a'i</td>
<td name="UI" class="UI" title="hope" onclick="hilite(this.getAttribute('name'))" id=".a'o">.a'o</td>
<td name="UI" class="UI" title="interest" onclick="hilite(this.getAttribute('name'))" id=".a'u">.a'u</td>
<td name="UI" class="UI" title="intent" onclick="hilite(this.getAttribute('name'))" id=".ai">.ai</td>
<td name="UI" class="UI" title="desire" onclick="hilite(this.getAttribute('name'))" id=".au">.au</td></tr><tr>
<td name="PU" class="PU" title="after" onclick="hilite(this.getAttribute('name'))" id="ba">ba</td>
<td name="UI" class="UI" title="I anticipate" onclick="hilite(this.getAttribute('name'))" id="ba'a">ba'a</td>
<td name="BAhE" class="BAhE" title="emphasize next" onclick="hilite(this.getAttribute('name'))" id="ba'e">ba'e</td>
<td name="BAI" class="BAI" title="replaced by" onclick="hilite(this.getAttribute('name'))" id="ba'i">ba'i</td>
<td name="ZAhO" class="ZAhO" title="perfective" onclick="hilite(this.getAttribute('name'))" id="ba'o">ba'o</td>
<td name="UI" class="UI" title="exaggeration" onclick="hilite(this.getAttribute('name'))" id="ba'u">ba'u</td>
<td name="BAI" class="BAI" title="compelled by" onclick="hilite(this.getAttribute('name'))" id="bai">bai</td>
<td name="BAI" class="BAI" title="in language" onclick="hilite(this.getAttribute('name'))" id="bau">bau</td></tr><tr>
<td name="PU" class="PU" title="during" onclick="hilite(this.getAttribute('name'))" id="ca">ca</td>
<td name="CAhA" class="CAhA" title="actually is" onclick="hilite(this.getAttribute('name'))" id="ca'a">ca'a</td>
<td name="UI" class="UI" title="I define" onclick="hilite(this.getAttribute('name'))" id="ca'e">ca'e</td>
<td name="BAI" class="BAI" title="by authority of" onclick="hilite(this.getAttribute('name'))" id="ca'i">ca'i</td>
<td name="ZAhO" class="ZAhO" title="continuative" onclick="hilite(this.getAttribute('name'))" id="ca'o">ca'o</td>
<td name="FAhA" class="FAhA" title="in front of" onclick="hilite(this.getAttribute('name'))" id="ca'u">ca'u</td>
<td name="CAI" class="CAI" title="intense emotion" onclick="hilite(this.getAttribute('name'))" id="cai">cai</td>
<td name="BAI" class="BAI" title="lacked by" onclick="hilite(this.getAttribute('name'))" id="cau">cau</td></tr><tr>
<td name="KOhA" class="KOhA" title="something 1" onclick="hilite(this.getAttribute('name'))" id="da">da</td>
<td name="PA" class="PA" title="all except" onclick="hilite(this.getAttribute('name'))" id="da'a">da'a</td>
<td name="KOhA" class="KOhA" title="eventual utterance" onclick="hilite(this.getAttribute('name'))" id="da'e">da'e</td>
<td name="UI" class="UI" title="supposing" onclick="hilite(this.getAttribute('name'))" id="da'i">da'i</td>
<td name="DAhO" class="DAhO" title="cancel pro-assigns" onclick="hilite(this.getAttribute('name'))" id="da'o">da'o</td>
<td name="KOhA" class="KOhA" title="earlier utterance" onclick="hilite(this.getAttribute('name'))" id="da'u">da'u</td>
<td name="UI" class="UI" title="empathy" onclick="hilite(this.getAttribute('name'))" id="dai">dai</td>
<td name="PA" class="PA" title="hex digit A" onclick="hilite(this.getAttribute('name'))" id="dau">dau</td></tr><tr>
<td name="FA" class="FA" title="1st sumti place" onclick="hilite(this.getAttribute('name'))" id="fa">fa</td>
<td name="FAhA" class="FAhA" title="towards point" onclick="hilite(this.getAttribute('name'))" id="fa'a">fa'a</td>
<td name="BAI" class="BAI" title="reverse of" onclick="hilite(this.getAttribute('name'))" id="fa'e">fa'e</td>
<td name="VUhU" class="VUhU" title="reciprocal of" onclick="hilite(this.getAttribute('name'))" id="fa'i">fa'i</td>
<td name="FAhO" class="FAhO" title="end of text" onclick="hilite(this.getAttribute('name'))" id="fa'o">fa'o</td>
<td name="JOI" class="JOI" title="and respectively" onclick="hilite(this.getAttribute('name'))" id="fa'u">fa'u</td>
<td name="FA" class="FA" title="extra sumti place" onclick="hilite(this.getAttribute('name'))" id="fai">fai</td>
<td name="BAI" class="BAI" title="in the event of" onclick="hilite(this.getAttribute('name'))" id="fau">fau</td></tr><tr>
<td name="GA" class="GA" title="fore or" onclick="hilite(this.getAttribute('name'))" id="ga">ga</td>
<td name="BAI" class="BAI" title="to observer" onclick="hilite(this.getAttribute('name'))" id="ga'a">ga'a</td>
<td name="BY" class="BY" title="upper-case shift" onclick="hilite(this.getAttribute('name'))" id="ga'e">ga'e</td>
<td name="UI" class="UI" title="hauteur" onclick="hilite(this.getAttribute('name'))" id="ga'i">ga'i</td>
<td name="GAhO" class="GAhO" title="inclusive interval" onclick="hilite(this.getAttribute('name'))" id="ga'o">ga'o</td>
<td name="FAhA" class="FAhA" title="above" onclick="hilite(this.getAttribute('name'))" id="ga'u">ga'u</td>
<td name="PA" class="PA" title="hex digit C" onclick="hilite(this.getAttribute('name'))" id="gai">gai</td>
<td name="BAI" class="BAI" title="with active agent" onclick="hilite(this.getAttribute('name'))" id="gau">gau</td></tr><tr>
<td name="JA" class="JA" title="tanru or" onclick="hilite(this.getAttribute('name'))" id="ja">ja</td>
<td name="NA" class="NA" title="bridi affirmer" onclick="hilite(this.getAttribute('name'))" id="ja'a">ja'a</td>
<td name="BAI" class="BAI" title="therefore result" onclick="hilite(this.getAttribute('name'))" id="ja'e">ja'e</td>
<td name="BAI" class="BAI" title="by rule" onclick="hilite(this.getAttribute('name'))" id="ja'i">ja'i</td>
<td name="UI" class="UI" title="I conclude" onclick="hilite(this.getAttribute('name'))" id="ja'o">ja'o</td><td></td>
<td name="JAI" class="JAI" title="modal conversion" onclick="hilite(this.getAttribute('name'))" id="jai">jai</td>
<td name="PA" class="PA" title="hex digit D" onclick="hilite(this.getAttribute('name'))" id="jau">jau</td></tr><tr>
<td name="NU" class="NU" title="property abstract" onclick="hilite(this.getAttribute('name'))" id="ka">ka</td>
<td name="BAI" class="BAI" title="gone to by" onclick="hilite(this.getAttribute('name'))" id="ka'a">ka'a</td>
<td name="CAhA" class="CAhA" title="innately capable of" onclick="hilite(this.getAttribute('name'))" id="ka'e">ka'e</td>
<td name="BAI" class="BAI" title="represented by" onclick="hilite(this.getAttribute('name'))" id="ka'i">ka'i</td>
<td name="PA" class="PA" title="imaginary i" onclick="hilite(this.getAttribute('name'))" id="ka'o">ka'o</td>
<td name="UI" class="UI" title="I know culturally" onclick="hilite(this.getAttribute('name'))" id="ka'u">ka'u</td>
<td name="BAI" class="BAI" title="characterizing" onclick="hilite(this.getAttribute('name'))" id="kai">kai</td>
<td name="UI" class="UI" title="indirect question" onclick="hilite(this.getAttribute('name'))" id="kau">kau</td></tr><tr>
<td name="LA" class="LA" title="that named" onclick="hilite(this.getAttribute('name'))" id="la">la</td>
<td name="UI" class="UI" title="probability" onclick="hilite(this.getAttribute('name'))" id="la'a">la'a</td>
<td name="LAhE" class="LAhE" title="the referent of" onclick="hilite(this.getAttribute('name'))" id="la'e">la'e</td>
<td name="LA" class="LA" title="the set of named" onclick="hilite(this.getAttribute('name'))" id="la'i">la'i</td>
<td name="ZOI" class="ZOI" title="the non-Lojban named" onclick="hilite(this.getAttribute('name'))" id="la'o">la'o</td>
<td name="BAI" class="BAI" title="quantifying" onclick="hilite(this.getAttribute('name'))" id="la'u">la'u</td>
<td name="LA" class="LA" title="the mass of named" onclick="hilite(this.getAttribute('name'))" id="lai">lai</td>
<td name="LAU" class="LAU" title="punctuation mark" onclick="hilite(this.getAttribute('name'))" id="lau">lau</td></tr><tr>
<td name="KOhA" class="KOhA" title="sumti ?" onclick="hilite(this.getAttribute('name'))" id="ma">ma</td>
<td name="KOhA" class="KOhA" title="we with you" onclick="hilite(this.getAttribute('name'))" id="ma'a">ma'a</td>
<td name="BAI" class="BAI" title="material object" onclick="hilite(this.getAttribute('name'))" id="ma'e">ma'e</td>
<td name="BAI" class="BAI" title="in reference frame" onclick="hilite(this.getAttribute('name'))" id="ma'i">ma'i</td>
<td name="MAhO" class="MAhO" title="operand to operator" onclick="hilite(this.getAttribute('name'))" id="ma'o">ma'o</td>
<td name="PA" class="PA" title="positive number" onclick="hilite(this.getAttribute('name'))" id="ma'u">ma'u</td>
<td name="MAI" class="MAI" title="sentence ordinal" onclick="hilite(this.getAttribute('name'))" id="mai">mai</td>
<td name="BAI" class="BAI" title="exceeded by" onclick="hilite(this.getAttribute('name'))" id="mau">mau</td></tr><tr>
<td name="NA" class="NA" title="bridi negator" onclick="hilite(this.getAttribute('name'))" id="na">na</td>
<td name="BY" class="BY" title="cancel shifts" onclick="hilite(this.getAttribute('name'))" id="na'a">na'a</td>
<td name="NAhE" class="NAhE" title="scalar contrary" onclick="hilite(this.getAttribute('name'))" id="na'e">na'e</td>
<td name="UI" class="UI" title="metalinguistic not" onclick="hilite(this.getAttribute('name'))" id="na'i">na'i</td>
<td name="TAhE" class="TAhE" title="typically" onclick="hilite(this.getAttribute('name'))" id="na'o">na'o</td>
<td name="NAhU" class="NAhU" title="selbri to operator" onclick="hilite(this.getAttribute('name'))" id="na'u">na'u</td>
<td name="NAI" class="NAI" title="negate last word" onclick="hilite(this.getAttribute('name'))" id="nai">nai</td>
<td name="CUhE" class="CUhE" title="reference point" onclick="hilite(this.getAttribute('name'))" id="nau">nau</td></tr><tr>
<td name="PA" class="PA" title="1" onclick="hilite(this.getAttribute('name'))" id="pa">pa</td>
<td name="BAI" class="BAI" title="in addition to" onclick="hilite(this.getAttribute('name'))" id="pa'a">pa'a</td>
<td name="UI" class="UI" title="justice" onclick="hilite(this.getAttribute('name'))" id="pa'e">pa'e</td>
<td name="VUhU" class="VUhU" title="ratio" onclick="hilite(this.getAttribute('name'))" id="pa'i">pa'i</td>
<td name="FAhA" class="FAhA" title="transfixing" onclick="hilite(this.getAttribute('name'))" id="pa'o">pa'o</td>
<td name="BAI" class="BAI" title="having component" onclick="hilite(this.getAttribute('name'))" id="pa'u">pa'u</td>
<td name="PA" class="PA" title="pi" onclick="hilite(this.getAttribute('name'))" id="pai">pai</td>
<td name="UI" class="UI" title="question follows" onclick="hilite(this.getAttribute('name'))" id="pau">pau</td></tr><tr>
<td name="KOhA" class="KOhA" title="recent sumti" onclick="hilite(this.getAttribute('name'))" id="ra">ra</td>
<td name="BAI" class="BAI" title="pertained to by" onclick="hilite(this.getAttribute('name'))" id="ra'a">ra'a</td>
<td name="PA" class="PA" title="repeating decimal" onclick="hilite(this.getAttribute('name'))" id="ra'e">ra'e</td>
<td name="BAI" class="BAI" title="from source" onclick="hilite(this.getAttribute('name'))" id="ra'i">ra'i</td>
<td name="RAhO" class="RAhO" title="pro-assign update" onclick="hilite(this.getAttribute('name'))" id="ra'o">ra'o</td>
<td name="UI" class="UI" title="chiefly" onclick="hilite(this.getAttribute('name'))" id="ra'u">ra'u</td>
<td name="BAI" class="BAI" title="with superlative" onclick="hilite(this.getAttribute('name'))" id="rai">rai</td>
<td name="PA" class="PA" title="enough" onclick="hilite(this.getAttribute('name'))" id="rau">rau</td></tr><tr>
<td name="SA" class="SA" title="erase utterance" onclick="hilite(this.getAttribute('name'))" id="sa">sa</td>
<td name="UI" class="UI" title="editorial insertion" onclick="hilite(this.getAttribute('name'))" id="sa'a">sa'a</td>
<td name="UI" class="UI" title="precisely speaking" onclick="hilite(this.getAttribute('name'))" id="sa'e">sa'e</td>
<td name="VUhU" class="VUhU" title="matrix of columns" onclick="hilite(this.getAttribute('name'))" id="sa'i">sa'i</td>
<td name="VUhU" class="VUhU" title="derivative" onclick="hilite(this.getAttribute('name'))" id="sa'o">sa'o</td>
<td name="UI" class="UI" title="simply speaking" onclick="hilite(this.getAttribute('name'))" id="sa'u">sa'u</td>
<td name="CAI" class="CAI" title="strong emotion" onclick="hilite(this.getAttribute('name'))" id="sai">sai</td>
<td name="BAI" class="BAI" title="requiring" onclick="hilite(this.getAttribute('name'))" id="sau">sau</td></tr><tr>
<td name="KOhA" class="KOhA" title="that there" onclick="hilite(this.getAttribute('name'))" id="ta">ta</td>
<td name="COI" class="COI" title="interruption" onclick="hilite(this.getAttribute('name'))" id="ta'a">ta'a</td>
<td name="TAhE" class="TAhE" title="habitually" onclick="hilite(this.getAttribute('name'))" id="ta'e">ta'e</td>
<td name="BAI" class="BAI" title="by method" onclick="hilite(this.getAttribute('name'))" id="ta'i">ta'i</td>
<td name="UI" class="UI" title="by the way" onclick="hilite(this.getAttribute('name'))" id="ta'o">ta'o</td>
<td name="UI" class="UI" title="making a tanru" onclick="hilite(this.getAttribute('name'))" id="ta'u">ta'u</td>
<td name="BAI" class="BAI" title="in form" onclick="hilite(this.getAttribute('name'))" id="tai">tai</td>
<td name="LAU" class="LAU" title="shift next lerfu" onclick="hilite(this.getAttribute('name'))" id="tau">tau</td></tr><tr>
<td name="VA" class="VA" title="there at" onclick="hilite(this.getAttribute('name'))" id="va">va</td>
<td name="VUhU" class="VUhU" title="additive inverse" onclick="hilite(this.getAttribute('name'))" id="va'a">va'a</td>
<td name="MOI" class="MOI" title="scalar selbri" onclick="hilite(this.getAttribute('name'))" id="va'e">va'e</td>
<td name="UI" class="UI" title="in other words" onclick="hilite(this.getAttribute('name'))" id="va'i">va'i</td>
<td name="BAI" class="BAI" title="under conditions" onclick="hilite(this.getAttribute('name'))" id="va'o">va'o</td>
<td name="BAI" class="BAI" title="benefiting from" onclick="hilite(this.getAttribute('name'))" id="va'u">va'u</td>
<td name="PA" class="PA" title="hex digit F" onclick="hilite(this.getAttribute('name'))" id="vai">vai</td>
<td name="VAU" class="VAU" title="end simple bridi" onclick="hilite(this.getAttribute('name'))" id="vau">vau</td></tr><tr>
<td name="PA" class="PA" title="6" onclick="hilite(this.getAttribute('name'))" id="xa">xa</td><td></td><td name="LAhE" class="LAhE" title="Issues a third-person command. Elevates a sumti to ko status" onclick="hilite(this.getAttribute('name'))" id="xa'e">xa'e</td><td></td><td name="ZAhO" class="ZAhO" title="opposite of za'o: event contour: refers to the portion of the event which occurs before the natural beginning; starting too early before ...; <----.
" onclick="hilite(this.getAttribute('name'))" id="xa'o">xa'o</td><td></td><td name="KOhA" class="KOhA" title="they.(repeat >1 preceding sumti). repeats two or more preceding sumti, not one plural sumti" onclick="hilite(this.getAttribute('name'))" id="xai">xai</td><td></td></tr><tr>
<td name="ZI" class="ZI" title="medium time" onclick="hilite(this.getAttribute('name'))" id="za">za</td>
<td name="UI" class="UI" title="I observe" onclick="hilite(this.getAttribute('name'))" id="za'a">za'a</td>
<td name="BAhE" class="BAhE" title="nonce-word next" onclick="hilite(this.getAttribute('name'))" id="za'e">za'e</td>
<td name="NU" class="NU" title="state abstract" onclick="hilite(this.getAttribute('name'))" id="za'i">za'i</td>
<td name="ZAhO" class="ZAhO" title="superfective" onclick="hilite(this.getAttribute('name'))" id="za'o">za'o</td>
<td name="PA" class="PA" title="greater than" onclick="hilite(this.getAttribute('name'))" id="za'u">za'u</td>
<td name="LAU" class="LAU" title="select alphabet" onclick="hilite(this.getAttribute('name'))" id="zai">zai</td>
<td name="BAI" class="BAI" title="approved by" onclick="hilite(this.getAttribute('name'))" id="zau">zau</td></tr></table><table><tr>
<td name="A" class="A" title="sumti and" onclick="hilite(this.getAttribute('name'))" id=".e">.e</td>
<td name="UI" class="UI" title="permission" onclick="hilite(this.getAttribute('name'))" id=".e'a">.e'a</td>
<td name="UI" class="UI" title="competence" onclick="hilite(this.getAttribute('name'))" id=".e'e">.e'e</td>
<td name="UI" class="UI" title="constraint" onclick="hilite(this.getAttribute('name'))" id=".e'i">.e'i</td>
<td name="UI" class="UI" title="request" onclick="hilite(this.getAttribute('name'))" id=".e'o">.e'o</td>
<td name="UI" class="UI" title="suggestion" onclick="hilite(this.getAttribute('name'))" id=".e'u">.e'u</td>
<td name="UI" class="UI" title="obligation" onclick="hilite(this.getAttribute('name'))" id=".ei">.ei</td></tr><tr>
<td name="BE" class="BE" title="link sumti" onclick="hilite(this.getAttribute('name'))" id="be">be</td>
<td name="FAhA" class="FAhA" title="north of" onclick="hilite(this.getAttribute('name'))" id="be'a">be'a</td>
<td name="COI" class="COI" title="request to send" onclick="hilite(this.getAttribute('name'))" id="be'e">be'e</td>
<td name="BAI" class="BAI" title="sent by" onclick="hilite(this.getAttribute('name'))" id="be'i">be'i</td>
<td name="BEhO" class="BEhO" title="end linked sumti" onclick="hilite(this.getAttribute('name'))" id="be'o">be'o</td>
<td name="UI" class="UI" title="lack" onclick="hilite(this.getAttribute('name'))" id="be'u">be'u</td>
<td name="BEI" class="BEI" title="link more sumti" onclick="hilite(this.getAttribute('name'))" id="bei">bei</td></tr><tr>
<td name="JOI" class="JOI" title="in a set with" onclick="hilite(this.getAttribute('name'))" id="ce">ce</td>
<td name="LAU" class="LAU" title="font shift" onclick="hilite(this.getAttribute('name'))" id="ce'a">ce'a</td>
<td name="CEhE" class="CEhE" title="afterthought termset" onclick="hilite(this.getAttribute('name'))" id="ce'e">ce'e</td>
<td name="PA" class="PA" title="percent" onclick="hilite(this.getAttribute('name'))" id="ce'i">ce'i</td>
<td name="JOI" class="JOI" title="in a sequence with" onclick="hilite(this.getAttribute('name'))" id="ce'o">ce'o</td>
<td name="KOhA" class="KOhA" title="lambda" onclick="hilite(this.getAttribute('name'))" id="ce'u">ce'u</td>
<td name="CEI" class="CEI" title="pro-bridi assign" onclick="hilite(this.getAttribute('name'))" id="cei">cei</td></tr><tr>
<td name="KOhA" class="KOhA" title="something 2" onclick="hilite(this.getAttribute('name'))" id="de">de</td>
<td name="ZAhO" class="ZAhO" title="pausative" onclick="hilite(this.getAttribute('name'))" id="de'a">de'a</td>
<td name="KOhA" class="KOhA" title="soon utterance" onclick="hilite(this.getAttribute('name'))" id="de'e">de'e</td>
<td name="BAI" class="BAI" title="dated" onclick="hilite(this.getAttribute('name'))" id="de'i">de'i</td>
<td name="VUhU" class="VUhU" title="logarithm" onclick="hilite(this.getAttribute('name'))" id="de'o">de'o</td>
<td name="KOhA" class="KOhA" title="recent utterance" onclick="hilite(this.getAttribute('name'))" id="de'u">de'u</td>
<td name="KOhA" class="KOhA" title="this utterance" onclick="hilite(this.getAttribute('name'))" id="dei">dei</td></tr><tr>
<td name="FA" class="FA" title="2nd sumti place" onclick="hilite(this.getAttribute('name'))" id="fe">fe</td>
<td name="VUhU" class="VUhU" title="nth root of" onclick="hilite(this.getAttribute('name'))" id="fe'a">fe'a</td>
<td name="FEhE" class="FEhE" title="space aspects" onclick="hilite(this.getAttribute('name'))" id="fe'e">fe'e</td>
<td name="VUhU" class="VUhU" title="divided by" onclick="hilite(this.getAttribute('name'))" id="fe'i">fe'i</td>
<td name="COI" class="COI" title="over and out" onclick="hilite(this.getAttribute('name'))" id="fe'o">fe'o</td>
<td name="FEhU" class="FEhU" title="end modal selbri" onclick="hilite(this.getAttribute('name'))" id="fe'u">fe'u</td>
<td name="PA" class="PA" title="hex digit B" onclick="hilite(this.getAttribute('name'))" id="fei">fei</td></tr><tr>
<td name="GA" class="GA" title="fore and" onclick="hilite(this.getAttribute('name'))" id="ge">ge</td>
<td name="VUhU" class="VUhU" title="null operator" onclick="hilite(this.getAttribute('name'))" id="ge'a">ge'a</td>
<td name="UI" class="UI" title="unspecif emotion" onclick="hilite(this.getAttribute('name'))" id="ge'e">ge'e</td>
<td name="GA" class="GA" title="fore conn ?" onclick="hilite(this.getAttribute('name'))" id="ge'i">ge'i</td>
<td name="BY" class="BY" title="Greek shift" onclick="hilite(this.getAttribute('name'))" id="ge'o">ge'o</td>
<td name="GEhU" class="GEhU" title="end relative phrase" onclick="hilite(this.getAttribute('name'))" id="ge'u">ge'u</td>
<td name="VUhU" class="VUhU" title="exponential notation" onclick="hilite(this.getAttribute('name'))" id="gei">gei</td></tr><tr>
<td name="JA" class="JA" title="tanru and" onclick="hilite(this.getAttribute('name'))" id="je">je</td>
<td name="NAhE" class="NAhE" title="scalar affirmer" onclick="hilite(this.getAttribute('name'))" id="je'a">je'a</td>
<td name="COI" class="COI" title="roger" onclick="hilite(this.getAttribute('name'))" id="je'e">je'e</td>
<td name="JA" class="JA" title="tanru conn ?" onclick="hilite(this.getAttribute('name'))" id="je'i">je'i</td>
<td name="BY" class="BY" title="Hebrew shift" onclick="hilite(this.getAttribute('name'))" id="je'o">je'o</td>
<td name="UI" class="UI" title="truth" onclick="hilite(this.getAttribute('name'))" id="je'u">je'u</td>
<td name="NU" class="NU" title="truth abstract" onclick="hilite(this.getAttribute('name'))" id="jei">jei</td></tr><tr>
<td name="KE" class="KE" title="start grouping" onclick="hilite(this.getAttribute('name'))" id="ke">ke</td>
<td name="KOhA" class="KOhA" title="relativized it" onclick="hilite(this.getAttribute('name'))" id="ke'a">ke'a</td>
<td name="KEhE" class="KEhE" title="end grouping" onclick="hilite(this.getAttribute('name'))" id="ke'e">ke'e</td>
<td name="GAhO" class="GAhO" title="exclusive interval" onclick="hilite(this.getAttribute('name'))" id="ke'i">ke'i</td>
<td name="COI" class="COI" title="please repeat" onclick="hilite(this.getAttribute('name'))" id="ke'o">ke'o</td>
<td name="UI" class="UI" title="repeating" onclick="hilite(this.getAttribute('name'))" id="ke'u">ke'u</td>
<td name="KEI" class="KEI" title="end abstraction" onclick="hilite(this.getAttribute('name'))" id="kei">kei</td></tr><tr>
<td name="LE" class="LE" title="the described" onclick="hilite(this.getAttribute('name'))" id="le">le</td>
<td name="BAI" class="BAI" title="in category" onclick="hilite(this.getAttribute('name'))" id="le'a">le'a</td>
<td name="LE" class="LE" title="the stereotypical" onclick="hilite(this.getAttribute('name'))" id="le'e">le'e</td>
<td name="LE" class="LE" title="the set described" onclick="hilite(this.getAttribute('name'))" id="le'i">le'i</td>
<td name="UI" class="UI" title="aggressive" onclick="hilite(this.getAttribute('name'))" id="le'o">le'o</td>
<td name="LEhU" class="LEhU" title="end error quote" onclick="hilite(this.getAttribute('name'))" id="le'u">le'u</td>
<td name="LE" class="LE" title="the mass described" onclick="hilite(this.getAttribute('name'))" id="lei">lei</td></tr><tr>
<td name="ME" class="ME" title="sumti to selbri" onclick="hilite(this.getAttribute('name'))" id="me">me</td>
<td name="BAI" class="BAI" title="undercut by" onclick="hilite(this.getAttribute('name'))" id="me'a">me'a</td>
<td name="BAI" class="BAI" title="with name" onclick="hilite(this.getAttribute('name'))" id="me'e">me'e</td>
<td name="PA" class="PA" title="less than" onclick="hilite(this.getAttribute('name'))" id="me'i">me'i</td>
<td name="LI" class="LI" title="the mex" onclick="hilite(this.getAttribute('name'))" id="me'o">me'o</td>
<td name="MEhU" class="MEhU" title="end sumti to selbri" onclick="hilite(this.getAttribute('name'))" id="me'u">me'u</td>
<td name="MOI" class="MOI" title="cardinal selbri" onclick="hilite(this.getAttribute('name'))" id="mei">mei</td></tr><tr>
<td name="GOI" class="GOI" title="incidental phrase" onclick="hilite(this.getAttribute('name'))" id="ne">ne</td>
<td name="FAhA" class="FAhA" title="next to" onclick="hilite(this.getAttribute('name'))" id="ne'a">ne'a</td><td></td>
<td name="FAhA" class="FAhA" title="within" onclick="hilite(this.getAttribute('name'))" id="ne'i">ne'i</td>
<td name="VUhU" class="VUhU" title="factorial" onclick="hilite(this.getAttribute('name'))" id="ne'o">ne'o</td>
<td name="FAhA" class="FAhA" title="south of" onclick="hilite(this.getAttribute('name'))" id="ne'u">ne'u</td>
<td name="GOhA" class="GOhA" title="current bridi" onclick="hilite(this.getAttribute('name'))" id="nei">nei</td></tr><tr>
<td name="GOI" class="GOI" title="restrictive phrase" onclick="hilite(this.getAttribute('name'))" id="pe">pe</td>
<td name="UI" class="UI" title="figurative" onclick="hilite(this.getAttribute('name'))" id="pe'a">pe'a</td>
<td name="PEhE" class="PEhE" title="termset conn mark" onclick="hilite(this.getAttribute('name'))" id="pe'e">pe'e</td>
<td name="UI" class="UI" title="I opine" onclick="hilite(this.getAttribute('name'))" id="pe'i">pe'i</td>
<td name="PEhO" class="PEhO" title="fore mex operator" onclick="hilite(this.getAttribute('name'))" id="pe'o">pe'o</td>
<td name="COI" class="COI" title="please" onclick="hilite(this.getAttribute('name'))" id="pe'u">pe'u</td>
<td name="CAI" class="CAI" title="emotion ?" onclick="hilite(this.getAttribute('name'))" id="pei">pei</td></tr><tr>
<td name="PA" class="PA" title="2" onclick="hilite(this.getAttribute('name'))" id="re">re</td>
<td name="VUhU" class="VUhU" title="transpose" onclick="hilite(this.getAttribute('name'))" id="re'a">re'a</td>
<td name="UI" class="UI" title="spiritual" onclick="hilite(this.getAttribute('name'))" id="re'e">re'e</td>
<td name="COI" class="COI" title="ready to receive" onclick="hilite(this.getAttribute('name'))" id="re'i">re'i</td>
<td name="FAhA" class="FAhA" title="adjacent to" onclick="hilite(this.getAttribute('name'))" id="re'o">re'o</td>
<td name="ROI" class="ROI" title="ordinal tense" onclick="hilite(this.getAttribute('name'))" id="re'u">re'u</td>
<td name="PA" class="PA" title="hex digit E" onclick="hilite(this.getAttribute('name'))" id="rei">rei</td></tr><tr>
<td name="SE" class="SE" title="2nd conversion" onclick="hilite(this.getAttribute('name'))" id="se">se</td>
<td name="UI" class="UI" title="self-sufficiency" onclick="hilite(this.getAttribute('name'))" id="se'a">se'a</td>
<td name="BY" class="BY" title="character code" onclick="hilite(this.getAttribute('name'))" id="se'e">se'e</td>
<td name="UI" class="UI" title="self-oriented" onclick="hilite(this.getAttribute('name'))" id="se'i">se'i</td>
<td name="UI" class="UI" title="I know internally" onclick="hilite(this.getAttribute('name'))" id="se'o">se'o</td>
<td name="SEhU" class="SEhU" title="end discursive" onclick="hilite(this.getAttribute('name'))" id="se'u">se'u</td>
<td name="SEI" class="SEI" title="discursive bridi" onclick="hilite(this.getAttribute('name'))" id="sei">sei</td></tr><tr>
<td name="SE" class="SE" title="3rd conversion" onclick="hilite(this.getAttribute('name'))" id="te">te</td>
<td name="VUhU" class="VUhU" title="to the power" onclick="hilite(this.getAttribute('name'))" id="te'a">te'a</td>
<td name="FAhA" class="FAhA" title="bordering" onclick="hilite(this.getAttribute('name'))" id="te'e">te'e</td><td></td>
<td name="PA" class="PA" title="exponential e" onclick="hilite(this.getAttribute('name'))" id="te'o">te'o</td>
<td name="TEhU" class="TEhU" title="end mex converters" onclick="hilite(this.getAttribute('name'))" id="te'u">te'u</td>
<td name="TEI" class="TEI" title="composite lerfu" onclick="hilite(this.getAttribute('name'))" id="tei">tei</td></tr><tr>
<td name="SE" class="SE" title="4th conversion" onclick="hilite(this.getAttribute('name'))" id="ve">ve</td>
<td name="VEhA" class="VEhA" title="small space interval" onclick="hilite(this.getAttribute('name'))" id="ve'a">ve'a</td>
<td name="VEhA" class="VEhA" title="whole space interval" onclick="hilite(this.getAttribute('name'))" id="ve'e">ve'e</td>
<td name="VEhA" class="VEhA" title="tiny space interval" onclick="hilite(this.getAttribute('name'))" id="ve'i">ve'i</td>
<td name="VEhO" class="VEhO" title="right bracket" onclick="hilite(this.getAttribute('name'))" id="ve'o">ve'o</td>
<td name="VEhA" class="VEhA" title="big space interval" onclick="hilite(this.getAttribute('name'))" id="ve'u">ve'u</td>
<td name="VEI" class="VEI" title="left bracket" onclick="hilite(this.getAttribute('name'))" id="vei">vei</td></tr><tr>
<td name="SE" class="SE" title="5th conversion" onclick="hilite(this.getAttribute('name'))" id="xe">xe</td><td></td><td></td><td></td><td></td><td></td><td name="PA" class="PA" title="digit/number: hex digit E (decimal 14) [fourteen] Used as an alternative to rei to avoid confusion with re" onclick="hilite(this.getAttribute('name'))" id="xei">xei</td></tr><tr>
<td name="PA" class="PA" title="7" onclick="hilite(this.getAttribute('name'))" id="ze">ze</td>
<td name="ZEhA" class="ZEhA" title="medium time interval" onclick="hilite(this.getAttribute('name'))" id="ze'a">ze'a</td>
<td name="ZEhA" class="ZEhA" title="whole time interval" onclick="hilite(this.getAttribute('name'))" id="ze'e">ze'e</td>
<td name="ZEhA" class="ZEhA" title="short time interval" onclick="hilite(this.getAttribute('name'))" id="ze'i">ze'i</td>
<td name="FAhA" class="FAhA" title="outward" onclick="hilite(this.getAttribute('name'))" id="ze'o">ze'o</td>
<td name="ZEhA" class="ZEhA" title="long time interval" onclick="hilite(this.getAttribute('name'))" id="ze'u">ze'u</td>
<td name="ZEI" class="ZEI" title="lujvo glue" onclick="hilite(this.getAttribute('name'))" id="zei">zei</td></tr></table><table><tr>
<td name="I" class="I" title="sentence link" onclick="hilite(this.getAttribute('name'))" id=".i">.i</td>
<td name="UI" class="UI" title="acceptance" onclick="hilite(this.getAttribute('name'))" id=".i'a">.i'a</td>
<td name="UI" class="UI" title="approval" onclick="hilite(this.getAttribute('name'))" id=".i'e">.i'e</td>
<td name="UI" class="UI" title="togetherness" onclick="hilite(this.getAttribute('name'))" id=".i'i">.i'i</td>
<td name="UI" class="UI" title="appreciation" onclick="hilite(this.getAttribute('name'))" id=".i'o">.i'o</td>
<td name="UI" class="UI" title="familiarity" onclick="hilite(this.getAttribute('name'))" id=".i'u">.i'u</td></tr><tr>
<td name="PA" class="PA" title="8" onclick="hilite(this.getAttribute('name'))" id="bi">bi</td>
<td name="UI" class="UI" title="emphasize previous" onclick="hilite(this.getAttribute('name'))" id="bi'a">bi'a</td>
<td name="BIhE" class="BIhE" title="hi priority operator" onclick="hilite(this.getAttribute('name'))" id="bi'e">bi'e</td>
<td name="BIhI" class="BIhI" title="unordered interval" onclick="hilite(this.getAttribute('name'))" id="bi'i">bi'i</td>
<td name="BIhI" class="BIhI" title="ordered interval" onclick="hilite(this.getAttribute('name'))" id="bi'o">bi'o</td>
<td name="UI" class="UI" title="new information" onclick="hilite(this.getAttribute('name'))" id="bi'u">bi'u</td></tr><tr>
<td name="PA" class="PA" title="3" onclick="hilite(this.getAttribute('name'))" id="ci">ci</td><td></td>
<td name="BAI" class="BAI" title="in system" onclick="hilite(this.getAttribute('name'))" id="ci'e">ci'e</td>
<td name="PA" class="PA" title="infinity" onclick="hilite(this.getAttribute('name'))" id="ci'i">ci'i</td>
<td name="BAI" class="BAI" title="emotionally felt by" onclick="hilite(this.getAttribute('name'))" id="ci'o">ci'o</td>
<td name="BAI" class="BAI" title="on the scale" onclick="hilite(this.getAttribute('name'))" id="ci'u">ci'u</td></tr><tr>
<td name="KOhA" class="KOhA" title="something 3" onclick="hilite(this.getAttribute('name'))" id="di">di</td>
<td name="ZAhO" class="ZAhO" title="resumptitive" onclick="hilite(this.getAttribute('name'))" id="di'a">di'a</td>
<td name="KOhA" class="KOhA" title="next utterance" onclick="hilite(this.getAttribute('name'))" id="di'e">di'e</td>
<td name="TAhE" class="TAhE" title="regularly" onclick="hilite(this.getAttribute('name'))" id="di'i">di'i</td>
<td name="BAI" class="BAI" title="at the locus of" onclick="hilite(this.getAttribute('name'))" id="di'o">di'o</td>
<td name="KOhA" class="KOhA" title="last utterance" onclick="hilite(this.getAttribute('name'))" id="di'u">di'u</td></tr><tr>
<td name="FA" class="FA" title="3rd sumti place" onclick="hilite(this.getAttribute('name'))" id="fi">fi</td>
<td name="FA" class="FA" title="sumti place ?" onclick="hilite(this.getAttribute('name'))" id="fi'a">fi'a</td>
<td name="BAI" class="BAI" title="created by" onclick="hilite(this.getAttribute('name'))" id="fi'e">fi'e</td>
<td name="COI" class="COI" title="hospitality" onclick="hilite(this.getAttribute('name'))" id="fi'i">fi'i</td>
<td name="FIhO" class="FIhO" title="selbri to modal" onclick="hilite(this.getAttribute('name'))" id="fi'o">fi'o</td>
<td name="PA" class="PA" title="fraction slash" onclick="hilite(this.getAttribute('name'))" id="fi'u">fi'u</td></tr><tr>
<td name="GI" class="GI" title="connective medial" onclick="hilite(this.getAttribute('name'))" id="gi">gi</td>
<td name="GIhA" class="GIhA" title="bridi or" onclick="hilite(this.getAttribute('name'))" id="gi'a">gi'a</td>
<td name="GIhA" class="GIhA" title="bridi and" onclick="hilite(this.getAttribute('name'))" id="gi'e">gi'e</td>
<td name="GIhA" class="GIhA" title="bridi conn ?" onclick="hilite(this.getAttribute('name'))" id="gi'i">gi'i</td>
<td name="GIhA" class="GIhA" title="bridi iff" onclick="hilite(this.getAttribute('name'))" id="gi'o">gi'o</td>
<td name="GIhA" class="GIhA" title="bridi whether" onclick="hilite(this.getAttribute('name'))" id="gi'u">gi'u</td></tr><tr>
<td name="A" class="A" title="sumti conn ?" onclick="hilite(this.getAttribute('name'))" id="ji">ji</td>
<td name="UI" class="UI" title="in addition" onclick="hilite(this.getAttribute('name'))" id="ji'a">ji'a</td>
<td name="BAI" class="BAI" title="up to limit" onclick="hilite(this.getAttribute('name'))" id="ji'e">ji'e</td>
<td name="PA" class="PA" title="approximately" onclick="hilite(this.getAttribute('name'))" id="ji'i">ji'i</td>
<td name="BAI" class="BAI" title="under direction of" onclick="hilite(this.getAttribute('name'))" id="ji'o">ji'o</td>
<td name="BAI" class="BAI" title="based on" onclick="hilite(this.getAttribute('name'))" id="ji'u">ji'u</td></tr><tr>
<td name="KI" class="KI" title="tense default" onclick="hilite(this.getAttribute('name'))" id="ki">ki</td>
<td name="UI" class="UI" title="textual confusion" onclick="hilite(this.getAttribute('name'))" id="ki'a">ki'a</td>
<td name="COI" class="COI" title="thanks" onclick="hilite(this.getAttribute('name'))" id="ki'e">ki'e</td>
<td name="BAI" class="BAI" title="as a relation of" onclick="hilite(this.getAttribute('name'))" id="ki'i">ki'i</td>
<td name="PA" class="PA" title="number comma" onclick="hilite(this.getAttribute('name'))" id="ki'o">ki'o</td>
<td name="BAI" class="BAI" title="because of reason" onclick="hilite(this.getAttribute('name'))" id="ki'u">ki'u</td></tr><tr>
<td name="LI" class="LI" title="the number" onclick="hilite(this.getAttribute('name'))" id="li">li</td>
<td name="UI" class="UI" title="clearly" onclick="hilite(this.getAttribute('name'))" id="li'a">li'a</td>
<td name="BAI" class="BAI" title="preceded by" onclick="hilite(this.getAttribute('name'))" id="li'e">li'e</td>
<td name="NU" class="NU" title="experience abstract" onclick="hilite(this.getAttribute('name'))" id="li'i">li'i</td>
<td name="UI" class="UI" title="omitted text" onclick="hilite(this.getAttribute('name'))" id="li'o">li'o</td>
<td name="LIhU" class="LIhU" title="end quote" onclick="hilite(this.getAttribute('name'))" id="li'u">li'u</td></tr><tr>
<td name="KOhA" class="KOhA" title="me" onclick="hilite(this.getAttribute('name'))" id="mi">mi</td>
<td name="KOhA" class="KOhA" title="we, not you" onclick="hilite(this.getAttribute('name'))" id="mi'a">mi'a</td>
<td name="COI" class="COI" title="self-introduction" onclick="hilite(this.getAttribute('name'))" id="mi'e">mi'e</td>
<td name="BIhI" class="BIhI" title="center-range" onclick="hilite(this.getAttribute('name'))" id="mi'i">mi'i</td>
<td name="KOhA" class="KOhA" title="me and you" onclick="hilite(this.getAttribute('name'))" id="mi'o">mi'o</td>
<td name="UI" class="UI" title="ditto" onclick="hilite(this.getAttribute('name'))" id="mi'u">mi'u</td></tr><tr>
<td name="NU" class="NU" title="amount abstract" onclick="hilite(this.getAttribute('name'))" id="ni">ni</td>
<td name="FAhA" class="FAhA" title="below" onclick="hilite(this.getAttribute('name'))" id="ni'a">ni'a</td>
<td name="NIhE" class="NIhE" title="selbri to operand" onclick="hilite(this.getAttribute('name'))" id="ni'e">ni'e</td>
<td name="BAI" class="BAI" title="because of logic" onclick="hilite(this.getAttribute('name'))" id="ni'i">ni'i</td>
<td name="NIhO" class="NIhO" title="new topic" onclick="hilite(this.getAttribute('name'))" id="ni'o">ni'o</td>
<td name="PA" class="PA" title="negative number" onclick="hilite(this.getAttribute('name'))" id="ni'u">ni'u</td></tr><tr>
<td name="PA" class="PA" title="decimal point" onclick="hilite(this.getAttribute('name'))" id="pi">pi</td>
<td name="VUhU" class="VUhU" title="matrix of rows" onclick="hilite(this.getAttribute('name'))" id="pi'a">pi'a</td>
<td name="PA" class="PA" title="digit separator" onclick="hilite(this.getAttribute('name'))" id="pi'e">pi'e</td>
<td name="VUhU" class="VUhU" title="times" onclick="hilite(this.getAttribute('name'))" id="pi'i">pi'i</td>
<td name="BAI" class="BAI" title="used by" onclick="hilite(this.getAttribute('name'))" id="pi'o">pi'o</td>
<td name="JOI" class="JOI" title="cross product" onclick="hilite(this.getAttribute('name'))" id="pi'u">pi'u</td></tr><tr>
<td name="KOhA" class="KOhA" title="last sumti" onclick="hilite(this.getAttribute('name'))" id="ri">ri</td>
<td name="BAI" class="BAI" title="because of cause" onclick="hilite(this.getAttribute('name'))" id="ri'a">ri'a</td>
<td name="UI" class="UI" title="release of emotion" onclick="hilite(this.getAttribute('name'))" id="ri'e">ri'e</td>
<td name="BAI" class="BAI" title="experienced by" onclick="hilite(this.getAttribute('name'))" id="ri'i">ri'i</td>
<td name="VUhU" class="VUhU" title="integral" onclick="hilite(this.getAttribute('name'))" id="ri'o">ri'o</td>
<td name="FAhA" class="FAhA" title="on the right of" onclick="hilite(this.getAttribute('name'))" id="ri'u">ri'u</td></tr><tr>
<td name="SI" class="SI" title="erase word" onclick="hilite(this.getAttribute('name'))" id="si">si</td>
<td name="UI" class="UI" title="similarly" onclick="hilite(this.getAttribute('name'))" id="si'a">si'a</td>
<td name="MOI" class="MOI" title="portion selbri" onclick="hilite(this.getAttribute('name'))" id="si'e">si'e</td>
<td name="VUhU" class="VUhU" title="sigma summation" onclick="hilite(this.getAttribute('name'))" id="si'i">si'i</td>
<td name="NU" class="NU" title="concept abstract" onclick="hilite(this.getAttribute('name'))" id="si'o">si'o</td>
<td name="BAI" class="BAI" title="aided by" onclick="hilite(this.getAttribute('name'))" id="si'u">si'u</td></tr><tr>
<td name="KOhA" class="KOhA" title="this here" onclick="hilite(this.getAttribute('name'))" id="ti">ti</td>
<td name="FAhA" class="FAhA" title="behind" onclick="hilite(this.getAttribute('name'))" id="ti'a">ti'a</td>
<td name="UI" class="UI" title="I hear" onclick="hilite(this.getAttribute('name'))" id="ti'e">ti'e</td>
<td name="BAI" class="BAI" title="suggested by" onclick="hilite(this.getAttribute('name'))" id="ti'i">ti'i</td>
<td name="SEI" class="SEI" title="mex precedence" onclick="hilite(this.getAttribute('name'))" id="ti'o">ti'o</td>
<td name="BAI" class="BAI" title="associated with time" onclick="hilite(this.getAttribute('name'))" id="ti'u">ti'u</td></tr><tr>
<td name="VA" class="VA" title="here at" onclick="hilite(this.getAttribute('name'))" id="vi">vi</td>
<td name="VIhA" class="VIhA" title="2-space interval" onclick="hilite(this.getAttribute('name'))" id="vi'a">vi'a</td>
<td name="VIhA" class="VIhA" title="4-space interval" onclick="hilite(this.getAttribute('name'))" id="vi'e">vi'e</td>
<td name="VIhA" class="VIhA" title="1-space interval" onclick="hilite(this.getAttribute('name'))" id="vi'i">vi'i</td>
<td name="COI" class="COI" title="wilco" onclick="hilite(this.getAttribute('name'))" id="vi'o">vi'o</td>
<td name="VIhA" class="VIhA" title="3-space interval" onclick="hilite(this.getAttribute('name'))" id="vi'u">vi'u</td></tr><tr>
<td name="XI" class="XI" title="subscript" onclick="hilite(this.getAttribute('name'))" id="xi">xi</td><td></td><td></td><td></td><td></td><td></td></tr><tr>
<td name="ZI" class="ZI" title="short time" onclick="hilite(this.getAttribute('name'))" id="zi">zi</td>
<td></td>
<td name="ZIhE" class="ZIhE" title="rel clause joiner" onclick="hilite(this.getAttribute('name'))" id="zi'e">zi'e</td><td></td>
<td name="KOhA" class="KOhA" title="nonexistent it" onclick="hilite(this.getAttribute('name'))" id="zi'o">zi'o</td><td></td></tr></table><table><tr>
<td name="A" class="A" title="sumti iff" onclick="hilite(this.getAttribute('name'))" id=".o">.o</td>
<td name="UI" class="UI" title="pride" onclick="hilite(this.getAttribute('name'))" id=".o'a">.o'a</td>
<td name="UI" class="UI" title="closeness" onclick="hilite(this.getAttribute('name'))" id=".o'e">.o'e</td>
<td name="UI" class="UI" title="caution" onclick="hilite(this.getAttribute('name'))" id=".o'i">.o'i</td>
<td name="UI" class="UI" title="patience" onclick="hilite(this.getAttribute('name'))" id=".o'o">.o'o</td>
<td name="UI" class="UI" title="relaxation" onclick="hilite(this.getAttribute('name'))" id=".o'u">.o'u</td>
<td name="UI" class="UI" title="complaint" onclick="hilite(this.getAttribute('name'))" id=".oi">.oi</td></tr><tr>
<td name="BO" class="BO" title="short scope link" onclick="hilite(this.getAttribute('name'))" id="bo">bo</td><td></td><td></td><td></td><td></td><td></td>
<td name="BOI" class="BOI" title="end number or lerfu" onclick="hilite(this.getAttribute('name'))" id="boi">boi</td></tr><tr>
<td name="CO" class="CO" title="tanru inversion" onclick="hilite(this.getAttribute('name'))" id="co">co</td>
<td name="ZAhO" class="ZAhO" title="initiative" onclick="hilite(this.getAttribute('name'))" id="co'a">co'a</td>
<td name="GOhA" class="GOhA" title="unspecif bridi" onclick="hilite(this.getAttribute('name'))" id="co'e">co'e</td>
<td name="ZAhO" class="ZAhO" title="achievative" onclick="hilite(this.getAttribute('name'))" id="co'i">co'i</td>
<td name="COI" class="COI" title="partings" onclick="hilite(this.getAttribute('name'))" id="co'o">co'o</td>
<td name="ZAhO" class="ZAhO" title="cessative" onclick="hilite(this.getAttribute('name'))" id="co'u">co'u</td>
<td name="COI" class="COI" title="greetings" onclick="hilite(this.getAttribute('name'))" id="coi">coi</td></tr><tr>
<td name="KOhA" class="KOhA" title="you" onclick="hilite(this.getAttribute('name'))" id="do">do</td>
<td name="UI" class="UI" title="generously" onclick="hilite(this.getAttribute('name'))" id="do'a">do'a</td>
<td name="BAI" class="BAI" title="unspecif modal" onclick="hilite(this.getAttribute('name'))" id="do'e">do'e</td>
<td name="KOhA" class="KOhA" title="unspecif utterance" onclick="hilite(this.getAttribute('name'))" id="do'i">do'i</td>
<td name="KOhA" class="KOhA" title="you and others" onclick="hilite(this.getAttribute('name'))" id="do'o">do'o</td>
<td name="DOhU" class="DOhU" title="end vocative" onclick="hilite(this.getAttribute('name'))" id="do'u">do'u</td>
<td name="DOI" class="DOI" title="vocative marker" onclick="hilite(this.getAttribute('name'))" id="doi">doi</td></tr><tr>
<td name="FA" class="FA" title="4th sumti place" onclick="hilite(this.getAttribute('name'))" id="fo">fo</td>
<td name="KOhA" class="KOhA" title="it-6" onclick="hilite(this.getAttribute('name'))" id="fo'a">fo'a</td>
<td name="KOhA" class="KOhA" title="it-7" onclick="hilite(this.getAttribute('name'))" id="fo'e">fo'e</td>
<td name="KOhA" class="KOhA" title="it-8" onclick="hilite(this.getAttribute('name'))" id="fo'i">fo'i</td>
<td name="KOhA" class="KOhA" title="it-9" onclick="hilite(this.getAttribute('name'))" id="fo'o">fo'o</td>
<td name="KOhA" class="KOhA" title="it-10" onclick="hilite(this.getAttribute('name'))" id="fo'u">fo'u</td>
<td name="FOI" class="FOI" title="end composite lerfu" onclick="hilite(this.getAttribute('name'))" id="foi">foi</td></tr><tr>
<td name="GA" class="GA" title="fore iff" onclick="hilite(this.getAttribute('name'))" id="go">go</td>
<td name="GOhA" class="GOhA" title="recent bridi" onclick="hilite(this.getAttribute('name'))" id="go'a">go'a</td>
<td name="GOhA" class="GOhA" title="penultimate bridi" onclick="hilite(this.getAttribute('name'))" id="go'e">go'e</td>
<td name="GOhA" class="GOhA" title="last bridi" onclick="hilite(this.getAttribute('name'))" id="go'i">go'i</td>
<td name="GOhA" class="GOhA" title="future bridi" onclick="hilite(this.getAttribute('name'))" id="go'o">go'o</td>
<td name="GOhA" class="GOhA" title="earlier bridi" onclick="hilite(this.getAttribute('name'))" id="go'u">go'u</td>
<td name="GOI" class="GOI" title="pro-sumti assign" onclick="hilite(this.getAttribute('name'))" id="goi">goi</td></tr><tr>
<td name="JA" class="JA" title="tanru iff" onclick="hilite(this.getAttribute('name'))" id="jo">jo</td>
<td name="UI" class="UI" title="metalinguistic yes" onclick="hilite(this.getAttribute('name'))" id="jo'a">jo'a</td>
<td name="JOI" class="JOI" title="union" onclick="hilite(this.getAttribute('name'))" id="jo'e">jo'e</td>
<td name="JOhI" class="JOhI" title="array" onclick="hilite(this.getAttribute('name'))" id="jo'i">jo'i</td>
<td name="BY" class="BY" title="Arabic shift" onclick="hilite(this.getAttribute('name'))" id="jo'o">jo'o</td>
<td name="JOI" class="JOI" title="in common with" onclick="hilite(this.getAttribute('name'))" id="jo'u">jo'u</td>
<td name="JOI" class="JOI" title="in a mass with" onclick="hilite(this.getAttribute('name'))" id="joi">joi</td></tr><tr>
<td name="KOhA" class="KOhA" title="imperative" onclick="hilite(this.getAttribute('name'))" id="ko">ko</td>
<td name="KOhA" class="KOhA" title="it-1" onclick="hilite(this.getAttribute('name'))" id="ko'a">ko'a</td>
<td name="KOhA" class="KOhA" title="it-2" onclick="hilite(this.getAttribute('name'))" id="ko'e">ko'e</td>
<td name="KOhA" class="KOhA" title="it-3" onclick="hilite(this.getAttribute('name'))" id="ko'i">ko'i</td>
<td name="KOhA" class="KOhA" title="it-4" onclick="hilite(this.getAttribute('name'))" id="ko'o">ko'o</td>
<td name="KOhA" class="KOhA" title="it-5" onclick="hilite(this.getAttribute('name'))" id="ko'u">ko'u</td>
<td name="BAI" class="BAI" title="bounded by" onclick="hilite(this.getAttribute('name'))" id="koi">koi</td></tr><tr>
<td name="LE" class="LE" title="the really is" onclick="hilite(this.getAttribute('name'))" id="lo">lo</td>
<td name="BY" class="BY" title="Lojban shift" onclick="hilite(this.getAttribute('name'))" id="lo'a">lo'a</td>
<td name="LE" class="LE" title="the typical" onclick="hilite(this.getAttribute('name'))" id="lo'e">lo'e</td>
<td name="LE" class="LE" title="the set really is" onclick="hilite(this.getAttribute('name'))" id="lo'i">lo'i</td>
<td name="LOhO" class="LOhO" title="end mex sumti" onclick="hilite(this.getAttribute('name'))" id="lo'o">lo'o</td>
<td name="LOhU" class="LOhU" title="error quote" onclick="hilite(this.getAttribute('name'))" id="lo'u">lo'u</td>
<td name="LE" class="LE" title="the mass really is" onclick="hilite(this.getAttribute('name'))" id="loi">loi</td></tr><tr>
<td name="GOhA" class="GOhA" title="bridi ?" onclick="hilite(this.getAttribute('name'))" id="mo">mo</td>
<td name="PA" class="PA" title="too few" onclick="hilite(this.getAttribute('name'))" id="mo'a">mo'a</td>
<td name="MOhE" class="MOhE" title="sumti to operand" onclick="hilite(this.getAttribute('name'))" id="mo'e">mo'e</td>
<td name="MOhI" class="MOhI" title="space motion" onclick="hilite(this.getAttribute('name'))" id="mo'i">mo'i</td>
<td name="MAI" class="MAI" title="section ordinal" onclick="hilite(this.getAttribute('name'))" id="mo'o">mo'o</td>
<td name="ZAhO" class="ZAhO" title="completive" onclick="hilite(this.getAttribute('name'))" id="mo'u">mo'u</td>
<td name="MOI" class="MOI" title="ordinal selbri" onclick="hilite(this.getAttribute('name'))" id="moi">moi</td></tr><tr>
<td name="PA" class="PA" title="0" onclick="hilite(this.getAttribute('name'))" id="no">no</td>
<td name="GOhA" class="GOhA" title="next outer bridi" onclick="hilite(this.getAttribute('name'))" id="no'a">no'a</td>
<td name="NAhE" class="NAhE" title="scalar midpoint not" onclick="hilite(this.getAttribute('name'))" id="no'e">no'e</td>
<td name="NIhO" class="NIhO" title="old topic" onclick="hilite(this.getAttribute('name'))" id="no'i">no'i</td>
<td name="PA" class="PA" title="typical value" onclick="hilite(this.getAttribute('name'))" id="no'o">no'o</td>
<td name="GOI" class="GOI" title="incidental identity" onclick="hilite(this.getAttribute('name'))" id="no'u">no'u</td>
<td name="NOI" class="NOI" title="incidental clause" onclick="hilite(this.getAttribute('name'))" id="noi">noi</td></tr><tr>
<td name="GOI" class="GOI" title="is specific to" onclick="hilite(this.getAttribute('name'))" id="po">po</td><td></td>
<td name="GOI" class="GOI" title="which belongs to" onclick="hilite(this.getAttribute('name'))" id="po'e">po'e</td>
<td name="BAI" class="BAI" title="in the sequence" onclick="hilite(this.getAttribute('name'))" id="po'i">po'i</td>
<td name="UI" class="UI" title="uniquely" onclick="hilite(this.getAttribute('name'))" id="po'o">po'o</td>
<td name="GOI" class="GOI" title="restrictive identity" onclick="hilite(this.getAttribute('name'))" id="po'u">po'u</td>
<td name="NOI" class="NOI" title="restrictive clause" onclick="hilite(this.getAttribute('name'))" id="poi">poi</td></tr><tr>
<td name="PA" class="PA" title="each" onclick="hilite(this.getAttribute('name'))" id="ro">ro</td>
<td name="UI" class="UI" title="social" onclick="hilite(this.getAttribute('name'))" id="ro'a">ro'a</td>
<td name="UI" class="UI" title="mental" onclick="hilite(this.getAttribute('name'))" id="ro'e">ro'e</td>
<td name="UI" class="UI" title="emotional" onclick="hilite(this.getAttribute('name'))" id="ro'i">ro'i</td>
<td name="UI" class="UI" title="physical" onclick="hilite(this.getAttribute('name'))" id="ro'o">ro'o</td>
<td name="UI" class="UI" title="sexual" onclick="hilite(this.getAttribute('name'))" id="ro'u">ro'u</td>
<td name="ROI" class="ROI" title="quantified tense" onclick="hilite(this.getAttribute('name'))" id="roi">roi</td></tr><tr>
<td name="PA" class="PA" title="9" onclick="hilite(this.getAttribute('name'))" id="so">so</td>
<td name="PA" class="PA" title="almost all" onclick="hilite(this.getAttribute('name'))" id="so'a">so'a</td>
<td name="PA" class="PA" title="most" onclick="hilite(this.getAttribute('name'))" id="so'e">so'e</td>
<td name="PA" class="PA" title="many" onclick="hilite(this.getAttribute('name'))" id="so'i">so'i</td>
<td name="PA" class="PA" title="several" onclick="hilite(this.getAttribute('name'))" id="so'o">so'o</td>
<td name="PA" class="PA" title="few" onclick="hilite(this.getAttribute('name'))" id="so'u">so'u</td>
<td name="SOI" class="SOI" title="bridi relative clause" onclick="hilite(this.getAttribute('name'))" id="soi">soi</td></tr><tr>
<td name="TO" class="TO" title="start parenthesis" onclick="hilite(this.getAttribute('name'))" id="to">to</td>
<td name="BY" class="BY" title="lower-case shift" onclick="hilite(this.getAttribute('name'))" id="to'a">to'a</td>
<td name="NAhE" class="NAhE" title="polar opposite" onclick="hilite(this.getAttribute('name'))" id="to'e">to'e</td>
<td name="TO" class="TO" title="editorial unquote" onclick="hilite(this.getAttribute('name'))" id="to'i">to'i</td>
<td name="FAhA" class="FAhA" title="away from point" onclick="hilite(this.getAttribute('name'))" id="to'o">to'o</td>
<td name="UI" class="UI" title="in brief" onclick="hilite(this.getAttribute('name'))" id="to'u">to'u</td>
<td name="TOI" class="TOI" title="end parenthesis" onclick="hilite(this.getAttribute('name'))" id="toi">toi</td></tr><tr>
<td name="PA" class="PA" title="4" onclick="hilite(this.getAttribute('name'))" id="vo">vo</td>
<td name="KOhA" class="KOhA" title="x1 it" onclick="hilite(this.getAttribute('name'))" id="vo'a">vo'a</td>
<td name="KOhA" class="KOhA" title="x2 it" onclick="hilite(this.getAttribute('name'))" id="vo'e">vo'e</td>
<td name="KOhA" class="KOhA" title="x3 it" onclick="hilite(this.getAttribute('name'))" id="vo'i">vo'i</td>
<td name="KOhA" class="KOhA" title="x4 it" onclick="hilite(this.getAttribute('name'))" id="vo'o">vo'o</td>
<td name="KOhA" class="KOhA" title="x5 it" onclick="hilite(this.getAttribute('name'))" id="vo'u">vo'u</td>
<td name="NOI" class="NOI" title="descriptive clause" onclick="hilite(this.getAttribute('name'))" id="voi">voi</td></tr><tr>
<td name="PA" class="PA" title="number ?" onclick="hilite(this.getAttribute('name'))" id="xo">xo</td><td name="XOhA" class="XOhA" title="Loglan toggle: Toggles text to TLI Loglan; marks following text as TLI Loglan" onclick="hilite(this.getAttribute('name'))" id="xo'a">xo'a</td><td name="PA" class="PA" title="elliptical/unspecified number" onclick="hilite(this.getAttribute('name'))" id="xo'e">xo'e</td><td></td><td name="UI" class="UI" title="attitudinal modifier: sarcastically - sincerely" onclick="hilite(this.getAttribute('name'))" id="xo'o">xo'o</td><td></td><td name="" class="" title="selma'o: ROI / NA. \emph{1.} to the degree of...When prefixed by a number, turns the number into a selbri that expresses some truth value between zero and one, inclusive. \emph{2.} it may or may not be the case that ... This experimental cmavo form has been assigned meanings several times independently. The first sense, suggested on the Lojban Wiki by Xod, generalizes na and ja'a by creating a scale between them. This can be seen as an implementation of fuzzy logic. This sense has now been retired in favor of subscripting ja'a with xi. The other sense, apparently invented by Nora Lechevalier some time earlier (at least before 1997), is not intended seriously, but rather as a kind of reductio-ad-absurdum. As it makes any sentence true, regardless of the content, it shows that a language that is excessively free to interpretation is impossible to express anything in" onclick="hilite(this.getAttribute('name'))" id="xoi">xoi</td></tr><tr>
<td name="ZO" class="ZO" title="1-word quote" onclick="hilite(this.getAttribute('name'))" id="zo">zo</td>
<td name="FAhA" class="FAhA" title="tangential to" onclick="hilite(this.getAttribute('name'))" id="zo'a">zo'a</td>
<td name="KOhA" class="KOhA" title="unspecif it" onclick="hilite(this.getAttribute('name'))" id="zo'e">zo'e</td>
<td name="FAhA" class="FAhA" title="inward" onclick="hilite(this.getAttribute('name'))" id="zo'i">zo'i</td>
<td name="UI" class="UI" title="humorously" onclick="hilite(this.getAttribute('name'))" id="zo'o">zo'o</td>
<td name="ZOhU" class="ZOhU" title="end prenex" onclick="hilite(this.getAttribute('name'))" id="zo'u">zo'u</td>
<td name="ZOI" class="ZOI" title="non-Lojban quote" onclick="hilite(this.getAttribute('name'))" id="zoi">zoi</td></tr></table><table><tr>
<td name="A" class="A" title="sumti whether" onclick="hilite(this.getAttribute('name'))" id=".u">.u</td>
<td name="UI" class="UI" title="gain" onclick="hilite(this.getAttribute('name'))" id=".u'a">.u'a</td>
<td name="UI" class="UI" title="wonder" onclick="hilite(this.getAttribute('name'))" id=".u'e">.u'e</td>
<td name="UI" class="UI" title="amusement" onclick="hilite(this.getAttribute('name'))" id=".u'i">.u'i</td>
<td name="UI" class="UI" title="courage" onclick="hilite(this.getAttribute('name'))" id=".u'o">.u'o</td>
<td name="UI" class="UI" title="repentance" onclick="hilite(this.getAttribute('name'))" id=".u'u">.u'u</td></tr><tr>
<td name="BU" class="BU" title="word to lerfu" onclick="hilite(this.getAttribute('name'))" id="bu">bu</td>
<td name="GOhA" class="GOhA" title="some selbri 1" onclick="hilite(this.getAttribute('name'))" id="bu'a">bu'a</td>
<td name="GOhA" class="GOhA" title="some selbri 2" onclick="hilite(this.getAttribute('name'))" id="bu'e">bu'e</td>
<td name="GOhA" class="GOhA" title="some selbri 3" onclick="hilite(this.getAttribute('name'))" id="bu'i">bu'i</td>
<td name="UI" class="UI" title="start emotion" onclick="hilite(this.getAttribute('name'))" id="bu'o">bu'o</td>
<td name="FAhA" class="FAhA" title="coincident with" onclick="hilite(this.getAttribute('name'))" id="bu'u">bu'u</td></tr><tr>
<td name="CU" class="CU" title="selbri separator" onclick="hilite(this.getAttribute('name'))" id="cu">cu</td>
<td name="VUhU" class="VUhU" title="absolute value" onclick="hilite(this.getAttribute('name'))" id="cu'a">cu'a</td>
<td name="CUhE" class="CUhE" title="modal ?" onclick="hilite(this.getAttribute('name'))" id="cu'e">cu'e</td>
<td name="CAI" class="CAI" title="neutral emotion" onclick="hilite(this.getAttribute('name'))" id="cu'i">cu'i</td>
<td name="MOI" class="MOI" title="probability selbri" onclick="hilite(this.getAttribute('name'))" id="cu'o">cu'o</td>
<td name="BAI" class="BAI" title="as said by" onclick="hilite(this.getAttribute('name'))" id="cu'u">cu'u</td></tr><tr>
<td name="GOhA" class="GOhA" title="same identity as" onclick="hilite(this.getAttribute('name'))" id="du">du</td>
<td name="FAhA" class="FAhA" title="east of" onclick="hilite(this.getAttribute('name'))" id="du'a">du'a</td>
<td name="PA" class="PA" title="too many" onclick="hilite(this.getAttribute('name'))" id="du'e">du'e</td>
<td name="BAI" class="BAI" title="as much as" onclick="hilite(this.getAttribute('name'))" id="du'i">du'i</td>
<td name="BAI" class="BAI" title="according to" onclick="hilite(this.getAttribute('name'))" id="du'o">du'o</td>
<td name="NU" class="NU" title="bridi abstract" onclick="hilite(this.getAttribute('name'))" id="du'u">du'u</td></tr><tr>
<td name="FA" class="FA" title="5th sumti place" onclick="hilite(this.getAttribute('name'))" id="fu">fu</td>
<td name="FUhA" class="FUhA" title="reverse Polish" onclick="hilite(this.getAttribute('name'))" id="fu'a">fu'a</td>
<td name="FUhE" class="FUhE" title="indicator scope" onclick="hilite(this.getAttribute('name'))" id="fu'e">fu'e</td>
<td name="UI" class="UI" title="easy" onclick="hilite(this.getAttribute('name'))" id="fu'i">fu'i</td>
<td name="FUhO" class="FUhO" title="end indicator scope" onclick="hilite(this.getAttribute('name'))" id="fu'o">fu'o</td>
<td name="VUhU" class="VUhU" title="unspecif operator" onclick="hilite(this.getAttribute('name'))" id="fu'u">fu'u</td></tr><tr>
<td name="GA" class="GA" title="fore whether" onclick="hilite(this.getAttribute('name'))" id="gu">gu</td>
<td name="GUhA" class="GUhA" title="fore tanru or" onclick="hilite(this.getAttribute('name'))" id="gu'a">gu'a</td>
<td name="GUhA" class="GUhA" title="fore tanru and" onclick="hilite(this.getAttribute('name'))" id="gu'e">gu'e</td>
<td name="GUhA" class="GUhA" title="fore tanru conn ?" onclick="hilite(this.getAttribute('name'))" id="gu'i">gu'i</td>
<td name="GUhA" class="GUhA" title="fore tanru iff" onclick="hilite(this.getAttribute('name'))" id="gu'o">gu'o</td>
<td name="GUhA" class="GUhA" title="fore tanru whether" onclick="hilite(this.getAttribute('name'))" id="gu'u">gu'u</td></tr><tr>
<td name="JA" class="JA" title="tanru whether" onclick="hilite(this.getAttribute('name'))" id="ju">ju</td>
<td name="UI" class="UI" title="I state" onclick="hilite(this.getAttribute('name'))" id="ju'a">ju'a</td>
<td name="JOI" class="JOI" title="vague connective" onclick="hilite(this.getAttribute('name'))" id="ju'e">ju'e</td>
<td name="COI" class="COI" title="attention" onclick="hilite(this.getAttribute('name'))" id="ju'i">ju'i</td>
<td name="UI" class="UI" title="certainty" onclick="hilite(this.getAttribute('name'))" id="ju'o">ju'o</td>
<td name="VUhU" class="VUhU" title="number base" onclick="hilite(this.getAttribute('name'))" id="ju'u">ju'u</td></tr><tr>
<td name="KU" class="KU" title="end sumti" onclick="hilite(this.getAttribute('name'))" id="ku">ku</td>
<td name="JOI" class="JOI" title="intersection" onclick="hilite(this.getAttribute('name'))" id="ku'a">ku'a</td>
<td name="KUhE" class="KUhE" title="end mex forethought" onclick="hilite(this.getAttribute('name'))" id="ku'e">ku'e</td>
<td name="UI" class="UI" title="however" onclick="hilite(this.getAttribute('name'))" id="ku'i">ku'i</td>
<td name="KUhO" class="KUhO" title="end relative clause" onclick="hilite(this.getAttribute('name'))" id="ku'o">ku'o</td>
<td name="BAI" class="BAI" title="in culture" onclick="hilite(this.getAttribute('name'))" id="ku'u">ku'u</td></tr><tr>
<td name="LU" class="LU" title="quote" onclick="hilite(this.getAttribute('name'))" id="lu">lu</td>
<td name="LAhE" class="LAhE" title="the individuals of" onclick="hilite(this.getAttribute('name'))" id="lu'a">lu'a</td>
<td name="LAhE" class="LAhE" title="the symbol for" onclick="hilite(this.getAttribute('name'))" id="lu'e">lu'e</td>
<td name="LAhE" class="LAhE" title="the set composed of" onclick="hilite(this.getAttribute('name'))" id="lu'i">lu'i</td>
<td name="LAhE" class="LAhE" title="the mass composed of" onclick="hilite(this.getAttribute('name'))" id="lu'o">lu'o</td>
<td name="LUhU" class="LUhU" title="end sumti qualifiers" onclick="hilite(this.getAttribute('name'))" id="lu'u">lu'u</td></tr><tr>
<td name="PA" class="PA" title="5" onclick="hilite(this.getAttribute('name'))" id="mu">mu</td>
<td name="UI" class="UI" title="for example" onclick="hilite(this.getAttribute('name'))" id="mu'a">mu'a</td>
<td name="NU" class="NU" title="point-event abstract" onclick="hilite(this.getAttribute('name'))" id="mu'e">mu'e</td>
<td name="BAI" class="BAI" title="because of motive" onclick="hilite(this.getAttribute('name'))" id="mu'i">mu'i</td>
<td name="COI" class="COI" title="over" onclick="hilite(this.getAttribute('name'))" id="mu'o">mu'o</td>
<td name="BAI" class="BAI" title="exemplified by" onclick="hilite(this.getAttribute('name'))" id="mu'u">mu'u</td></tr><tr>
<td name="NU" class="NU" title="event abstract" onclick="hilite(this.getAttribute('name'))" id="nu">nu</td>
<td name="NUhA" class="NUhA" title="operator to selbri" onclick="hilite(this.getAttribute('name'))" id="nu'a">nu'a</td>
<td name="COI" class="COI" title="promise" onclick="hilite(this.getAttribute('name'))" id="nu'e">nu'e</td>
<td name="NUhI" class="NUhI" title="start fore termset" onclick="hilite(this.getAttribute('name'))" id="nu'i">nu'i</td>
<td name="CAhA" class="CAhA" title="can but has not" onclick="hilite(this.getAttribute('name'))" id="nu'o">nu'o</td>
<td name="NUhU" class="NUhU" title="end fore termset" onclick="hilite(this.getAttribute('name'))" id="nu'u">nu'u</td></tr><tr>
<td name="PU" class="PU" title="before" onclick="hilite(this.getAttribute('name'))" id="pu">pu</td>
<td name="BAI" class="BAI" title="pleased by" onclick="hilite(this.getAttribute('name'))" id="pu'a">pu'a</td>
<td name="BAI" class="BAI" title="by process" onclick="hilite(this.getAttribute('name'))" id="pu'e">pu'e</td>
<td name="CAhA" class="CAhA" title="can and has" onclick="hilite(this.getAttribute('name'))" id="pu'i">pu'i</td>
<td name="ZAhO" class="ZAhO" title="anticipative" onclick="hilite(this.getAttribute('name'))" id="pu'o">pu'o</td>
<td name="NU" class="NU" title="process abstract" onclick="hilite(this.getAttribute('name'))" id="pu'u">pu'u</td></tr><tr>
<td name="KOhA" class="KOhA" title="earlier sumti" onclick="hilite(this.getAttribute('name'))" id="ru">ru</td>
<td name="UI" class="UI" title="I postulate" onclick="hilite(this.getAttribute('name'))" id="ru'a">ru'a</td>
<td name="CAI" class="CAI" title="weak emotion" onclick="hilite(this.getAttribute('name'))" id="ru'e">ru'e</td>
<td name="TAhE" class="TAhE" title="continuously" onclick="hilite(this.getAttribute('name'))" id="ru'i">ru'i</td>
<td name="BY" class="BY" title="Cyrillic shift" onclick="hilite(this.getAttribute('name'))" id="ru'o">ru'o</td>
<td name="FAhA" class="FAhA" title="surrounding" onclick="hilite(this.getAttribute('name'))" id="ru'u">ru'u</td></tr><tr>
<td name="SU" class="SU" title="erase discourse" onclick="hilite(this.getAttribute('name'))" id="su">su</td>
<td name="UI" class="UI" title="I generalize" onclick="hilite(this.getAttribute('name'))" id="su'a">su'a</td>
<td name="PA" class="PA" title="at most" onclick="hilite(this.getAttribute('name'))" id="su'e">su'e</td>
<td name="VUhU" class="VUhU" title="plus" onclick="hilite(this.getAttribute('name'))" id="su'i">su'i</td>
<td name="PA" class="PA" title="at least" onclick="hilite(this.getAttribute('name'))" id="su'o">su'o</td>
<td name="NU" class="NU" title="unspecif abstract" onclick="hilite(this.getAttribute('name'))" id="su'u">su'u</td></tr><tr>
<td name="KOhA" class="KOhA" title="that yonder" onclick="hilite(this.getAttribute('name'))" id="tu">tu</td>
<td name="LAhE" class="LAhE" title="the bridi implied by" onclick="hilite(this.getAttribute('name'))" id="tu'a">tu'a</td>
<td name="TUhE" class="TUhE" title="start text scope" onclick="hilite(this.getAttribute('name'))" id="tu'e">tu'e</td>
<td name="BAI" class="BAI" title="associated with site" onclick="hilite(this.getAttribute('name'))" id="tu'i">tu'i</td>
<td name="PA" class="PA" title="null operand" onclick="hilite(this.getAttribute('name'))" id="tu'o">tu'o</td>
<td name="TUhU" class="TUhU" title="end text scope" onclick="hilite(this.getAttribute('name'))" id="tu'u">tu'u</td></tr><tr>
<td name="VA" class="VA" title="yonder at" onclick="hilite(this.getAttribute('name'))" id="vu">vu</td>
<td name="FAhA" class="FAhA" title="west of" onclick="hilite(this.getAttribute('name'))" id="vu'a">vu'a</td>
<td name="UI" class="UI" title="virtue" onclick="hilite(this.getAttribute('name'))" id="vu'e">vu'e</td>
<td name="LAhE" class="LAhE" title="the sequence of" onclick="hilite(this.getAttribute('name'))" id="vu'i">vu'i</td>
<td name="VUhO" class="VUhO" title="long scope relative" onclick="hilite(this.getAttribute('name'))" id="vu'o">vu'o</td>
<td name="VUhU" class="VUhU" title="minus" onclick="hilite(this.getAttribute('name'))" id="vu'u">vu'u</td></tr><tr>
<td name="UI" class="UI" title="true-false ?" onclick="hilite(this.getAttribute('name'))" id="xu">xu</td><td></td><td></td><td></td><td></td><td></td></tr><tr>
<td name="ZI" class="ZI" title="long time" onclick="hilite(this.getAttribute('name'))" id="zu">zu</td>
<td name="FAhA" class="FAhA" title="on the left of" onclick="hilite(this.getAttribute('name'))" id="zu'a">zu'a</td>
<td name="BAI" class="BAI" title="with actor" onclick="hilite(this.getAttribute('name'))" id="zu'e">zu'e</td>
<td name="KOhA" class="KOhA" title="typical it" onclick="hilite(this.getAttribute('name'))" id="zu'i">zu'i</td>
<td name="NU" class="NU" title="activity abstract" onclick="hilite(this.getAttribute('name'))" id="zu'o">zu'o</td>
<td name="UI" class="UI" title="on the one hand" onclick="hilite(this.getAttribute('name'))" id="zu'u">zu'u</td></tr></table>
<hr class="clear"><div class="legend"><div id="A" onclick="hilite(this.id)"><span class="A"> </span> A</div>
<div id="BAI" onclick="hilite(this.id)"><span class="BAI"> </span> BAI</div>
<div id="BAhE" onclick="hilite(this.id)"><span class="BAhE"> </span> BAhE</div>
<div id="BIhI" onclick="hilite(this.id)"><span class="BIhI"> </span> BIhI</div>
<div id="BY" onclick="hilite(this.id)"><span class="BY"> </span> BY</div>
</div><div class="legend"><div id="CAI" onclick="hilite(this.id)"><span class="CAI"> </span> CAI</div>
<div id="CAhA" onclick="hilite(this.id)"><span class="CAhA"> </span> CAhA</div>
<div id="COI" onclick="hilite(this.id)"><span class="COI"> </span> COI</div>
<div id="CUhE" onclick="hilite(this.id)"><span class="CUhE"> </span> CUhE</div>
<div id="FA" onclick="hilite(this.id)"><span class="FA"> </span> FA</div>
</div><div class="legend"><div id="FAhA" onclick="hilite(this.id)"><span class="FAhA"> </span> FAhA</div>
<div id="GA" onclick="hilite(this.id)"><span class="GA"> </span> GA</div>
<div id="GAhO" onclick="hilite(this.id)"><span class="GAhO"> </span> GAhO</div>
<div id="GIhA" onclick="hilite(this.id)"><span class="GIhA"> </span> GIhA</div>
<div id="GOI" onclick="hilite(this.id)"><span class="GOI"> </span> GOI</div>
</div><div class="legend"><div id="GOhA" onclick="hilite(this.id)"><span class="GOhA"> </span> GOhA</div>
<div id="GUhA" onclick="hilite(this.id)"><span class="GUhA"> </span> GUhA</div>
<div id="I" onclick="hilite(this.id)"><span class="I"> </span> I</div>
<div id="JA" onclick="hilite(this.id)"><span class="JA"> </span> JA</div>
<div id="JOI" onclick="hilite(this.id)"><span class="JOI"> </span> JOI</div>
</div><div class="legend"><div id="KOhA" onclick="hilite(this.id)"><span class="KOhA"> </span> KOhA</div>
<div id="LA" onclick="hilite(this.id)"><span class="LA"> </span> LA</div>
<div id="LAU" onclick="hilite(this.id)"><span class="LAU"> </span> LAU</div>
<div id="LAhE" onclick="hilite(this.id)"><span class="LAhE"> </span> LAhE</div>
<div id="LE" onclick="hilite(this.id)"><span class="LE"> </span> LE</div>
</div><div class="legend"><div id="LI" onclick="hilite(this.id)"><span class="LI"> </span> LI</div>
<div id="MAI" onclick="hilite(this.id)"><span class="MAI"> </span> MAI</div>
<div id="MOI" onclick="hilite(this.id)"><span class="MOI"> </span> MOI</div>
<div id="NA" onclick="hilite(this.id)"><span class="NA"> </span> NA</div>
<div id="NAhE" onclick="hilite(this.id)"><span class="NAhE"> </span> NAhE</div>
</div><div class="legend"><div id="NIhO" onclick="hilite(this.id)"><span class="NIhO"> </span> NIhO</div>
<div id="NOI" onclick="hilite(this.id)"><span class="NOI"> </span> NOI</div>
<div id="NU" onclick="hilite(this.id)"><span class="NU"> </span> NU</div>
<div id="PA" onclick="hilite(this.id)"><span class="PA"> </span> PA</div>
<div id="PU" onclick="hilite(this.id)"><span class="PU"> </span> PU</div>
</div><div class="legend"><div id="ROI" onclick="hilite(this.id)"><span class="ROI"> </span> ROI</div>
<div id="SE" onclick="hilite(this.id)"><span class="SE"> </span> SE</div>
<div id="SEI" onclick="hilite(this.id)"><span class="SEI"> </span> SEI</div>
<div id="TAhE" onclick="hilite(this.id)"><span class="TAhE"> </span> TAhE</div>
<div id="TO" onclick="hilite(this.id)"><span class="TO"> </span> TO</div>
</div><div class="legend"><div id="UI" onclick="hilite(this.id)"><span class="UI"> </span> UI</div>
<div id="VA" onclick="hilite(this.id)"><span class="VA"> </span> VA</div>
<div id="VEhA" onclick="hilite(this.id)"><span class="VEhA"> </span> VEhA</div>
<div id="VIhA" onclick="hilite(this.id)"><span class="VIhA"> </span> VIhA</div>
<div id="VUhU" onclick="hilite(this.id)"><span class="VUhU"> </span> VUhU</div>
</div><div class="legend"><div id="ZAhO" onclick="hilite(this.id)"><span class="ZAhO"> </span> ZAhO</div>
<div id="ZEhA" onclick="hilite(this.id)"><span class="ZEhA"> </span> ZEhA</div>
<div id="ZI" onclick="hilite(this.id)"><span class="ZI"> </span> ZI</div>
<div id="ZOI" onclick="hilite(this.id)"><span class="ZOI"> </span> ZOI</div>
</div>
<hr class="clear"><div class="legend"><div> BE</div>
<div> BEI</div>
<div> BEhO</div>
<div> BIhE</div>
<div> BO</div>
</div><div class="legend"><div> BOI</div>
<div> BU</div>
<div> CEI</div>
<div> CEhE</div>
<div> CO</div>
</div><div class="legend"><div> CU</div>
<div> DAhO</div>
<div> DOI</div>
<div> DOhU</div>
<div> FAhO</div>
</div><div class="legend"><div> FEhE</div>
<div> FEhU</div>
<div> FIhO</div>
<div> FOI</div>
<div> FUhA</div>
</div><div class="legend"><div> FUhE</div>
<div> FUhO</div>
<div> GEhU</div>
<div> GI</div>
<div> JAI</div>
</div><div class="legend"><div> JOhI</div>
<div> KE</div>
<div> KEI</div>
<div> KEhE</div>
<div> KI</div>
</div><div class="legend"><div> KU</div>
<div> KUhE</div>
<div> KUhO</div>
<div> LEhU</div>
<div> LIhU</div>
</div><div class="legend"><div> LOhO</div>
<div> LOhU</div>
<div> LU</div>
<div> LUhU</div>
<div> MAhO</div>
</div><div class="legend"><div> ME</div>
<div> MEhU</div>
<div> MOhE</div>
<div> MOhI</div>
<div> NAI</div>
</div><div class="legend"><div> NAhU</div>
<div> NIhE</div>
<div> NUhA</div>
<div> NUhI</div>
<div> NUhU</div>
</div><div class="legend"><div> PEhE</div>
<div> PEhO</div>
<div> RAhO</div>
<div> SA</div>
<div> SEhU</div>
</div><div class="legend"><div> SI</div>
<div> SOI</div>
<div> SU</div>
<div> TEI</div>
<div> TEhU</div>
</div><div class="legend"><div> TOI</div>
<div> TUhE</div>
<div> TUhU</div>
<div> VAU</div>
<div> VEI</div>
</div><div class="legend"><div> VEhO</div>
<div> VUhO</div>
<div> XI</div>
<div> Y</div>
<div> ZEI</div>
</div><div class="legend"><div> ZIhE</div>
<div> ZO</div>
<div> ZOhU</div>
<hr class="clear"><div class="legend"></div>
</div></body></html>
<html><table class="wikitable"><tbody><tr><td class="wikicell"><strong>Cmavo</strong></td><td class="wikicell"><strong>Article</strong></td><td class="wikicell"><strong>Key phrase</strong></td><td class="wikicell"><strong>Outer quantifier</strong></td><td class="wikicell"><strong>Inner quantifier</strong></td><td class="wikicell"><strong>Default quantifier</strong>
</td></tr><tr><td class="wikicell" colspan="6">
</td></tr><tr><td class="wikicell">lo</td><td class="wikicell"><span style="color:#FF0000; background:">Generic</span></td><td class="wikicell">fits</td><td class="wikicell">distributive over individuals</td><td class="wikicell">number of individuals <span style="color:#FF0000; background:">not necessarily all that exist</span></td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell">le</td><td class="wikicell">Specific</td><td class="wikicell">described as</td><td class="wikicell">distributive over individuals</td><td class="wikicell">number of individuals</td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell">la</td><td class="wikicell">Name</td><td class="wikicell">named with</td><td class="wikicell">distributive over individuals</td><td class="wikicell">part of the name</td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell" colspan="6">
</td></tr><tr><td class="wikicell">loi</td><td class="wikicell"><span style="color:#FF0000; background:">Generic </span>mass</td><td class="wikicell">fit and collectively satisfy</td><td class="wikicell">selects subgroup</td><td class="wikicell">number of individuals <span style="color:#FF0000; background:">not necessarily all that exist</span></td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell">lei</td><td class="wikicell">Specific mass</td><td class="wikicell">described as and collectively satisfy</td><td class="wikicell">selects subgroup</td><td class="wikicell">number of individuals</td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell">lai</td><td class="wikicell">Name mass</td><td class="wikicell">named with and collectively satisfy</td><td class="wikicell">selects subgroup</td><td class="wikicell">part of the name</td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell" colspan="6">
</td></tr><tr><td class="wikicell">lo'i</td><td class="wikicell"><span style="color:#FF0000; background:">Generic</span> set</td><td class="wikicell">has only members that fit</td><td class="wikicell">selects subset</td><td class="wikicell">cardinality of set <span style="color:#FF0000; background:">not necessarily all that exist</span></td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell">le'i</td><td class="wikicell">Specific set</td><td class="wikicell">has only members described as</td><td class="wikicell">selects subset</td><td class="wikicell">cardinality of set</td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell">la'i</td><td class="wikicell">Name set</td><td class="wikicell">has only members named with</td><td class="wikicell">selects subset</td><td class="wikicell">part of the name</td><td class="wikicell"><span style="color:#FF0000; background:">none</span>
</td></tr><tr><td class="wikicell" colspan="6">
</td></tr></tbody></table></html>
{{{
bacru x1 utters x2
lo bacru an utterer
lo se bacru an utterance
badna x1 is a banana fruit or plant of species x2
lo badna a banana
lo se badna a species of banana
badri x1 is sad about x2
lo badri something that is sad
lo se badri a saddening
bajra x1 runs on x2 using limbs x3 with gait x4
lo bajra a runner
lo se bajra a running surface
lo te bajra limbs runs with
lo ve bajra a running gait
bakfu x1 is a pack or bundle containing x2 held together by x3
lo bakfu a pack
lo se bakfu a content of a pack
lo te bakfu something holding a pack together
bakni x1 is a cow or bovine of species x2
lo bakni a cow
lo se bakni a species of cow
bakri x1 is chalk from x2 in the form of x3
lo bakri a quantity of chalk
lo se bakri a source of chalk
lo te bakri a form of chalk
baktu x1 is a pail or bucket containing x2 made of material x3
lo baktu a pail
lo se baktu contents of a pail
lo te baktu a material of a pail
balji x1 is a plant bulb of species x2
lo balji a plant bulb
lo se balji a species of plant bulb
balni x1 is a balcony or shelf of structure x2
lo balni a balcony
lo se balni a building with a balcony
balre x1 is a blade of tool or weapon x2
lo balre a blade
lo se balre a bladed tool or weapon
balvi x1 is later than or in the future of x2
lo balvi something which is later than something
lo se balvi something to which something is later
bancu x1 is beyond boundary x2 from x3 in property or amount x4
lo bancu an exceeder
lo se bancu an exceeded limit
lo te bancu something exceeded
lo ve bancu a property exceeded
bandu x1 defends x2 from threat x3
lo bandu a defender
lo se bandu something defended
lo te bandu a threat defended
banfi x1 is an amphibian of species x2
lo banfi an amphibian
lo se banfi a species of amphibian
bangu x1 is a language used by x2 to communicate x3
lo bangu a language
lo se bangu a user of a language
lo te bangu something expressed in a language
banli x1 is great in property x2 by the standard x3
lo banli something great
lo se banli a property of greatness
lo te banli a standard of greatness
banro x1 grows to size or into form x2 from x3
lo banro a growing
lo se banro a form after growth
lo te banro a form before growth
banxa x1 is a bank owned by x2 for banking functions x3
lo banxa a bank
lo se banxa a bank owner or system
lo te banxa a banking function
banzu x1 suffices for purpose x2 under conditions x3
lo banzu a sufficient
lo se banzu a purpose something is sufficient for
lo te banzu a condition of sufficiency
bapli x1 forces event x2 to occur
lo bapli an event's force
lo se bapli something forced to occur
barda x1 is big in property or dimension x2 as compared to x3
lo barda a large
lo se barda a property of largeness
lo te barda a standard of largeness
bargu x1 is an arch over or around x2 of material x3
lo bargu an arch
lo se bargu something arched over or around
lo te bargu a material of an arch
barja x1 is a bar serving x2 to customers x3
lo barja a bar
lo se barja something served at a bar
lo te barja a customer of a bar
barna x1 is a mark or spot on x2 of material x3
lo barna a mark
lo se barna something marked
lo te barna a material of a mark
bartu x1 is outside of x2
lo bartu something outside
lo se bartu something to which something is outside
basna x1 emphasizes x2 by action x3
lo basna an emphasizer
lo se basna something emphasized
lo te basna an emphasizing action
basti x1 replaces x2 in circumstance x3
lo basti a replacement
lo se basti something replaced
lo te basti a circumstance for replacement
batci x1 bites or pinches x2 on or at x3 with x4
lo batci a biter
lo se batci something bitten
lo te batci an area being bitten
lo ve batci something used to bite
batke x1 is a button or knob on x2 with purpose x3 of material x4
lo batke a button
lo se batke something with a button
lo te batke purpose of a button
lo ve batke a material of a button
bavmi x1 is a quantity of barley of species x2
lo bavmi a quantity of barley
lo se bavmi a species of barley
baxso x1 is Malay-Indonesian in aspect x2
lo baxso something Malaysian
lo se baxso a Malaysian aspect
bebna x1 is foolish in action or property x2
lo bebna something foolish
lo se bebna a foolish action or property
bemro x1 is North American in aspect x2
lo bemro something North American
lo se bemro a North American aspect
bende x1 is a team or crew of persons x2 led by x3 for purpose x4
lo bende a team
lo se bende people of a team
lo te bende a leader of a team
lo ve bende purpose of a team
bengo x1 is Bengladesh in aspect x2
lo bengo something Bengali
lo se bengo a Bengladesh aspect
benji x1 transmits x2 to receiver x3 from origin x4 via x5
lo benji a transmitter
lo se benji something transmitted
lo te benji a transmission receiver
lo ve benji origin of a transmission
lo xe benji a method of transmission
bersa x1 is a son of x2
lo bersa a son
lo se bersa something with a son
berti x1 is to the northern side of x2 in reference frame x3
lo berti something north
lo se berti something to which something is north
lo te berti a northness reference frame
besna x1 is a brain of x2
lo besna a brain
lo se besna something with a brain
betfu x1 is a abdomen or lower trunk of x2
lo betfu an abdomen
lo se betfu something with an abdomen
betri x1 is a tragedy for x2
lo betri a tragedy
lo se betri a sufferer of a tragedy
bevri x1 transports or carries x2 to x3 from x4 by path x5
lo bevri a transporter
lo se bevri something transported
lo te bevri a transport destination
lo ve bevri a transport origin
lo xe bevri a transport route
bidju x1 is a bead or pebble made of x2
lo bidju a bead
lo se bidju a material of a bead
bifce x1 is a bee or wasp of species x2
lo bifce a bee
lo se bifce a species of bee
bikla x1 whips or lashes
lo bikla a lasher
bilga x1 is obligated to do x2 by agreement x3
lo bilga something obligated
lo se bilga an obligation
lo te bilga an obligation agreement
bilma x1 is ill or sick with symptoms x2 from disease x3
lo bilma something ill
lo se bilma a symptom of an illness
lo te bilma a disease of an illness
bilni x1 is regimented organized by x2 for purpose x3
lo bilni something regimented
lo se bilni a regimenting system
lo te bilni a purpose for regimentation
bindo x1 is Indonesian in aspect x2
lo bindo something Indonesian
lo se bindo an Indonesian aspect
binra x1 insures x2 against threat x3 with benefit x4
lo binra an insurer
lo se binra something insured
lo te binra an insured threat
lo ve binra an insurance benefit
binxo x1 transforms into x2 under conditions x3
lo binxo something that transforms
lo se binxo a transformation result
lo te binxo a condition for transformation
birje x1 is made of or contains beer or ale brewed from x2
lo birje a quantity of beer
lo se birje something beer is brewed from
birka x1 is an arm of x2
lo birka an arm
lo se birka something with an arm
birti x1 is convinced that x2 is true
lo birti something convinced
lo se birti something convinced of
bisli x1 is a quantity of ice made of x2
lo bisli a quantity of ice
lo se bisli something ice is made of
bitmu x1 is a wall or fence separating x2 and x3 of or in structure x4
lo bitmu a wall
lo se bitmu something separated by a wall
lo te bitmu something a wall separates
lo ve bitmu something with a wall
blabi x1 is white
lo blabi something white
blaci x1 is a quantity of glass of material x2
lo blaci a quantity of glass
lo se blaci a material of glass
blanu x1 is blue
lo blanu something blue
bliku x1 is a block of material x2 with surfaces or sides x3
lo bliku a block
lo se bliku a material of a block
lo te bliku a side of a block
bloti x1 is a boat or ship for carrying x2 propelled by x3
lo bloti a boat
lo se bloti a cargo of a boat
lo te bloti a propulsion of a boat
bolci x1 is a ball or sphere made of x2
lo bolci a ball
lo se bolci a material of a ball
bongu x1 is a bone performing function x2 in the body of x3
lo bongu a bone
lo se bongu a function of a bone
lo te bongu something with a bone
botpi x1 is a bottle, jar, or flask for x2 made of x3 with lid x4
lo botpi a bottle
lo se botpi contents of a bottle
lo te botpi a material of a bottle
lo ve botpi a lid of a bottle
boxfo x1 is a sheet or blanket made of x3
lo boxfo a sheet
lo se boxfo a material of a sheet
boxna x1 is a wave in x2 with wave-form x3, wavelength x4, and frequency x5
lo boxna a wave
lo se boxna a wave medium
lo te boxna a waveform
lo ve boxna a wavelength
lo xe boxna a wave frequency
bradi x1 is an enemy of x2 in struggle x3
lo bradi an enemy
lo se bradi something with an enemy
lo te bradi a struggle between enemies
bratu x1 is hail or sleet of material x2
lo bratu hail
lo se bratu a material of hail
brazo x1 is Brazilian in aspect x2
lo brazo something Brazilian
lo se brazo a Brazilian aspect
bredi x1 is ready for x2
lo bredi something ready
lo se bredi something ready for
bridi x1 is a predicate with relationship x2 among arguments x3
lo bridi a predicate text
lo se bridi a predicate relationship
lo te bridi a predicate argument
brife x1 is wind from direction x2 with speed x3
lo brife a wind
lo se brife a direction of a wind
lo te brife a speed of a wind
briju x1 is an office or bureau of worker x2 at location x3
lo briju an office
lo se briju an office worker
lo te briju a location of an office
brito x1 is British in aspect x2
lo brito something British
lo se brito a British aspect
broda predicate variable 1
brode predicate variable 2
brodi predicate variable 3
brodo predicate variable 4
brodu predicate variable 5
bruna x1 is a brother of x2 by bond x3
lo bruna a brother
lo se bruna something with a brother
lo te bruna a bond of brotherhood
budjo x1 is Buddhist in aspect x2
lo budjo something Buddhist
lo se budjo a Buddhist aspect
bukpu x1 is a quantity of cloth made of x2
lo bukpu a quantity of cloth
lo se bukpu a material of cloth
bumru x1 is covered by a fog or mist of liquid x2
lo bumru something foggy
lo se bumru a fog's liquid
bunda x1 is x2 non-metric weight units in standard x3 with subunits x4
lo bunda something measured in non-metric weight
lo se bunda an amount of non-metric weight
lo te bunda a non-metric weight standard
lo ve bunda a subunit of a non-metric weight
bunre x1 is brown
lo bunre something brown
burcu x1 is a brush for x2 with bristles x3
lo burcu a brush
lo se burcu a purpose for a brush
lo te burcu a brush's bristles
burna x1 is embarrassed about x2
lo burna something embarrassed
lo se burna a condition for embarrassment
cabna x1 is current with x2 in time
lo cabna something current
lo se cabna a reference for being current
cabra x1 is apparatus for function x2 controlled by x3
lo cabra an apparatus
lo se cabra a function of an apparatus
lo te cabra a controller of an apparatus
cacra x1 is x2 hours in duration by standard x3
lo cacra something measured in hours
lo se cacra a number of hours
lo te cacra a standard for hour
cadzu x1 walks on surface x2 using limbs x3
lo cadzu a walker
lo se cadzu a surface walked on
lo te cadzu a limb used to walk
cafne x1 frequently occurs by standard x2
lo cafne something frequent
lo se cafne a standard for being frequent
cakla x1 is made of or contains a quantity of chocolate or cocoa
lo cakla a quantity of chocolate
calku x1 is a shell or husk around x2 made of x3
lo calku a shell
lo se calku something with a shell
lo te calku a material of a shell
canci x1 vanishes from location x2 using senses or sensor x3
lo canci a vanisher
lo se canci a location where something vanishes
lo te canci a sense something vanished from
cando x1 is idle or at rest
lo cando something idle
cange x1 is a farm or ranch at x2 farmed by x3 that raises or produces x4
lo cange a farm
lo se cange a location of a farm
lo te cange a farmer
lo ve cange something produced by a farm
canja x1 trades x2 for x3 with x4
lo canja a trader
lo se canja something traded
lo te canja something traded for
lo ve canja something traded with
canko x1 is a window or portal in wall or building x2
lo canko a window
lo se canko a structure with a window
canlu x1 is a space or room occupied by x2
lo canlu a space
lo se canlu something occupying a space
canpa x1 is a shovel or spade for digging x2
lo canpa a shovel
lo se canpa something dug with a shovel
canre x1 is a quantity of sand or grit from x2 of composition x3
lo canre a quantity of sand
lo se canre a source of sand
lo te canre a composition of sand
canti x1 is the intestines or guts of x2
lo canti an intestine
lo se canti something with intestines
carce x1 is a carriage or wagon for carrying x2 propelled by x3
lo carce a carriage
lo se carce something carried by a carriage
lo te carce a carriage's propulsion
carmi x1 is bright or intense in property x2 as measured by observer x3
lo carmi something bright
lo se carmi a property of brightness
lo te carmi an observer of brightness
carna x1 turns or rotates around axis x2 in direction x3
lo carna something that rotates
lo se carna an axis of rotation
lo te carna a direction of rotation
cartu x1 is a chart or diagram of x2 showing information x3
lo cartu a chart
lo se cartu a chart topic
lo te cartu data in a chart
carvi x1 rains or showers to x2 from x3
lo carvi something that rains
lo se carvi somewhere rain falls
lo te carvi somewhere rain falls from
casnu x1 discusses or talks about x2
lo casnu a discusser
lo se casnu a discussion topic
catke x1 shoves or pushes x2 at location x3
lo catke a shover
lo se catke something shoved
lo te catke a location of a shove
catlu x1 looks at x2
lo catlu something looking
lo se catlu something looked at
catni x1 has authority over x2 on the basis of x3
lo catni something with authority
lo se catni something under authority
lo te catni a basis of authority
catra x1 kills x2 by action x3
lo catra a killer
lo se catra something killed
lo te catra a method of killing
caxno x1 is shallow in direction x2 from reference point x3 by standard x4
lo caxno something shallow
lo se caxno a direction of shallowness
lo te caxno a shallowness reference point
lo ve caxno a standard of shallowness
cecla x1 launches projectile or missile x2 propelled by x3
lo cecla a launcher
lo se cecla a launcher's projectile
lo te cecla a launcher's propulsion
cecmu x1 is a community or colony of organisms x2
lo cecmu a community
lo se cecmu organisms in a community
cedra x1 is an era or age characterized by x2
lo cedra an era
lo se cedra an era's characterization
cenba x1 varies in property or quantity x2 in amount x3 under conditions x4
lo cenba something varying
lo se cenba a property of variance
lo te cenba a degree of variation
lo ve cenba a condition of varying
censa x1 is holy or sacred to x2
lo censa something holy
lo se censa something to which something is holy
centi x1 is a hundreth of x2 in dimension or aspect x2
lo centi a hundreth
lo se centi something with hundreths
lo te centi a hundreth aspect
cerda x1 is an inheritor of or heir to x2 from x3 according to rule x4
lo cerda an inheritor
lo se cerda something inherited
lo te cerda something with an inheritor
lo ve cerda an inheritance rule
cerni x1 is a morning of day x2 at location x3
lo cerni a morning
lo se cerni a morning's day
lo te cerni a morning's location
certu x1 is an expert or is skilled at x2 by standard x3
lo certu something skilled
lo se certu something skilled at
lo te certu a standard of skill
cevni x1 is a god of people or religion x2 with dominion over x3
lo cevni a god
lo se cevni a god's people
lo te cevni a god's dominion
cfari x1 commences, begins, or starts
lo cfari something that begins
cfika x1 is a work of fiction about plot or theme x2 by author x3
lo cfika a work of fiction
lo se cfika a work of fiction's plot
lo te cfika a work of fiction's author
cfila x1 is a flaw or defect in x2 causing x3
lo cfila a flaw
lo se cfila something with a flaw
lo te cfila something caused by a flaw
cfine x1 is a wedge of material x2
lo cfine a wedge
lo se cfine a material of a wedge
cfipu x1 confuses or baffles x2 due to property x3
lo cfipu something confusing
lo se cfipu something confused
lo te cfipu a confusing property
ciblu x1 is blood or vital fluid of organism x2
lo ciblu blood
lo se ciblu an organism with blood
cicna x1 is cyan or torquoise
lo cicna something cyan
cidja x1 is food or nutriment for x2
lo cidja food
lo se cidja something that eats food
cidni x1 is the knee, elbow, or other hinged joint of limb x2 of body x3
lo cidni a hinged joint
lo se cidni a limb with a hinged joint
lo te cidni something with a hinged limb
cidro x1 is a quantity of hydrogen
lo cidro a quantity of hydrogen
cifnu x1 is an infant or baby of species x2
lo cifnu an infant
lo se cifnu a species of an infant
cigla x1 is a gland secreting x2 of body x3
lo cigla a gland
lo se cigla a gland's secretion
lo te cigla something with a gland
cikna x1 is awake
lo cikna something awake
cikre x1 repairs or mends x2 for use x3
lo cikre a repairer
lo se cikre something repaired
lo te cikre a use for something repaired
ciksi x1 explains x2 to x3 with explanation x4
lo ciksi an explainer
lo se ciksi something explained
lo te ciksi something explained to
lo ve ciksi an explanation
cilce x1 is wild or untamed
lo cilce something wild
cilmo x1 is moist or damp with liquid x2
lo cilmo something moist
lo se cilmo a moistening liquid
cilre x1 learns x2 about x3 from x4 by method x5
lo cilre a learner
lo se cilre something learned
lo te cilre a subject learned
lo ve cilre a source of learning
lo xe cilre a learning method
cilta x1 is a thread of material x2
lo cilta a thread
lo se cilta a material of thread
cimde x1 is a dimension of space or object x2 according to rule or model x3
lo cimde a dimension
lo se cimde something with a dimension
lo te cimde a dimensional model
cimni x1 in infinite in property or dimension x2 to degree or of type x3
lo cimni something infinite
lo se cimni an infinite property
lo te cimni a degree of infinity
cinba x1 kisses x2 at x3
lo cinba a kisser
lo se cinba something kissed
lo te cinba a kissed place
cindu x1 is an oak of species x2
lo cindu an oak
lo se cindu a species of oak
cinfo x1 is a lion of species x2
lo cinfo a lion
lo se cinfo a species of lion
cinje x1 is a wrinkle in x2
lo cinje a wrinkle
lo se cinje something wrinkled
cinki x1 is an insect of species x2
lo cinki an insect
lo se cinki a species of insect
cinla x1 is thin in dimension x2 by standard x3
lo cinla something thin
lo se cinla a dimension of thinness
lo te cinla a standard of thinness
cinmo x1 feels emotion x2 about x3
lo cinmo something feeling emotion
lo se cinmo a felt emotion
lo te cinmo a subject of a felt emotion
cinri x1 interests x2
lo cinri something interesting
lo se cinri something interested
cinse x1 in activity or state x2 exhibits sexuality x2 by standard x4
lo cinse something sexual
lo se cinse a sexual activity
lo te cinse a sexuality
lo ve cinse a standard of sexuality
cinta x1 is paint of substance x2 in a base of x3
lo cinta paint
lo se cinta a paint pigment
lo te cinta a paint base
cinza x1 is a pincer or tongs for x2 to pinch x3
lo cinza tongs
lo se cinza something using tongs
lo te cinza something pinched with tongs
cipni x1 is a bird of species x2
lo cipni a bird
lo se cipni a species of bird
cipra x1 is a test of x2 in subject x3
lo cipra a test
lo se cipra a tested property
lo te cipra something tested
cirko x1 loses x2 at x3
lo cirko a loser of something
lo se cirko something lost
lo te cirko a place or condition of loss
cirla x1 is a quantity of cheese from source x2
lo cirla a quantity of cheese
lo se cirla a source of cheese
ciska x1 writes x2 on x3 using x4
lo ciska a writer
lo se ciska something written
lo te ciska a writing medium
lo ve ciska a writing implement
cisma x1 smiles
lo cisma a smiler
ciste x1 is a system with structure x2, components x3, displaying property x4
lo ciste a system
lo se ciste a system structure
lo te ciste a component of a system
lo ve ciste a property of a system
citka x1 eats x2
lo citka an eater
lo se citka something eaten
citno x1 is young by standard x2
lo citno something young
lo se citno a standard of youth
citri x1 is a history of x2 according to x3
lo citri a history
lo se citri something with a history
lo te citri a view-point of a history
citsi x1 is a season defined by x2 of year(s) x3
lo citsi a season
lo se citsi a season's interval
lo te citsi a season's year
civla x1 is a flea or louse of species x2 parasitic on x3
lo civla a flea
lo se civla a species of flea
lo te civla a flea's victim
cizra x1 is strange to x2 in property x3
lo cizra something strange
lo se cizra something to which something is strange
lo te cizra a property of strangeness
ckabu x1 is a quantity of rubber from source x2 made of x3
lo ckabu a quantity of rubber
lo se ckabu a source of rubber
lo te ckabu a composition of rubber
ckafi x1 is a quantity of coffee from source x2
lo ckafi a quantity of coffee
lo se ckafi a source of coffee
ckaji x1 is characterized by property x2
lo ckaji something with a property
lo se ckaji a property
ckana x1 is a bed of material x2 for holding or supporting x3
lo ckana a bed
lo se ckana a material of a bed
lo te ckana something supported by a bed
ckape x1 is dangerous for x2 under conditions x3
lo ckape something dangerous
lo se ckape something in danger
lo te ckape a dangerous condition
ckasu x1 ridicules x2 about x3 by doing x4
lo ckasu a ridiculer
lo se ckasu something ridiculed
lo te ckasu something ridiculed about
lo ve ckasu an act of ridiculing
ckeji x1 feels ashamed under conditions x2 before audience x3
lo ckeji something ashamed
lo se ckeji a condition of shame
lo te ckeji an audience of something ashamed
ckiku x1 is a key fitting lock x2 with properties x3
lo ckiku a key
lo se ckiku a key's lock
lo te ckiku properties of a key
ckilu x1 is a scale of units for measuring x2
lo ckilu a scale
lo se ckilu something measured in a scale
ckini x1 is related to x2 by relationship x3
lo ckini something related
lo se ckini something that something is related to
lo te ckini a relationship
ckire x1 is grateful or thankful to x2 for x3
lo ckire something grateful
lo se ckire a reciever of gratefulness
lo te ckire a reason for gratitude
ckule x1 is a school at x2, teaching x3 to x4, operated by x5
lo ckule a school
lo se ckule a location of a school
lo te ckule a subject taught in a school
lo ve ckule a pupil of a school
lo xe ckule an operator of a shcool
ckunu x1 is a conifer of species x2 with cones x3
lo ckunu a conifer
lo se ckunu a species of conifer
lo te ckunu a cone of a conifer
cladu x1 is loud at observation point x2 by standard x3
lo cladu something loud
lo se cladu a place something is loud at
lo te cladu a standard of loudness
clani x1 is long in dimension x2 by standard x3
lo clani something long
lo se clani a dimension of longness
lo te clani a standard of longness
claxu x1 lacks x2
lo claxu a lacker
lo se claxu something lacked
clika x1 is lichen or moss of species x2 growing on x3
lo clika a lichen
lo se clika a species of lichen
lo te clika something lichen grows on
clira x1 is early by standard x2
lo clira something early
lo se clira a standard for earliness
clite x1 is polite in matter x2 according to custom x3
lo clite something polite
lo se clite a politely handled matter
lo te clite a standard for politeness
cliva x1 leaves x2 via x3
lo cliva a leaver
lo se cliva something left
lo te cliva a route of leaving
clupa x1 is a loop of material x2
lo clupa a loop
lo se clupa a material of a loop
cmaci x1 is mathematics of type x2
lo cmaci a mathematic
lo se cmaci a mathematic type
cmalu x1 is small in dimension x2 by standard x3
lo cmalu something small
lo se cmalu a dimension of smallness
lo te cmalu a standard of smallness
cmana x1 is a mountain projecting from x2
lo cmana a mountain
lo se cmana a land mass with a mountain
cmavo x1 is a structure word of group x2, meaning x3, used in language x4
lo cmavo a structure word
lo se cmavo a structure word's grammatical class
lo te cmavo a meaning of a structure word
lo ve cmavo a language of a structure word
cmene x1 is the name for x2 used by x3
lo cmene a name
lo se cmene something named
lo te cmene a user of a name
cmila x1 laughs
lo cmila a laugher
cmima x1 is a member of x2
lo cmima a member
lo se cmima a member's group
cmoni x1 moans or howls x2 expressing x3
lo cmoni a moaner
lo se cmoni a moan
lo te cmoni something expressed by a moan
cnano x1 is an average in property or amount x2 among set x3 by standard x4
lo cnano an average
lo se cnano a average's property
lo te cnano a set of an average
lo ve cnano an average's standard
cnebo x1 is the neck of x2
lo cnebo a neck
lo se cnebo something with a neck
cnemu x1 rewards x2 for atypical event or property x3 with x4
lo cnemu a rewarder
lo se cnemu a rewardee
lo te cnemu a reason for a reward
lo ve cnemu a reward
cnici x1 is neat or orderly in property x2
lo cnici something neat
lo se cnici a property of neatness
cnino x1 is new to x2 in property x3 by standard x4
lo cnino something new
lo se cnino an observer of newness
lo te cnino a feature of newness
lo ve cnino a standard of newness
cnisa x1 is a quantity of lead
lo cnisa a quantity of lead
cnita x1 is directly beneath or below x2 in reference frame x3
lo cnita something beneath
lo se cnita something to which something is beneath
lo te cnita a reference frame of beneathness
cokcu x1 soaks up x2 from x3 into x4
lo cokcu an absorber
lo se cokcu something absorbed
lo te cokcu something absorbed from
lo ve cokcu something absorbed into
condi x1 is deep in property x2 away from x3 by standard x4
lo condi something deep
lo se condi a property of depth
lo te condi a reference point of depth
lo ve condi a standards of depth
cortu x1 feels pain at x2
lo cortu a feeler of pain
lo se cortu a location of pain
cpacu x1 acquires or gets x2 from x3
lo cpacu an acquirer
lo se cpacu something acquired
lo te cpacu an acquisition source
cpana x1 on top of x2 in frame of reference x3
lo cpana something on top
lo se cpana something to which something is on top
lo te cpana a reference frame for being on top
cpare x1 climbs on x2 in direction x3 using x4
lo cpare a climber
lo se cpare a surface climbed
lo te cpare a direction climbed
lo ve cpare a tool for climbing
cpedu x1 requests or asks for x2 from x3 in manner x4
lo cpedu a requester
lo se cpedu something requested
lo te cpedu a receiver of a request
lo ve cpedu a manner of requesting
cpina x1 is pungent or irritating to sense x2
lo cpina something pungent
lo se cpina a sense something is pungent to
cradi x1 broadcasts or transmits x2 via station or frequency x3 to receiver x4
lo cradi a broadcaster
lo se cradi something broadcast
lo te cradi a broadcasting station
lo ve cradi a broadcast receiver
crane x1 is in front of x2 facing x3
lo crane something in front
lo se crane something to which something is in front
lo te crane a reference frame for being in front
creka x1 is a shirt of material x2
lo creka a shirt
lo se creka a material of a shirt
crepu x1 harvests x2 from x3
lo crepu a harvester
lo se crepu a harvested crop
lo te crepu a source of a crop
cribe x1 is a bear of species x2
lo cribe a bear
lo se cribe a species of bear
crida x1 is a fairy, elf, or other mythical humanoid of religion x2
lo crida a fairy
lo se crida a religion with a fairy
crino x1 is green
lo crino something green
cripu x1 is a bridge across x2 between x3 and x4
lo cripu a bridge
lo se cripu something bridged across
lo te cripu something linked by bridge
lo ve cripu something a bridge links
crisa x1 is summer of year x2 at location x3
lo crisa a summer
lo se crisa a summer's year
lo te crisa a summer's location
critu x1 is autumn of year x2 at location x3
lo critu an autumn
lo se critu an autumn's year
lo te critu an autumn's location
ctaru x1 as a tide in x2 caused by x3
lo ctaru a tide
lo se ctaru something with a tide
lo te ctaru a tide's cause
ctebi x1 is the lip of orifice x2 of body x3
lo ctebi a lip
lo se ctebi an orifice with a lip
lo te ctebi something with a lip
cteki x1 is a tax on x2 levied against x3 by authority or collector x4
lo cteki a tax
lo se cteki something taxed
lo te cteki a person taxed
lo ve cteki a collector of a tax
ctile x1 is a quantity of petroleum from source x2
lo ctile a quantity of petroleum
lo se ctile a source of petroleum
ctino x1 as a shadow of x2 made by light source x3
lo ctino a shadow
lo se ctino an object with a shadow
lo te ctino a light source making a shadow
ctuca x1 teaches to x2 ideas x3 about subject x4 by method x5
lo ctuca a teacher
lo se ctuca an audience of teaching
lo te ctuca an idea taught
lo ve ctuca a subject taught
lo xe ctuca a method of teaching
cukla x1 is round
lo cukla something round
cukta x1 is a book with work x2 by author x3 for audience x4 in medium x5
lo cukta a book
lo se cukta a work in a book
lo te cukta a book's author
lo ve cukta a book's audience
lo xe cukta a book medium
culno x1 is full of x2
lo culno something full
lo se culno something that something is full of
cumki x1 is possible under conditions x2
lo cumki something which is possible
lo se cumki a condition for something being possible
cumla x1 is modest or humble about x2
lo cumla something modest
lo se cumla something that something is modest about
cunmi x1 is a quantity of millet or grain of species x2
lo cunmi a quantity of millet
lo se cunmi a species of nillet
cunso x1 is random under conditions x2 with probability distribution x3
lo cunso something random
lo se cunso a condition of randomness
lo te cunso a randomness probability distribution
cuntu x1 is an affair or organized activity involving people x2
lo cuntu an affair
lo se cuntu something involved in an affair
cupra x1 produces x2 by process x3
lo cupra a producer
lo se cupra a product
lo te cupra a process of production
curmi x1 allows or permits x2 under conditions x3
lo curmi something which allows
lo se curmi something allowed
lo te curmi a condition for allowing
curnu x1 is a worm of species x2
lo curnu a worm
lo se curnu a species of worm
curve x1 is pure in property x2
lo curve something pure
lo se curve a property of pureness
cusku x1 says x2 for audience x3 via medium x4
lo cusku a sayer
lo se cusku something said
lo te cusku an audience of something said
lo ve cusku a medium for something said
cutci x1 is a shoe for covering x2 of material x3
lo cutci a shoe
lo se cutci a shoe's foot
lo te cutci a material of a shoe
cutne x1 is the chest of x2
lo cutne a chest
lo se cutne something with a chest
cuxna x1 chooses x2 from set x3
lo cuxna a chooser
lo se cuxna something chosen
lo te cuxna a set of choices
dacru x1 is a drawer in x2 for contents x3
lo dacru a drawer
lo se dacru something with a drawer
lo te dacru a content of a drawer
dacti x1 is a material object enduring in space-time; x1 is a thing
lo dacti a material object enduring in space-time; a thing
dadjo x1 is Taoist in aspect x2
lo dadjo something Taoist
lo se dadjo a Taoist aspect
dakfu x1 is a knife for cutting x2 with blade material x3
lo dakfu a knife
lo se dakfu something cut with a knife
lo te dakfu a material of a knife's blade
dakli x1 is a bag or sack containing x2 of material x3
lo dakli a bag
lo se dakli a content of a bag
lo te dakli a material of a bag
damba x1 fights or struggles with x2 over issue x3
lo damba a fighter
lo se damba something fought with
lo te damba a reason for a fight
damri x1 is a drum, gong or other percussion instrument with beater x2
lo damri a percussion instrument
lo se damri a percussion instrument's beater
dandu x1 is suspended or hangs from x2 at joint x3
lo dandu something suspended
lo se dandu a suspension support
lo te dandu a method of suspension
danfu x1 is the answer or solution to question or problem x2
lo danfu an answer
lo se danfu a problem with an answer
danlu x1 is a creature of species x2
lo danlu a creature
lo se danlu a species of a creature
danmo x1 is smoke from source x2
lo danmo smoke
lo se danmo a source of smoke
danre x1 puts pressure on or applies force to x2
lo danre something applying pressure
lo se danre something with a pressure applied
dansu x1 dances to accompaniment or rhythm x2
lo dansu a dancer
lo se dansu a dancer's accompaniment
danti x1 is a bullet, missile, or other ballistic projectile for firing by x2
lo danti a ballistic projectile
lo se danti a ballistic projectile's launcher
daplu x1 is an island of material or property x2 surrounded by x3
lo daplu an island
lo se daplu a material of an island
lo te daplu an island's surroundings
dapma x1 condemns or curses x2 to fate x3
lo dapma a condemner
lo se dapma something condemned
lo te dapma a fate condemned to
dargu x1 is a road or highway to x2 from x3 via x4
lo dargu a road
lo se dargu a road's destination
lo te dargu a road's origin
lo ve dargu a road's route
darlu x1 argues for stance x2 against stance x3
lo darlu an arguer
lo se darlu an stance argued for
lo te darlu an stance argued against
darno x1 is distant from x2 in property x3
lo darno something distant
lo se darno something to which something is distant
lo te darno a property of distantness
darsi x1 shows audacity in behavior x2
lo darsi something showing audacity
lo se darsi an audacious behaviour
darxi x1 hits or strikes x2 with x3 at x4
lo darxi a hitter
lo se darxi something hit
lo te darxi something used to hit
lo ve darxi a place hit
daski x1 is a pocket or pouch in x2
lo daski a pocket
lo se daski something with a pocket
dasni x1 wears x2 as garment of type x3
lo dasni a wearer
lo se dasni something worn
lo te dasni a type of worn garment
daspo x1 destroys x2
lo daspo a destroyer
lo se daspo something destroyed
dasri x1 is a ribbon or strip of material x2
lo dasri a ribbon
lo se dasri a material of a ribbon
datka x1 is a duck of species x2
lo datka a duck
lo se datka a species of duck
datni x1 is information about x2 gathered by method x3
lo datni information
lo se datni a subject of information
lo te datni an information gathering method
decti x1 is a tenth of x2 in dimension or aspect x3
lo decti a tenth
lo se decti something measured in tenths
lo te decti an aspect of a tenth
degji x1 is a finger, toe, or digit on limb x2 of body x3
lo degji a finger or toe
lo se degji a limb with a finger or toe
lo te degji something with a finger or toe
dejni x1 owes debt x2 to creditor x3 in return for x4
lo dejni a debtor
lo se dejni a debt
lo te dejni a debt creditor
lo ve dejni a reason for a debt
dekpu x1 is x2 non-metric volume units in standard x3 with subunits x4
lo dekpu something measured in non-metric volume
lo se dekpu an amount of non-metric volume
lo te dekpu a non-metric volume standard
lo ve dekpu a subunit of a non-metric volume
dekto x1 is ten of x2 in dimension or aspect x3
lo dekto tens
lo se dekto something measured in tens
lo te dekto an aspect of tens
delno x1 is x2 candela in luminosity by standard x3
lo delno something measured in candela
lo se delno an amount of candela
lo te delno a candela standard
dembi x1 is a legume, bean, or pea from plant x2
lo dembi a legume seed
lo se dembi a legume plant
denci x1 is a tooth of x2
lo denci a tooth
lo se denci something with a tooth
denmi x1 is dense in property x2 at location x3
lo denmi something dense
lo se denmi a property of denseness
lo te denmi a location of density
denpa x1 waits or pauses for x2 at state x3 before doing x4
lo denpa a pauser
lo se denpa something paused for
lo te denpa a state of pause
lo ve denpa a paused state or activity
dertu x1 is a quantity of soil or dirt from x2 of composition x3
lo dertu a quantity of soil
lo se dertu a source of soil
lo te dertu a composition of soil
derxi x1 is a heap or stack of materials x2 at location x3
lo derxi a heap
lo se derxi a material of a heap
lo te derxi a location of a heap
desku x1 is shakes or vibrates from force x2
lo desku something vibrating
lo se desku a force causing vibration
detri x1 is the date of event x2 at location x3 by calendar x4
lo detri a date
lo se detri an event with a date
lo te detri a location of a date
lo ve detri a calendar of a date
dicra x1 interrupts or disrupts x2 due to quality x3
lo dicra an interrupter
lo se dicra something interrupted
lo te dicra a reason for interruption
dikca x1 is electricity in x2 of polarity or quantity x3
lo dikca electricity
lo se dikca something with electricity
lo te dikca an amount of electricity
diklo x1 is confined to location x2 within range x3
lo diklo something local
lo se diklo a center of locality
lo te diklo a range of locality
dikni x1 is regular or periodic in x2 with interval x3
lo dikni something regular
lo se dikni a property of regularness
lo te dikni an interval of regularness
dilcu x1 is a quotient of, x2 divided by x3, leaving remainder x4
lo dilcu a quotient
lo se dilcu a quotient's dividend
lo te dilcu a quotient's divisor
lo ve dilcu a quotient's remainder
dilnu x1 is a cloud of material x2 in air mass x3 at elevation x4
lo dilnu a cloud
lo se dilnu a material of a cloud
lo te dilnu an air mass with a cloud
lo ve dilnu an elevation of a cloud
dimna x1 is a fate or destiny of x2
lo dimna a destiny
lo se dimna something with a destiny
dinju x1 is a building for purpose x2
lo dinju a building
lo se dinju a purpose of a building
dinko x1 is a nail or tack of type x2 of material x3
lo dinko a nail
lo se dinko a type of nail
lo te dinko a material of a nail
dirba x1 is dear or precious to x2
lo dirba something precious
lo se dirba something to which something is precious
dirce x1 radiates or emits x2 under conditions x3
lo dirce something radiating
lo se dirce something radiated
lo te dirce a condition for radiating
dirgo x1 is a drop of x2 in surrounding material x3
lo dirgo a drop
lo se dirgo a material of a drop
lo te dirgo something containing a drop
dizlo x1 is low or down in reference frame x2 compared to height x3
lo dizlo something low
lo se dizlo a lowness reference frame
lo te dizlo a standard of lowness
djacu x1 is a quantity of water
lo djacu a quantity of water
djedi x1 is x2 full days long by standard x3
lo djedi something measured in full days
lo se djedi a number of full days
lo te djedi a standard defining a full day
djica x1 desires or wants x2 for purpose x3
lo djica a desirer
lo se djica something desired
lo te djica a purpose for a desire
djine x1 is a ring of material x2 with inside, outside diameters x3, x4
lo djine a ring
lo se djine a material of a ring
lo te djine an inside diameter of a ring
lo ve djine an outside diameter of a ring
djuno x1 knows fact x2 about x3 by epistemology x4
lo djuno a knower
lo se djuno a fact known
lo te djuno a subject known
lo ve djuno an epistemology of knowing
donri x1 is daytime of day x2 at location x3
lo donri a daytime
lo se donri a day with a daytime
lo te donri a location with a daytime
dotco x1 is German in aspect x2
lo dotco something German
lo se dotco a German aspect
draci x1 is a drama or play about x2 by x3 for audience x4 with actors x4
lo draci a play
lo se draci a plot of a play
lo te draci an author of a play
lo ve draci an audience of a play
lo xe draci an actor of a play
drani x1 is correct in property or aspect x2 for situation x3 by standard x4
lo drani something correct
lo se drani a property of correctness
lo te drani a situation for correctness
lo ve drani a standard of correctness
drata x1 is not the same as x2 by standard x3
lo drata something different
lo se drata a reference of differentness
lo te drata a standard of differentness
drudi x1 is a roof or lid of x2
lo drudi a lid
lo se drudi something with a lid
dugri x1 is the logarithm of x2 with base x3
lo dugri a logarithm
lo se dugri something with a logarithm
lo te dugri a base of a logarithm
dukse x1 is an excess of x2 by standard x3
lo dukse an excess
lo se dukse something in excess
lo te dukse a standard of excess
dukti x1 is opposite or contrary to x2 in property or on scale x3
lo dukti an opposite
lo se dukti something with an opposite
lo te dukti a scale of an opposite
dunda x1 gives or donates x2 to x3
lo dunda a giver
lo se dunda a gift
lo te dunda a receiver of a gift
dunja x1 freezes at temperature x2 and pressure x3
lo dunja something freezing
lo se dunja a freezing temperature
lo te dunja a freezing pressure
dunku x1 is distressed or anguished by x2
lo dunku something distressed
lo se dunku a distressing
dunli x1 is equal to x2 in property, dimension, or quantity x3
lo dunli an equal
lo se dunli an equality reference
lo te dunli an equality property
dunra x1 is winter of year x2 at location x3
lo dunra a winter
lo se dunra a winter year
lo te dunra a winter location
dzena x1 is an elder or ancestor of x2 by bond x3
lo dzena an ancestor
lo se dzena something with an ancestor
lo te dzena an ancestry bond
dzipo x1 is Antarctican in aspect x2
lo dzipo something Antarctican
lo se dzipo an Antarctican aspect
facki x1 discovers x2 about x3
lo facki a discoverer
lo se facki a discovery
lo te facki a discovery subject
fadni x1 is ordinary in property x2 among members of x3
lo fadni something typical
lo se fadni a typical property
lo te fadni a group of typicals
fagri x1 is a fire in fuel x2 burning in x3
lo fagri a fire
lo se fagri a fuel of fire
lo te fagri an oxidizer of fire
falnu x1 is a sail for gathering x2 on vehicle x3
lo falnu a sail
lo se falnu something gathered by a sail
lo te falnu something propelled by a sail
famti x1 is an aunt or uncle of x2 by bond x3
lo famti an aunt or uncle
lo se famti something with an aunt or uncle
lo te famti an aunt or uncle relationship
fancu x1 is a function mapping domain x2 to range x3 defined by rule x4
lo fancu a function
lo se fancu a function domain
lo te fancu a function range
lo ve fancu a function definition
fange x1 is alien or unfamiliar to x2 in property x3
lo fange something alien
lo se fange something to which something is alien
lo te fange an alien property
fanmo x1 is an end or finish of or process x2
lo fanmo a finish
lo se fanmo a finished process
fanri x1 is a factory or mill producing x2 from x3
lo fanri a factory
lo se fanri a factory product
lo te fanri a raw material for a factory
fanta x1 prevents x2 from occurring
lo fanta a preventer
lo se fanta a prevented event
fanva x1 translates x2 to language x3 from language x4 with result x5
lo fanva a translateer
lo se fanva a source text for translation
lo te fanva a target language for translation
lo ve fanva a source language for translation
lo xe fanva a result of translation
fanza x1 annoys x2
lo fanza an annoyer
lo se fanza an annoyed
fapro x1 opposes x2 about x3
lo fapro an opposeer
lo se fapro an opponent
lo te fapro an issue of opposition
farlu x1 falls to x2 from x3 in gravity well x4
lo farlu a faller
lo se farlu a destination of fall
lo te farlu an origin of fall
lo ve farlu a frame of reference for fall
farna x1 is the direction of x2 from origin x3
lo farna a direction
lo se farna something found in a direction
lo te farna an origin of a direction
farvi x1 evolves or develops into x2 from x3 through stages x4
lo farvi an evolver
lo se farvi an evolved
lo te farvi something that evolves
lo ve farvi an evolution stage
fasnu x1 occurs or happens
lo fasnu an occurrence
fatci x1 is a fact
lo fatci a fact
fatne x1 is in reverse order from x2
lo fatne a reversed
lo se fatne a sequence before reversal
fatri x1 is distributed among x2 with shares x3
lo fatri a distributed
lo se fatri something receiving a distribution
lo te fatri a share of a distribution
febvi x1 boils at temperature x2 and pressure x3
lo febvi something boiling
lo se febvi a boiling temperature
lo te febvi a boiling pressure
femti x1 is 10 to the negative fifteenth of x2 in dimension x3
lo femti a 10 to the negative fifteenth
lo se femti something with 10 to the negative fifteenths
lo te femti a 10 to the negative fifteenth aspect
fendi x1 divides x2 into x3 by method x4
lo fendi something dividing
lo se fendi something divided
lo te fendi something divided by
lo ve fendi a division method
fengu x1 is angry at x2 for x3
lo fengu something angry
lo se fengu an anger target
lo te fengu an anger reason
fenki x1 is crazy by standard x2
lo fenki something crazy
lo se fenki a standard for craziness
fenra x1 is a crack in x2
lo fenra a crack
lo se fenra something with a crack
fenso x1 sews or stitches x2 together with tool x3 using filament x4
lo fenso a sewer
lo se fenso a sewn material
lo te fenso a sewing tool
lo ve fenso a sewing thread
fepni x1 is measured in money subunits as quantity x2 in monetary system x3
lo fepni something measured in money subunits
lo se fepni a quantity of money subunits
lo te fepni a monetary system with money subunits
fepri x1 is the lung of x2
lo fepri a lung
lo se fepri something with a lung
ferti x1 is fertile for growing x2
lo ferti something fertile
lo se ferti something to which something is fertile
festi x1 is waste from x2
lo festi waste
lo se festi something with waste
fetsi x1 is a female of species x2 with feminine traits x3
lo fetsi a female
lo se fetsi a species of a female
lo te fetsi a feminine trait
figre x1 is a fig of species x2
lo figre a fig
lo se figre a species of fig
filso x1 is Palestinian in aspect x2
lo filso something Palestinian
lo se filso a Palestinian aspect
finpe x1 is a fish of species x2
lo finpe a fish
lo se finpe a species of fish
finti x1 invents or creates x2 for purpose x3 from existing ideas x4
lo finti a creater
lo se finti a creation
lo te finti a purpose of creation
lo ve finti an element in creation
flalu x1 is a law specifying x2 for community x3 under conditions x4 by lawgiver x5
lo flalu a law
lo se flalu something specified by law
lo te flalu a community with a law
lo ve flalu a law conditions
lo xe flalu a lawgiver
flani x1 is a flute, fife, or recorder
lo flani a flute
flecu x1 is a current in x2 flowing towards x3 from x4
lo flecu a current
lo se flecu something with a current
lo te flecu a current destination
lo ve flecu a current source
fliba x1 fails at doing x2
lo fliba a failer
lo se fliba something failed at
flira x1 is the face of x2
lo flira a face
lo se flira something with a face
foldi x1 is a field of material x2
lo foldi a field
lo se foldi a material of a field
fonmo x1 is a quantity of foam or froth of material x2 with bubbles of x3
lo fonmo a quantity of foam
lo se fonmo a material of a foam
lo te fonmo a bubble in foam
fonxa x1 is a phone or modem in network x2
lo fonxa a telephone
lo se fonxa a telephone system
forca x1 is a fork for x2 with tines x3 on base x4
lo forca a fork
lo se forca a purpose of a fork
lo te forca a prong of a fork
lo ve forca a fork base
fraso x1 is French in aspect x2
lo fraso something French
lo se fraso a French aspect
frati x1 responds or reacts with action x2 to x3 under conditions x4
lo frati a responder
lo se frati a response
lo te frati a responder's stimulus
lo ve frati a response condition
fraxu x1 forgives x2 for x3
lo fraxu a forgiver
lo se fraxu a receiver of forgiveness
lo te fraxu something forgiven
frica x1 differs from x2 in x3
lo frica something different
lo se frica something to which something is different
lo te frica a difference property
friko x1 is African in aspect x2
lo friko something African
lo se friko an African aspect
frili x1 is easy for x2 under conditions x3
lo frili something easy
lo se frili something to which something is easy
lo te frili a condition for ease
frinu x1 is a fraction of x2 divided by x3
lo frinu a fraction
lo se frinu a numerator of a fraction
lo te frinu a denominator of a fraction
friti x1 offers x2 to x3 with conditions x4
lo friti an offerer
lo se friti an offering
lo te friti something receiving offering
lo ve friti an offer conditions
frumu x1 frowns
lo frumu a frowner
fukpi x1 is a copy of x2 in form x3 made by method x4
lo fukpi a copy
lo se fukpi something copied
lo te fukpi a copy media
lo ve fukpi a copying method
fulta x1 floats in or on x2
lo fulta a floater
lo se fulta something floated on
funca x1 is determined by the fortune of x2
lo funca something determined by fortune
lo se funca something with a fortune
fusra x1 rots or decays with agent x2
lo fusra something that rots
lo se fusra something that causes rotting
fuzme x1 is responsible for x2 to authority x3
lo fuzme somethings held responsible
lo se fuzme a responsibility
lo te fuzme something holding something responsible
gacri x1 is a lid for covering x2
lo gacri a lid
lo se gacri something with a lid
gadri x1 is an article labelling x2 in language x3 with semantics x4
lo gadri an article
lo se gadri something labelled by an article
lo te gadri a language of an article
lo ve gadri a semantic of an article
galfi x1 modifies or changes x2 into x3
lo galfi a modifyer
lo se galfi a modified
lo te galfi a modification result
galtu x1 is high in reference frame x2 compared with x3
lo galtu a high
lo se galtu a height frame of reference
lo te galtu a standard of height
galxe x1 is a throat of x2
lo galxe a throat
lo se galxe something with a throat
ganlo x1 is closed, preventing access to x2 by x3
lo ganlo something closed
lo se ganlo something inaccessible due to closure
lo te ganlo something that causes closure
ganra x1 is broad or wide in dimension x3 by standard x3
lo ganra something broad
lo se ganra a dimension of broadness
lo te ganra a standard of broadness
ganse x1 detects or senses x2 by means x3 under conditions x4
lo ganse a detecter
lo se ganse something detected
lo te ganse a detection means
lo ve ganse a detection conditions
ganti x1 is a gonad, ovary, or equivalent of x2 of gender x3
lo ganti a gonad
lo se ganti something with a gonad
lo te ganti a gonad gender
ganxo x1 is the anus of x2
lo ganxo an anus
lo se ganxo something with an anus
ganzu x1 organizes x2 into x3 by system x4
lo ganzu an organizer
lo se ganzu something not organized
lo te ganzu something organized
lo ve ganzu an organisation method
gapci x1 is a gas of x2 under conditions x3
lo gapci a gas
lo se gapci a gas composition
lo te gapci a condition of gas
gapru x1 is directly above x2 in reference frame x3
lo gapru something above
lo se gapru something to which something is above
lo te gapru a reference frame of aboveness
garna x1 is a rail or bar supporting or restraining x2 of material x3
lo garna a rail
lo se garna something supported by a rail
lo te garna a material of a rail
gasnu x1 causes x2 to happen
lo gasnu a cause
lo se gasnu something caused
gasta x1 is a quantity of steel of composition x2
lo gasta a quantity of steel
lo se gasta a composition of steel
genja x1 is a root of x2
lo genja a root
lo se genja something with a root
gento x1 is Argentinian in aspect x2
lo gento something Argentinian
lo se gento an Argentinian aspect
genxu x1 is a hook of material x2
lo genxu a hook
lo se genxu a material of a hook
gerku x1 is a dog of species x2
lo gerku a dog
lo se gerku a species of dog
gerna x1 is the grammar of language x2 for text x3
lo gerna a grammar
lo se gerna something defined by a grammar
lo te gerna a grammatical structure
gidva x1 guides or leads x2 in x3
lo gidva a guider
lo se gidva something guided
lo te gidva an event something is guided in
gigdo x1 is a billion or 10 to the ninth of x2 in dimension or aspect x3
lo gigdo a billion
lo se gigdo something with billions
lo te gigdo a billion aspect
ginka x1 is a camp of x2 at x3
lo ginka a camp
lo se ginka something with a camp
lo te ginka a camp location
girzu x1 is a group with common property x2 due to set x3 linked by relations x4
lo girzu a group
lo se girzu a group property
lo te girzu a set containing group
lo ve girzu a group relation
gismu x1 is a root word showing relation x2 among argument roles x3 with affix x4
lo gismu a root word
lo se gismu a root word relation
lo te gismu a root word argument role
lo ve gismu a root word affix
glare x1 is hot by standard x2
lo glare something hot
lo se glare a heat standard
gleki x1 is happy about x2
lo gleki something happy
lo se gleki a subject of happiness
gletu x1 copulates or mates with x2
lo gletu a copulater
lo se gletu a copulatee
glico x1 is English in aspect x2
lo glico something English
lo se glico an English aspect
gluta x1 is a glove or mitten of material x2
lo gluta a glove
lo se gluta a material of a glove
gocti x1 is 10 to the negative twenty-fourth of x2 in dimension or aspect x3
lo gocti a 10 to the negative twenty-fourth
lo se gocti something with 10 to the negative twenty-fourths
lo te gocti a 10 to the negative twenty-fourth aspect
gotro x1 is 10 to the twenty-fourth of x2 in dimension or aspect x3
lo gotro a 10 to the twenty-fourth
lo se gotro something with 10 to the twenty-fourths
lo te gotro a 10 to the twenty-fourth aspect
gradu x1 is a unit on scale x2 measuring property x3
lo gradu a unit
lo se gradu a unit scale
lo te gradu a unit property
grake x1 is x2 grams by standard x3
lo grake something weighed in grams
lo se grake a weight in grams
lo te grake a gram standard
grana x1 is a rod or pole of material x2
lo grana a rod
lo se grana a material of a rod
grasu x1 is a quantity of grease from source x2
lo grasu a quantity of grease
lo se grasu a source of grease
greku x1 is a frame or structure supporting x2
lo greku a frame
lo se greku something supported by a frame
grusi x1 is gray
lo grusi something gray
grute x1 is a fruit of species x2
lo grute a fruit
lo se grute a species of fruit
gubni x1 is public to community x2
lo gubni something public
lo se gubni a community with something public
gugde x1 is the country of x2 with territory x3
lo gugde a country
lo se gugde a people of a country
lo te gugde a territory of a country
gundi x1 is industry producing x2 by process or means x3
lo gundi an industry
lo se gundi something produced by an industry
lo te gundi an industrial process
gunka x1 works on x2 with goal x3
lo gunka a worker
lo se gunka a work activity
lo te gunka a work goal
gunma x1 is a an aggregate or mass of components x2
lo gunma an aggregate
lo se gunma a component of an aggregate
gunro x1 rolls on x2 rotating on axis or axle x3
lo gunro a roller
lo se gunro a rolling surface
lo te gunro an axle of a roller
gunse x1 is a goose of species x2
lo gunse a goose
lo se gunse a species of goose
gunta x1 attacks x2 with goal x3
lo gunta an attacker
lo se gunta something attacked
lo te gunta an attack goal
gurni x1 is grain from plant x2
lo gurni a grain
lo se gurni a species of grain
guska x1 abrades x2 from x3
lo guska an abrader
lo se guska something abraded
lo te guska something abraded from
gusni x1 lights x2 from source x3
lo gusni a light
lo se gusni something illuminated by a light
lo te gusni a light source
gusta x1 is a restaurant serving x2 to x3
lo gusta a restaurant
lo se gusta a restaurant food
lo te gusta a restaurant customer
gutci x1 is x2 non-metric short distance units in standard x3 with subunits x4
lo gutci something measured in non-metric short distance
lo se gutci an amount of non-metric distance
lo te gutci a non-metric short distance standard
lo ve gutci a subunit of a non-metric short distance
gutra x1 is the womb of x2
lo gutra a womb
lo se gutra something with a womb
guzme x1 is a melon of species x2
lo guzme a melon
lo se guzme a species of melon
jabre x1 brakes or slows x2 with mechanism x3
lo jabre something braking
lo se jabre something braked
lo te jabre a means for braking
jadni x1 adorns or decorates x2
lo jadni something that adorns
lo se jadni something adorned
jakne x1 is a rocket propelled by x2 carrying x3
lo jakne a rocket
lo se jakne something expelled by rocket jet
lo te jakne a rocket payload
jalge x1 is the result or outcome of x2
lo jalge an outcome
lo se jalge something causing an outcome
jalna x1 is a quantity of starch from x2 of composition x3
lo jalna a quantity of starch
lo se jalna a source of starch
lo te jalna a composition of starch
jalra x1 is a cockroach of species x2
lo jalra a cockroach
lo se jalra a species of cockroach
jamfu x1 is a foot of x2
lo jamfu a foot
lo se jamfu something with a foot
jamna x1 wars against x2 over x3
lo jamna something at war
lo se jamna something at war with
lo te jamna a reason for war
janbe x1 is a bell or chime producing sound x2
lo janbe a bell
lo se janbe a sound of a bell
janco x1 is a joint attaching limb x2 to x3
lo janco a joint
lo se janco a limb with a joint
lo te janco something a limb is jointed to
janli x1 collides with or crashes into x2
lo janli something colliding
lo se janli something collided with
jansu x1 is a diplomat representing x2 in negotiation x3 for purpose x4
lo jansu a diplomat
lo se jansu something a diplomat represents
lo te jansu a diplomatic negotiation
lo ve jansu a purpose of a diplomat
janta x1 is a bill for x2 billed to x3 by x4
lo janta a bill
lo se janta something billed
lo te janta something that receives a bill
lo ve janta something that sends a bill
jarbu x1 is a suburban area of x2
lo jarbu a suburban area
lo se jarbu something with a suburban area
jarco x1 demonstrates or shows x2 to x3
lo jarco a demonstrater
lo se jarco something demonstrated
lo te jarco an audience of a demonstration
jarki x1 is narrow in dimension x2 by standard x3
lo jarki something narrow
lo se jarki a narrow dimension
lo te jarki a standard of narrowness
jaspu x1 is a passport issued to x2 by x3 allowing x4
lo jaspu a passport
lo se jaspu something with a passport
lo te jaspu a passport issuer
lo ve jaspu an activity allowed by a passport
jatna x1 is a commander or leader of x2
lo jatna a commander
lo se jatna something commanded
javni x1 is a rule mandating x2 within system x3
lo javni a rule
lo se javni something mandated by a rule
lo te javni a system with a rule
jbama x1 is a bomb with explosive x2
lo jbama a bomb
lo se jbama an explosive of a bomb
jbari x1 is a berry of plant x2
lo jbari a berry
lo se jbari a species of berry
jbena x1 is born to x2 at time x3 and place x4
lo jbena something born
lo se jbena something that gives birth
lo te jbena a time of birth
lo ve jbena a place of birth
jbera x1 borrows x2 from x3 for interval x4
lo jbera a borrower
lo se jbera something borrowed
lo te jbera something from which something is borrowed
lo ve jbera an interval for which something is borrowed
jbini x1 is between x2 in property x3
lo jbini something between
lo se jbini something to which something is between
lo te jbini a betweenness property
jdari x1 is firm or resistant to force x2 under conditions x3
lo jdari something firm
lo se jdari a force something is firm against
lo te jdari a firmness condition
jdice x1 makes decision x2 about x3
lo jdice a decider
lo se jdice a decision
lo te jdice a matter of decision
jdika x1 decreases in x2 by amount x3
lo jdika something decreasing
lo se jdika a decreasing property
lo te jdika an amount of decrease
jdima x1 is the price of x2 to x3 set by x4
lo jdima a price
lo se jdima something with a price
lo te jdima something that purchases something for a price
lo ve jdima something that sets a price
jdini x1 is money issued by x2
lo jdini money
lo se jdini something issuing money
jduli x1 is a quantity of jelly of material x2
lo jduli a quantity of jelly
lo se jduli a composition of jelly
jecta x1 is a polity or state governing x2
lo jecta a polity
lo se jecta something governed by a polity
jeftu x1 is x2 weeks long by standard x3
lo jeftu something lasting weeks
lo se jeftu a number of weeks
lo te jeftu a standard of a week
jegvo x1 is Judean, Christian, or Moslem in aspect x2
lo jegvo something Judeo-Christian
lo se jegvo a Judeo-Christian aspect
jelca x1 burns at temperature x2 in atmosphere x3
lo jelca something that burns
lo se jelca a temperature at which something burns
lo te jelca an atmosphere in which something burns
jemna x1 is a gem of type x2 and material x3
lo jemna a gem
lo se jemna a gem type
lo te jemna a material of a gem
jenca x1 shocks or stuns x2
lo jenca something shocking
lo se jenca something shocked
jendu x1 is an axle on which x2 rotates, of material x3
lo jendu an axle
lo se jendu something rotating on an axle
lo te jendu a material of an axle
jenmi x1 is an army serving x2 in function x3
lo jenmi an army
lo se jenmi something served by an army
lo te jenmi an army function
jerna x1 earns salary or pay x2 for work x3
lo jerna an earner of salary
lo se jerna a salary
lo te jerna a salaried work
jersi x1 chases x2
lo jersi a chaseer
lo se jersi something chased
jerxo x1 is Algerian in aspect x2
lo jerxo something Algerian
lo se jerxo an Algerian aspect
jesni x1 is a needle of material x2
lo jesni a needle
lo se jesni a material of a needle
jetce x1 is a jet of material x2 expelled from x3
lo jetce a jet
lo se jetce a material of a jet
lo te jetce a jet source
jetnu x1 is true by standard x2
lo jetnu something true
lo se jetnu a standard for truth
jgalu x1 is a claw of x2
lo jgalu a claw
lo se jgalu something with a claw
jganu x1 is an angle from vertex x2 subtended by lateral x3
lo jganu an angle
lo se jganu a vertex of an angle
lo te jganu an angle segment
jgari x1 holds or clutches x2 using x3 at location x4
lo jgari a holder
lo se jgari something held
lo te jgari something used to hold
lo ve jgari a location of hold
jgena x1 is a knot in x2
lo jgena a knot
lo se jgena something with a knot
jgina x1 is a gene of x2 determining trait x3
lo jgina a gene
lo se jgina something described by gene
lo te jgina a gene trait
jgira x1 feels pride in x2
lo jgira something proud
lo se jgira something causing pride
jgita x1 is a stringed musical instrument with plectrum or bow x2
lo jgita a stringed musical instrument
lo se jgita a stringed musical instrument's bow
jibni x1 is near or close to x2 in property x3
lo jibni something near
lo se jibni something to which something is near
lo te jibni a nearness property
jibri x1 is a job of person x2
lo jibri a job
lo se jibri something with a job
jicla x1 stirs fluid x2
lo jicla a stirrer
lo se jicla something stirred
jicmu x1 is a basis of x2
lo jicmu a basis
lo se jicmu something with a basis
jijnu x1 intuits x2 about subject x3
lo jijnu an intuiter
lo se jijnu something intuited
lo te jijnu an intuition subject
jikca x1 interacts socially with x2
lo jikca an interacter
lo se jikca something interacted with
jikru x1 is a quantity of liquor distilled from x2
lo jikru a quantity of liquor
lo se jikru a source of liquor
jilka x1 is a quantity of alkali of composition x2
lo jilka a quantity of alkali
lo se jilka a composition of alkali
jilra x1 is envious or jealous of x2 about x3
lo jilra something envious
lo se jilra something envied
lo te jilra a cause of envy
jimca x1 is a branch of x2
lo jimca a branch
lo se jimca something with a branch
jimpe x1 understands x2 about x3
lo jimpe an understander
lo se jimpe something understood
lo te jimpe a subject of something understood
jimte x1 is a limit or border of x2 in property x3
lo jimte a limit
lo se jimte something with a limit
lo te jimte a property of a limit
jinci x1 are shears or scissors for cutting x2
lo jinci shears
lo se jinci something cut by shears
jinga x1 wins prize x2 from x3 in competition x4
lo jinga a winner
lo se jinga a prize won
lo te jinga something a prize is won from
lo ve jinga a competition with a winner
jinku x1 is a vaccine protecting x2 against x3 introduced by method x4
lo jinku a vaccine
lo se jinku something vaccinated
lo te jinku a disease prevented by vaccine
lo ve jinku a method of vaccination
jinme x1 is a quantity of metal of composition x2
lo jinme a quantity of metal
lo se jinme a composition of metal
jinru x1 is immersed or submerged in liquid x2
lo jinru something immersed
lo se jinru a liquid something is immersed in
jinsa x1 is clean of material x2 by standard x3
lo jinsa something clean
lo se jinsa a material something is clean of
lo te jinsa a cleanliness standard
jinto x1 is a well or spring of fluid x2 at location x3
lo jinto a well
lo se jinto a fluid in a well
lo te jinto a location of a well
jinvi x1 opines or thinks that x2 is true about x3 because x4
lo jinvi something with an opinion
lo se jinvi an opinion
lo te jinvi a subject of an opinion
lo ve jinvi a reason for an opinion
jinzi x1 is an innate or natural property of x2
lo jinzi something innate
lo se jinzi something with an innate property
jipci x1 is a chicken of species x2
lo jipci a chicken
lo se jipci a species of chicken
jipno x1 is a tip or point on object x2 at location x3
lo jipno a tip
lo se jipno something with a tip
lo te jipno a location of a tip
jirna x1 is a horn of x2
lo jirna a horn
lo se jirna something horned
jisra x1 is a quantity of juice from x2
lo jisra a quantity of juice
lo se jisra a source of juice
jitfa x1 is false by standard or epistemology x2
lo jitfa something false
lo se jitfa a standard of falseness
jitro x1 has control over x2 in x3
lo jitro a controller
lo se jitro something under control
lo te jitro a controlled activity
jivbu x1 weaves x2 from material x3
lo jivbu a weaver
lo se jivbu a woven product
lo te jivbu a yarn for weaving
jivna x1 competes with x2 in contest x3 for gain x4
lo jivna a competitor
lo se jivna an opponent in a competition
lo te jivna a competition
lo ve jivna a prize of a competition
jmaji x1 gathers at location x2 from locations x3
lo jmaji something gathering
lo se jmaji a location of a gathering
lo te jmaji an origin of a gathering
jmifa x1 is a shoal or reef of material x2 in body of water x3
lo jmifa a shoal
lo se jmifa a material of a shoal
lo te jmifa a body of water containing shoal
jmina x1 combines or adds x2 to x3 with result x4
lo jmina a combiner
lo se jmina something combined
lo te jmina something combined to
lo ve jmina a combination result
jmive x1 is alive by standard x2
lo jmive something alive
lo se jmive a standard of living
jordo x1 is Jordanian in aspect x2
lo jordo something Jordanian
lo se jordo a Jordanian aspect
jorne x1 is joined to x2 at location x3
lo jorne something joined
lo se jorne something joined to
lo te jorne a location of a join
jubme x1 is a table made of x2 with support x3
lo jubme a table
lo se jubme a material of table
lo te jubme a table support
judri x1 is an address of x2 in system x3
lo judri an address
lo se judri something with an address
lo te judri a system defining an address
jufra x1 is a sentence or statement about x2 in language x3
lo jufra a sentence
lo se jufra a sentence topic
lo te jufra a language of a sentence
jukni x1 is a spider of species x2
lo jukni a spider
lo se jukni a species of spider
jukpa x1 cooks or prepares food x2 by recipe x3
lo jukpa a cooker
lo se jukpa a cooked food
lo te jukpa a recipe for cooking
julne x1 is a filter passing x2 and prohibiting x3 with netting properties x4
lo julne a filter
lo se julne something passed by filter
lo te julne something blocked by filter
lo ve julne a filter property
jundi x1 pays attention to x2
lo jundi something attentive
lo se jundi an object of attention
jungo x1 is Chinese in aspect x2
lo jungo something Chinese
lo se jungo a Chinese aspect
junla x1 is a timer or clock measuring time units x2 to precision x3 with method x4
lo junla a timer
lo se junla a unit of time
lo te junla a timing precision
lo ve junla a timing method
junri x1 is earnest or serious about x2
lo junri something serious
lo se junri a topic of seriousness
junta x1 is the weight of x2 in field x3
lo junta a weight
lo se junta something with weight
lo te junta a weight-producing field
jurme x1 is a bacteria or germ of species x2
lo jurme a bacteria
lo se jurme a species of bacteria
jursa x1 is harsh or severe to x2
lo jursa something harsh
lo se jursa something experiencing harshness
jutsi x1 is a species of genus x2, family x3, etc.
lo jutsi a species
lo se jutsi a genus of a species
lo te jutsi a family of a species
juxre x1 is clumsy by standard x2
lo juxre something clumsy
lo se juxre a clumsiness standard
jvinu x1 is a view of x2 from point of view x3
lo jvinu a view
lo se jvinu something viewed
lo te jvinu a viewpoint
kabri x1 is a cup or mug containing x2 made of x3
lo kabri a cup
lo se kabri a content of a cup
lo te kabri a material of a cup
kacma x1 is a camera recording illumination type x2 images to medium x3
lo kacma a camera
lo se kacma an image type recorded by camera
lo te kacma a photographic medium used in a camera
kadno x1 is Canadian in aspect x2
lo kadno something Canadian
lo se kadno a Canadian aspect
kafke x1 coughs or burps gas x2 from orifice x3
lo kafke a cougher
lo se kafke something coughed
lo te kafke a coughing orifice
kagni x1 is a company or corporation chartered by authority x2 for purpose x3
lo kagni a company
lo se kagni an authority chartering a company
lo te kagni a purpose of a company
kajde x1 warns x2 of danger x3
lo kajde a warner
lo se kajde someting warned
lo te kajde a danger warned of
kajna x1 is a shelf or counter on x2 for purpose x3
lo kajna a shelf
lo se kajna something supported by a shelf
lo te kajna a purpose of a shelf
kakne x1 is capable of doing x2 under conditions x3
lo kakne something capable
lo se kakne something capable of being done
lo te kakne a condition for capability
kakpa x1 digs x2 out of x3 with x4
lo kakpa a digger
lo se kakpa something dug
lo te kakpa something dug from
lo ve kakpa a digging tool
kalci x1 is excrement or feces of x2
lo kalci excrement
lo se kalci something producing excrement
kalri x1 is open to x2 by x3
lo kalri something open
lo se kalri something given access to open portal
lo te kalri something allowing access to open portal
kalsa x1 is chaotic in x2
lo kalsa something chaotic
lo se kalsa a chaotic property
kalte x1 hunts prey x2 for purpose x3
lo kalte a hunter
lo se kalte somethuing hunted
lo te kalte a purpose of a hunt
kamju x1 is a column of material x2
lo kamju a pillar
lo se kamju a material of a pillar
kamni x1 is a committee with task x2 of body x3
lo kamni a committee
lo se kamni a purpose of a committee
lo te kamni something with a committee
kampu x1 is common among x2
lo kampu something common or general
lo se kampu a group with something common
kanba x1 is a goat of species x2
lo kanba a goat
lo se kanba a species of goat
kancu x1 counts the number in set x2 to be x3 by units x4
lo kancu a counter
lo se kancu a counted set
lo te kancu a count result
lo ve kancu a count unit
kandi x1 is dim or non-intense in property x2 received by x3
lo kandi something dim
lo se kandi a property of dimness
lo te kandi a measurer of dimness
kanji x1 calculates x2 from data x3 by process x4
lo kanji a calculater
lo se kanji a calculated value
lo te kanji data for calculation
lo ve kanji a calculation process
kanla x1 is an eye of x2
lo kanla an eye
lo se kanla something with an eye
kanro x1 is healthy or well by standard x2
lo kanro something healthy
lo se kanro a standard of health
kansa x1 accompanies x2 in x3
lo kansa an accompanier
lo se kansa something accompanied
lo te kansa a circumstance of accompaniment
kantu x1 is a quantum particle of property x2
lo kantu a quantum particle
lo se kantu a property of a quantum particle
kanxe x1 is a conjunction stating that x2 and x3 are both true
lo kanxe a conjunction
lo se kanxe a component of a conjunction
lo te kanxe a conjunction element
karbi x1 compares x2 with x3 in property x4 determining comparison x5
lo karbi a comparer
lo se karbi something compared
lo te karbi something compared with
lo ve karbi a compared property
lo xe karbi a comparison
karce x1 is a car or other vehicle for carrying x2 propelled by x3
lo karce a car
lo se karce something carried in a car
lo te karce a car engine
karda x1 is a card of material x2 and shape x3
lo karda a card
lo se karda a material of a card
lo te karda a card shape
kargu x1 is expensive to x2 by standard x3
lo kargu something expensive
lo se kargu something to which something is expensive
lo te kargu a standard of expensiveness
karli x1 is a collar or band surrounding x2 of material x3
lo karli a collar
lo se karli something surrounded by a collar
lo te karli a material of a collar
karni x1 is a journal or magazine with content x2 published by x3 for audience x4
lo karni a journal
lo se karni a journal contents
lo te karni a journal publisher
lo ve karni a journal audience
katna x1 cuts x2 into pieces x3
lo katna a cutter
lo se katna something cut
lo te katna a piece resulting from a cut
kavbu x1 captures x2 with trap x3
lo kavbu a capturer
lo se kavbu something captured
lo te kavbu a trap used for capture
kecti x1 feels sorry for x2 about x3
lo kecti something that feels sorry
lo se kecti something felt sorry for
lo te kecti something felt sorry about
kelci x1 plays with toy x2
lo kelci a player
lo se kelci a toy played with
kelvo x1 is x2 degrees Kelvin by standard x3
lo kelvo something measured in Kelvins
lo se kelvo a number of Kelvins
lo te kelvo a Kelvin standard
kenra x1 is a cancer in x2
lo kenra a cancer
lo se kenra something cancerous
kensa x1 is outer space near x2
lo kensa outer space
lo se kensa a location in outer space
kerfa x1 is hair of x2 at x3
lo kerfa hair
lo se kerfa something with hair
lo te kerfa a location of hair
kerlo x1 is an ear of x2
lo kerlo an ear
lo se kerlo something with an ear
ketco x1 is South American in aspect x2
lo ketco something South American
lo se ketco a South American aspect
kevna x1 is a cavity or hole in x2
lo kevna a cavity
lo se kevna something with a cavity
kicne x1 cushions x2 with material x3
lo kicne a cushioner
lo se kicne something cushioned
lo te kicne a material of a cushion
kijno x1 is a quantity of oxygen
lo kijno a quantity of oxygen
kilto x1 is a thousand of x2 in dimension x3
lo kilto a thousand
lo se kilto something with thousands
lo te kilto a thousand aspect
kinli x1 is sharp at location x2
lo kinli something sharp
lo se kinli a location of sharpness
kisto x1 is Pakistani in aspect x2
lo kisto something Pakistani
lo se kisto a Pakistani aspect
klaji x1 is a street or alley at x2 accessing x3
lo klaji a street
lo se klaji a street location
lo te klaji something accessed by a street
klaku x1 weeps or cries tears x2 for reason x3
lo klaku a weeper
lo se klaku a tear wept
lo te klaku a reason for weeping
klama x1 goes to x2 from x3 via x4 using means x5
lo klama something going
lo se klama a destination gone to
lo te klama an origin gone from
lo ve klama a route gone by
lo xe klama a method of going
klani x1 is a quantity measured by x2 on scale x3
lo klani a quantity
lo se klani a measurer of a quantity
lo te klani a measurement scale of a quantity
klesi x1 is a subset or class of x2 defined by property x3
lo klesi a subset
lo se klesi something with a subset
lo te klesi a property of a subset
klina x1 is transparent or clear to x2
lo klina something transparent
lo se klina something to which something is transparent
kliru x1 is a quantity of halogen of type x2
lo kliru a quantity of halogen
lo se kliru a type of halogen
kliti x1 is a quantity of clay made of x2
lo kliti a quantity of clay
lo se kliti a material of clay
klupe x1 is a screw for purpose x2 with threads x3 and frame x4
lo klupe a screw
lo se klupe a purpose of a screw
lo te klupe a screw thread
lo ve klupe a frame of a screw
kluza x1 is loose on x2 at location x3
lo kluza something loose
lo se kluza something with something loose
lo te kluza a location of looseness
kobli x1 is a cabbage or lettuce of species x3
lo kobli a cabbage
lo se kobli a species of cabbage
kojna x1 is a corner in x2 of material x3
lo kojna a corner
lo se kojna something with a corner
lo te kojna a material of a corner
kolme x1 is a quantity of coal from source x2
lo kolme a quantity of coal
lo se kolme a source of coal
komcu x1 is a comb of material x2 with tines x3
lo komcu a comb
lo se komcu a material of a comb
lo te komcu a tine of a comb
konju x1 is a cone of material x2 with vertex x3
lo konju a cone
lo se konju a material of a cone
lo te konju a cone vertex
korbi x1 is an edge or border between x2 and x3
lo korbi an edge
lo se korbi something with an edge
lo te korbi something bordered by an edge
korcu x1 is bent or crooked
lo korcu something bent
korka x1 is a quantity of cork from tree x2
lo korka a quantity of cork
lo se korka a species of cork
kosta x1 is a jacket or sweater of material x2
lo kosta a jacket
lo se kosta a material of a jacket
kramu x1 is x2 non-metric area units in standard x3 with subunits x4
lo kramu something measured in non-metric area
lo se kramu an amount of non-metric area
lo te kramu a non-metric area standard
lo ve kramu a subunit of a non-metric area
krasi x1 is an origin or source of x2
lo krasi an origin
lo se krasi something with an origin
krati x1 represents x2 in function x3
lo krati something representing
lo se krati something represented
lo te krati a function of representation
krefu x1 is a recurrence of x2 happening for the x3:th time
lo krefu a recurrence
lo se krefu something that recurs
lo te krefu a number of a recurrence
krici x1 believes x2 is true about x3
lo krici a believer
lo se krici something believed
lo te krici a subject of a belief
krili x1 is quantity of crystal of composition x2 in arrangement x3
lo krili a quantity of crystal
lo se krili a composition of crystal
lo te krili an arrangement of crystal
krinu x1 is a justification or reason for x2
lo krinu a justification
lo se krinu something justified
krixa x1 yells or cries out x2
lo krixa a yeller
lo se krixa a yelled sound
kruca x1 intersects x2 at location x3
lo kruca something intersecting
lo se kruca something intersected
lo te kruca an intersection
kruji x1 is a quantity of cream of composition x2
lo kruji a quantity of cream
lo se kruji a composition of cream
kruvi x1 is a curve or bend in x2 at location x3 defined by x4
lo kruvi a curve
lo se kruvi something with a curve
lo te kruvi a location of a curve
lo ve kruvi a property defining a curve
kubli x1 is a cube of dimensions x2 and sides x3
lo kubli a cube
lo se kubli a cube dimension
lo te kubli a cube side
kucli x1 is curious about x2
lo kucli something curious
lo se kucli a subject of curiosity
kufra x1 is comfortable with x2
lo kufra something comfortable
lo se kufra something with which something is comfortable
kukte x1 is tasty or delicious to x2
lo kukte something tasty
lo se kukte something to which something is tasty
kulnu x1 is culture of x2
lo kulnu a culture
lo se kulnu something with a culture
kumfa x1 is a room in x2 surrounded by x3
lo kumfa a room
lo se kumfa something with a room
lo te kumfa a room partition
kumte x1 is a camel or llama of species x2
lo kumte a camel
lo se kumte a species of camel
kunra x1 is mineral or ore of x2 mined from x3
lo kunra a mineral
lo se kunra a type of mineral
lo te kunra a mineral mine
kunti x1 is empty of x2
lo kunti something empty
lo se kunti something that something is empty of
kurfa x1 is a right-angle with vertices x2 and dimensions x3
lo kurfa a right-angle
lo se kurfa a vertex of a right-angle
lo te kurfa a dimension of a right-angle
kurji x1 takes care of x2
lo kurji a caretaker
lo se kurji something taken care of
kurki x1 is bitter or acrid to x2
lo kurki something bitter
lo se kurki something to which something is bitter
kuspe x1 extends or reaches over x2
lo kuspe something extending over
lo se kuspe something extended over
kusru x1 is cruel to x2
lo kusru something cruel
lo se kusru a victim of cruelty
labno x1 is a wolf of species x2
lo labno a wolf
lo se labno a species of wolf
lacpu x1 pulls or drags x2 by handle x3
lo lacpu a puller
lo se lacpu something pulled
lo te lacpu something by which something is pulled
lacri x1 relies on or trusts x2 to do x3
lo lacri a relyer
lo se lacri something relied on
lo te lacri something on which something is relied to do
ladru x1 is a quantity of milk from x2
lo ladru a quantity of milk
lo se ladru a source of milk
lafti x1 lifts x2 at location x3 in gravity well x4
lo lafti a lifter
lo se lafti something lifted
lo te lafti a location of lifting
lo ve lafti a gravity against lift
lakne x1 is probable or likely under conditions x2
lo lakne something probable
lo se lakne a probability condition
lakse x1 is a quantity of wax from x2
lo lakse a quantity of wax
lo se lakse a source of wax
lalxu x1 is a lake or pool at site x2
lo lalxu a lake
lo se lalxu a lake location
lamji x1 is adjacent or next to x2 in property x3 in direction x4
lo lamji something adjacent
lo se lamji something to which something is adjacent
lo te lamji an adjacency property
lo ve lamji an adjacency direction
lanbi x1 is a quantity of protein of type x2 composed of amino acids x3
lo lanbi a quantity of protein
lo se lanbi a type of protein
lanci x1 is a flag or banner symbolizing x2 with pattern x3 on material x4
lo lanci a flag
lo se lanci something symbolised by a flag
lo te lanci a flag pattern
lo ve lanci a material of a flag
lanka x1 is a basket containing x2 made of x3
lo lanka a basket
lo se lanka a content of a basket
lo te lanka a material of a basket
lanli x1 analyzes x2 by method x3
lo lanli an analyser
lo se lanli something analysed
lo te lanli an analysis method
lanme x1 is a sheep of species x2 and flock x3
lo lanme a sheep
lo se lanme a species of sheep
lo te lanme a sheep's flock
lante x1 is a can for x2 made of x3
lo lante a can
lo se lante something canned
lo te lante a material of a can
lanxe x1 is in balance under forces x2
lo lanxe something balanced
lo se lanxe a balancing force
lanzu x1 is a family including x2 bonded by standard x3
lo lanzu a family
lo se lanzu a family member
lo te lanzu a standard defining a family
larcu x1 is an art of craft or skill x2
lo larcu an art
lo se larcu a craft of art
lasna x1 fastens or binds x2 to x3 with x4
lo lasna a fastener
lo se lasna a fastened
lo te lasna something fastened to
lo ve lasna something with which something is fastened
lastu x1 is a quantity of brass of composition x2
lo lastu a quantity of brass
lo se lastu a composition of brass
latmo x1 is Latin in aspect x2
lo latmo something Latin
lo se latmo a Latin aspect
latna x1 is a lotus of species x2 symbolizing x3 to culture x4
lo latna a lotus
lo se latna a species of lotus
lo te latna something symbolised by a lotus
lo ve latna a culture to which a lotus symbolizes something
lazni x1 is lazy concerning action x2
lo lazni something lazy
lo se lazni something lazily avoided
lebna x1 takes or seizes x2 from x3
lo lebna a taker
lo se lebna something taken
lo te lebna something from which something is taken
lenjo x1 is a lens focusing x2 to focus x3 by means x4
lo lenjo a lens
lo se lenjo something focused by a lens
lo te lenjo a focus of a lens
lo ve lenjo a material of a lens
lenku x1 is cold by standard x2
lo lenku something cold
lo se lenku a coldness standard
lerci x1 is late by standard x2
lo lerci something late
lo se lerci a lateness standard
lerfu x1 is a symbol in alphabet x2 representing x3
lo lerfu a symbol
lo se lerfu an alphabet with a symbol
lo te lerfu something represented by a symbol
libjo x1 is Libyan in aspect x2
lo libjo something Libyan
lo se libjo a Libyan aspect
lidne x1 precedes x2 in sequence x3
lo lidne a preceder
lo se lidne something preceded
lo te lidne a sequence something precedes in
lifri x1 experiences x2
lo lifri an experiencer
lo se lifri something experienced
lijda x1 is a religion of believers x2 sharing beliefs x3
lo lijda a religion
lo se lijda a religious believer
lo te lijda a religious belief
limna x1 swims in x2
lo limna a swimmer
lo se limna a fluid swum in
lindi x1 is lighting at x2 from x3
lo lindi lightning
lo se lindi a destination of lightning
lo te lindi a source of lightning
linji x1 is a line defined by points x2
lo linji a line
lo se linji a point defining a line
linsi x1 is a length of chain of material x2 with link properties x3
lo linsi a chain
lo se linsi a material of a chain
lo te linsi a property of a chain's link
linto x1 is lightweight by standard x2
lo linto something lightweight
lo se linto a lightness standard
lisri x1 is a story about x2 told by x3 to x4
lo lisri a story
lo se lisri a story plot
lo te lisri a storyteller
lo ve lisri a story audience
liste x1 is a list of x2 in order x3 in medium x4
lo liste a list
lo se liste a list sequence
lo te liste a list order
lo ve liste a list medium
litce x1 is x2 liters by standard x3
lo litce something measured in litres
lo se litce a number of litres
lo te litce a litre standard
litki x1 is liquid of material x2 under conditions x3
lo litki a liquid
lo se litki a material of a liquid
lo te litki a condition of liquidity
litru x1 travels via route x2 using means x3
lo litru a traveler
lo se litru a route of travel
lo te litru a method for travel
livga x1 is a liver of x2
lo livga a liver
lo se livga something with a liver
livla x1 is a fuel for powering x2
lo livla a fuel
lo se livla something powered by fuel
logji x1 is a logic for reasoning about x2
lo logji a logic system
lo se logji something reasoned about with logic
lojbo x1 is Lojbanic in aspect x2
lo lojbo something Lojbanic
lo se lojbo a Lojbanic aspect
loldi x1 is a floor or ground of x2
lo loldi a floor
lo se loldi something with a floor
lorxu x1 is a fox of species x2
lo lorxu a fox
lo se lorxu a species of fox
lubno x1 is Lebanese in aspect x2
lo lubno something Lebanese
lo se lubno a Lebanese aspect
lujvo x1 is a compound word meaning x2 with arguments x3 from phrase x4
lo lujvo a compound word
lo se lujvo a meaning of a compound word
lo te lujvo an argument of a compound word
lo ve lujvo a source metaphor of a compound word
lumci x1 washes x2 of contaminant x3 with x4
lo lumci a washer
lo se lumci something washed
lo te lumci a contaminant removed by washing
lo ve lumci a cleaning material for washing
lunbe x1 is naked or bare
lo lunbe something naked
lunra x1 is a moon or major natural satellite of planet x2
lo lunra a moon
lo se lunra a planet with a moon
lunsa x1 condenses into x2 at temperature x3 and pressure x4
lo lunsa something condensing
lo se lunsa a site of condensation
lo te lunsa a temperature of condensation
lo ve lunsa a pressure of condensation
mabla x1 is a derogative or vulgar form of x2 used by x3
lo mabla a derogative form
lo se mabla something derogated
lo te mabla a derogater
mabru x1 is mammal of species x2
lo mabru a mammal
lo se mabru a species of mammal
macnu x1 is manual in function x2 under conditions x3
lo macnu something manual
lo se macnu a manual function
lo te macnu a manual condition
makcu x1 is mature in quality x2
lo makcu something mature
lo se makcu a mature property
makfa x1 is magic or supernatural to x2 performed by x3
lo makfa something magical
lo se makfa something to which something is magical
lo te makfa a performer of magic
maksi x1 is magnetic producing field x2
lo maksi something magnetic
lo se maksi a magnetic field
malsi x1 is a church or temple of religion x2 at location x3
lo malsi a church
lo se malsi a religion of a church
lo te malsi a location of a church
mamta x1 is a mother of x2
lo mamta a mother
lo se mamta something with a mother
manci x1 feels awe or wonder about x2
lo manci a feeler of awe
lo se manci something awe-inspiring
manfo x1 is uniform in property x2
lo manfo something uniform
lo se manfo an uniform property
manku x1 is dark
lo manku something dark
manri x1 is a standard for observing x2 with rules x3
lo manri a standard
lo se manri something measured by a standard
lo te manri a rule of a standard
mansa x1 satisfies x2 in property x3
lo mansa something satisfying
lo se mansa something satisfied
lo te mansa a property of satisfaction
manti x1 is an ant of species x2
lo manti an ant
lo se manti a species of ant
mapku x1 is a hat, helmet, or other headgear of material x2
lo mapku a hat
lo se mapku a material of a hat
mapni x1 is a quantity of cotton
lo mapni a quantity of cotton
mapti x1 is compatible with or matches x2 by standard x3
lo mapti something compatible
lo se mapti something with which something is compatible
lo te mapti a standard of compatibility
marbi x1 is a shelter for x2 against threat x3
lo marbi a shelter
lo se marbi something sheltered
lo te marbi a threat sheltered against
marce x1 is a vehicle carrying x2 in or on x3 propelled by x4
lo marce a vehicle
lo se marce something carried by a vehicle
lo te marce a surface for a vehicle
lo ve marce a propulsion of a vehicle
marde x1 are the ethices of x2 about situation x3
lo marde an ethic
lo se marde something with an ethic
lo te marde a situation with an ethic
margu x1 is a quantity of mercury
lo margu a quantity of mercury
marji x1 is material of type x2 in shape x3
lo marji matter
lo se marji a composition of matter
lo te marji a shape of matter
marna x1 is a quantity of hemp of species x2
lo marna a quantity of hemp
lo se marna a species of hemp
marxa x1 crushes or smashes x2 into x3
lo marxa a crusher
lo se marxa something crushed
lo te marxa a result of crushing
masno x1 is slow at doing x2
lo masno something slow
lo se masno something achieved slowly
masti x1 is x2 months long by standard x3
lo masti a measured in months
lo se masti a number of months
lo te masti a month standard
matci x1 is a mat or pad of material x2
lo matci a mat
lo se matci a material of a mat
matli x1 is a quantity of linen
lo matli a quantity of linen
matne x1 is a quantity of butter from x2
lo matne a quantity of butter
lo se matne a source of butter
matra x1 is an engine driving x2
lo matra an engine
lo se matra something powered by engine
mavji x1 is a quantity of oats of species x2
lo mavji a quantity of oats
lo se mavji a species of oats
maxri x1 is a quantity of wheat of species x2
lo maxri a quantity of wheat
lo se maxri a species of wheat
mebri x1 is a brow or forehead of x2
lo mebri a brow
lo se mebri something with a brow
megdo x1 is a million of x2 in dimension or aspect x3
lo megdo a million
lo se megdo something with a million
lo te megdo an aspect of a million
mekso x1 is a mathematical expression under rules x2
lo mekso a math expression
lo se mekso a math rule
melbi x1 is beautiful to x2 in aspect x3 by standard x4
lo melbi something beautiful
lo se melbi an observer of beauty
lo te melbi an aspect of beauty
lo ve melbi a standard of beauty
meljo x1 is Malaysian in aspect x2
lo meljo something Malaysian
lo se meljo a Malaysian aspect
menli x1 is a mind of body x2
lo menli a mind
lo se menli something with a mind
mensi x1 is a sister of x2 by bond x3
lo mensi a sister
lo se mensi something with a sister
lo te mensi a bond of sisterhood
mentu x1 is x2 minutes long by standard x3
lo mentu something with a duration in minutes
lo se mentu a number of minutes
lo te mentu a standard of minutes
merko x1 is U.S.American in aspect x2
lo merko something American
lo se merko an American aspect
merli x1 measures x2 as x3 units on scale x4 with accuracy x5
lo merli a measureer
lo se merli something measured
lo te merli a measurement
lo ve merli a measurement scale
lo xe merli a measurement accuracy
mexno x1 is Mexican in aspect x2
lo mexno something Mexican
lo se mexno a Mexican aspect
midju x1 is at the middle of x2
lo midju something at a middle
lo se midju something with a middle
mifra x1 is an encryption of x2 made using cipher x3
lo mifra something encrypted
lo se mifra something not encrypted
lo te mifra a method of ecryption
mikce x1 cures or treats x2 for ailment x3 with x4
lo mikce a curer
lo se mikce something cured
lo te mikce an ailment to be cured
lo ve mikce a cure
mikri x1 is a millionth of x2 in dimension x3
lo mikri a millionth
lo se mikri something with millionths
lo te mikri a millionth aspect
milti x1 is a thousandth of x2 in dimension x3
lo milti a thousandth
lo se milti something with thousandths
lo te milti a thousandth aspect
milxe x1 is mild in property x2
lo milxe something mild
lo se milxe a mild property
minde x1 commands or orders x2 to x3
lo minde a commander
lo se minde something commanded
lo te minde a purpose of a command
minji x1 is a machine for x2
lo minji a machine
lo se minji a function of machine
minli x1 is x2 non-metric long distance units with subunits x3 in standard x4
lo minli something measured in non-metric long distance
lo se minli an amount of non-metric long distance
lo te minli a subunit of a non-metric long distance
lo ve minli a non-metric long distance standard
minra x1 reflects or echoes x2 to observer x3 as x4
lo minra a reflecter
lo se minra something reflected
lo te minra an observer of a reflection
lo ve minra a form of reflection
mintu x1 is identical to x2 by standard x3
lo mintu something identical
lo se mintu something to which something is identical
lo te mintu a standard for being identical
mipri x1 keeps x2 hidden from x3 by method x4
lo mipri a concealer
lo se mipri something concealed
lo te mipri something from which something is concealed
lo ve mipri a method of concealment
mirli x1 is a deer of species x3
lo mirli a deer
lo se mirli a species of deer
misno x1 is famous among x2
lo misno something famous
lo se misno something to which something is famous
misro x1 is Egyptian in aspect x2
lo misro something Egyptian
lo se misro an Egyptian aspect
mitre x1 is x2 meters in direction x3 by standard x4
lo mitre something measured in metres
lo se mitre a number of metres
lo te mitre a metre direction
lo ve mitre a metre standard
mixre x1 is a mixture including x2
lo mixre a mixture
lo se mixre an ingredient of a mixture
mlana x1 is aside x2, facing x3, in reference frame x4
lo mlana something aside something
lo se mlana something to which something is aside
lo te mlana a direction something aside is facing
lo ve mlana a reference frame in which something is aside
mlatu x1 is a cat of species x2
lo mlatu a cat
lo se mlatu a species of cat
mleca x1 is less than x2 in property x3 by amount x4
lo mleca something which is less than something
lo se mleca something to which something is less than
lo te mleca a property in which something is less than
lo ve mleca an amount something is less than by
mledi x1 is a mould or fungus of species x2 growing on x3
lo mledi a mould
lo se mledi a species of mould
lo te mledi something mould grows on
mluni x1 is a satellite orbiting x2 with characteristics x3 and orbital parameters x4
lo mluni a moon
lo se mluni something orbited by a moon
lo te mluni a characteristic of a moon
lo ve mluni an orbital parameter of a moon
mokca x1 is an instant at time or place x2
lo mokca an instant
lo se mokca a place with an instant
moklu x1 is a mouth of x2
lo moklu a mouth
lo se moklu something with a mouth
molki x1 is an industrial plant or mill performing x2
lo molki an industrial plant
lo se molki an industrial process
molro x1 is x2 moles by standard x3
lo molro something measured in moles
lo se molro a number of moles
lo te molro a mole standard
morji x1 remembers x2 about subject x3
lo morji a rememberer
lo se morji something remembered
lo te morji a remembered subject
morko x1 is Moroccan in aspect x2
lo morko something Moroccan
lo se morko a Moroccan aspect
morna x1 is a pattern of x2 arranged according to x3
lo morna a pattern
lo se morna something with a pattern
lo te morna a pattern structure
morsi x1 is dead
lo morsi something dead
mosra x1 is friction due to rubbing between x2 and x3
lo mosra friction
lo se mosra something causing friction by rubbing
lo te mosra something rubbed to cause friction
mraji x1 is a quantity of rye of species x2
lo mraji a quantity of rye
lo se mraji a species of rye
mrilu x1 mails or posts x2 to x3 from x4 by x5
lo mrilu a mailer
lo se mrilu something mailed
lo te mrilu a destination of a mail
lo ve mrilu an origin of a mail
lo xe mrilu a mailing system
mruli x1 is a hammer for x2 with head x3 propelled by x4
lo mruli a hammer
lo se mruli something hammered
lo te mruli a head of a hammer
lo ve mruli a propellant of a hammer
mucti x1 is immaterial or not physical
lo mucti something immaterial
mudri x1 is a quantity of wood of type x2
lo mudri a quantity of wood
lo se mudri a species of wood
mukti x1 is a motive for the event x2 caused by x3
lo mukti a motive
lo se mukti a motivated event
lo te mukti something motivated
mulno x1 is complete in x2 by standard x3
lo mulno something complete
lo se mulno a property of completeness
lo te mulno a standard for completeness
munje x1 is a universe of x2 defined by x3
lo munje a universe
lo se munje a domain of a universe
lo te munje a definition of a universe
mupli x1 is an example of common property x2 of set x3
lo mupli an example
lo se mupli a common property of an example
lo te mupli a set with an example
murse x1 is the twilight, dawn, or dusk of day x2 at location x3
lo murse twilight
lo se murse a day with twilight
lo te murse a location of twilight
murta x1 is a curtain for covering x2 made of x3
lo murta a curtain
lo se murta something obscured by a curtain
lo te murta a material of a curtain
muslo x1 is Islamic or Moslem in aspect x2
lo muslo something Islamic
lo se muslo an Islamic aspect
mutce x1 is extreme in x2 towards extreme x3
lo mutce something extreme
lo se mutce a property of extremeness
lo te mutce an extreme
muvdu x1 moves to x2 from x3 over route x4
lo muvdu something moving
lo se muvdu a destination of movement
lo te muvdu an origin of movement
lo ve muvdu a route of movement
muzga x1 is a museum for preserving x2 at location x3
lo muzga a museum
lo se muzga something preserved at a museum
lo te muzga a location of a museum
nabmi x1 is a problem to x2 in situation x3
lo nabmi a problem
lo se nabmi something encountering problem
lo te nabmi a problem situation
nakni x1 is a male of species x2 with masculine traits x3
lo nakni a male
lo se nakni a species of male
lo te nakni a male trait
nalci x1 is a wing of x2
lo nalci a wing
lo se nalci something with a wing
namcu x1 is a number or value
lo namcu a number
nanba x1 is a quantity of bread from grains x2
lo nanba a quantity of bread
lo se nanba a source of bread
nanca x1 is x2 years long by standard x3
lo nanca something measured in years
lo se nanca a number of years
lo te nanca a standard of a year
nandu x1 is difficult or challenging for x2 under conditions x3
lo nandu something difficult
lo se nandu something with a difficulty
lo te nandu a condition for a difficulty
nanla x1 is a boy of age x2 immature by standard x3
lo nanla a boy
lo se nanla an age of a boy
lo te nanla a standard of boyhood
nanmu x1 is a man
lo nanmu a man
nanvi x1 is a billionth or 10 to the negative ninth of x2 in dimension or aspect x3
lo nanvi a billionth
lo se nanvi something with billionths
lo te nanvi a billionth aspect
narge x1 is a nut from plant x2 with shell x3 and core x4
lo narge a nut
lo se narge a species of nut
lo te narge a nut shell
lo ve narge a nut kernel
narju x1 is orange
lo narju something orange
natfe x1 contradicts or denies x2 under logic x3
lo natfe a contradicter
lo se natfe something contradicted
lo te natfe a logic used to contradict
natmi x1 is nation or ethnic group of people x2
lo natmi a nation
lo se natmi a people of a nation
navni x1 is a quantity of inert gas of type x2
lo navni a quantity of inert gas
lo se navni a type of inert gas
naxle x1 is a channel or canal to x2 from x3 with route x4
lo naxle a channel
lo se naxle a channel destination
lo te naxle a channel origin
lo ve naxle a channel route
nazbi x1 is the nose of x2 with nostrils x3
lo nazbi a nose
lo se nazbi something with a nose
lo te nazbi a nasal passage
nejni x1 is energy of type x2 in form x3
lo nejni energy
lo se nejni a type of energy
lo te nejni a form of energy
nelci x1 likes x2
lo nelci a liker
lo se nelci something liked
nenri x1 is inside x2
lo nenri something inside of something
lo se nenri something with something inside
nibli x1 implies x2 under rules x3
lo nibli an implier
lo se nibli an implication
lo te nibli a rule of an implication
nicte x1 is a nighttime of day x2 at location x3
lo nicte a night-time
lo se nicte a day with a night
lo te nicte a location of night
nikle x1 is a quantity of nickel
lo nikle a quantity of nickel
nilce x1 is furniture at x2 for purpose x3
lo nilce furniture
lo se nilce something furnished
lo te nilce a purpose of furniture
nimre x1 is a quantity of citrus of species x2
lo nimre a quantity of citrus
lo se nimre a species of citrus
ninmu x1 is a woman
lo ninmu a woman
nirna x1 is a nerve or neuron of x2
lo nirna a nerve
lo se nirna something with a nerve
nitcu x1 needs x2 for x3
lo nitcu something with a need
lo se nitcu something needed
lo te nitcu a purpose of a need
nivji x1 knits x2 from yarn x3
lo nivji a knitter
lo se nivji something knitted
lo te nivji a yarn for knitting
nixli x1 is a girl of age x2 immature by standard x3
lo nixli a girl
lo se nixli an age of a girl
lo te nixli a standard of girlhood
nobli x1 is noble by standard x2
lo nobli a noble
lo se nobli a standard of nobility
notci x1 is a message about x2 from author x3 to x4
lo notci a message
lo se notci a message subject
lo te notci a message author
lo ve notci a message audience
nukni x1 is magenta
lo nukni something magenta
nupre x1 promises or threatens to do x2 to x3
lo nupre a promiser
lo se nupre something promised
lo te nupre something receiving a promise
nurma x1 is a rural area of x2
lo nurma a rural area
lo se nurma something with a rural area
nutli x1 is neutral in matter x2
lo nutli something neutral
lo se nutli a scale of neutrality
nuzba x1 is news about x2 from x3 to x4
lo nuzba news
lo se nuzba a subject of news
lo te nuzba a source of news
lo ve nuzba a observer of news
pacna x1 hopes for x2 with likelihood x3
lo pacna a hoper
lo se pacna something hoped for
lo te pacna a likelihood of something hoped for
pagbu x1 is a part or piece of x2
lo pagbu a part
lo se pagbu something with a part
pagre x1 penetrates barrier x2 to x3 from x4
lo pagre a penetrater
lo se pagre something penetrated
lo te pagre a destination of penetration
lo ve pagre an origin of penetration
pajni x1 judges matter x2
lo pajni a judge
lo se pajni a matter judged
palci x1 is wicked or evil by standard x2
lo palci something wicked
lo se palci a wickedness standard
palku x1 are pants or trousers of material x2
lo palku trousers
lo se palku a material of trousers
palne x1 is a tray or platter with contents x2, made of material x3
lo palne a tray
lo se palne a content of a tray
lo te palne a material of a tray
palta x1 is a plate or saucer made of material x2
lo palta a plate
lo se palta a material of a plate
pambe x1 is a pump inserting fluid x2 to x3 from x4 by means x5
lo pambe a pump
lo se pambe something pumped
lo te pambe a pumping destination
lo ve pambe a pumping origin
lo xe pambe a pumping means
panci x1 is an smell or fragrance emitted by x2 detected by x3
lo panci a smell
lo se panci something emitting a smell
lo te panci something detecting a smell
pandi x1 punctuates x2 with symbol or word x3 with effect x4
lo pandi a punctuater
lo se pandi something punctuated
lo te pandi a punctuation
lo ve pandi an effect of punctuation
panje x1 is a quantity of sponge
lo panje a quantity of sponge
panka x1 is a park or preserve managed by x2 for purpose x3
lo panka a park
lo se panka a manager of a park
lo te panka a purpose of a park
panlo x1 is a slice of x2
lo panlo a slice
lo se panlo something sliced
panpi x1 is at peace with x2
lo panpi something at peace
lo se panpi something at peace with
panra x1 parallels x2 differing only in x3 by standard x4
lo panra something parallel to something
lo se panra something to which something is parallel
lo te panra a property in which something parallel is different
lo ve panra a standard of parallelness
pante x1 protests or complains about x2 to x3 with action x4
lo pante a protester
lo se pante a subject of protest
lo te pante a audience of protest
lo ve pante a action of protest
panzi x1 is a child of x2
lo panzi an offspring
lo se panzi something with a offspring
papri x1 is a page of book or document x2
lo papri a page
lo se papri something with a page
parbi x1 is a ratio of x2 with respect to quantity x3
lo parbi a ratio
lo se parbi something with a ratio
lo te parbi a reference of a ratio
pastu x1 is a robe or gown of material x2
lo pastu a robe
lo se pastu a material of a robe
patfu x1 is a father of x2
lo patfu a father
lo se patfu something with a father
patlu x1 is a potato of species x2
lo patlu a potato
lo se patlu a species of potato
patxu x1 is a pot or sink for contents x2 of material x3
lo patxu a pot
lo se patxu a content of a pot
lo te patxu a material of a pot
pelji x1 is paper from source x2
lo pelji a paper
lo se pelji a source of paper
pelxu x1 is yellow
lo pelxu something yellow
pemci x1 is a poem about x2 by x3 for x4
lo pemci a poem
lo se pemci a subject of a poem
lo te pemci a writer of a poem
lo ve pemci an audience of a poem
penbi x1 is a pen using ink x2 applied by process x3
lo penbi a pen
lo se penbi a pen ink
lo te penbi an ink application process of a pen
pencu x1 touches x2 with x3 at x4
lo pencu a toucher
lo se pencu something touched
lo te pencu a touching implement
lo ve pencu a location of a touch
pendo x1 is a friend to x2
lo pendo a friend
lo se pendo something with a friend
penmi x1 encounters or meets x2 at x3
lo penmi an encounterer
lo se penmi something encountered
lo te penmi a location of an encounter
pensi x1 considers or ponders x2
lo pensi a considerer
lo se pensi a considered subject
perli x1 is a pear of species x2
lo perli a pear
lo se perli a species of pear
pesxu x1 is paste or dough of composition x2
lo pesxu a paste
lo se pesxu a composition of paste
petso x1 is 10 to the fifteenth of x2 in dimension or aspect x3
lo petso a 10 to the fifteenth
lo se petso something with 10 to the fifteenths
lo te petso a 10 to the fifteenth aspect
pezli x1 is a leaf of plant x2
lo pezli a leaf
lo se pezli a plant with a leaf
picti x1 is 10 to the negative twelfth of x2 in dimension x3
lo picti a 10 to the negative twelfth
lo se picti something with 10 to the negative twelfths
lo te picti a 10 to the negative twelfth aspect
pijne x1 is a pin for piercing x2 of material x3
lo pijne a pin
lo se pijne something pierced by a pin
lo te pijne a material of a pin
pikci x1 pleads or begs x2 for x3
lo pikci a pleader
lo se pikci something receiving a plea
lo te pikci a reason for a plea
pikta x1 is a ticket entitling x2 to x3 under conditions x4
lo pikta a ticket
lo se pikta a ticket holder
lo te pikta something entitled by a ticket
lo ve pikta a privilege condition of a ticket
pilji x1 is the product of x2 multiplied by x3
lo pilji a product
lo se pilji something multiplied
lo te pilji something multiplied by
pilka x1 is a crust or skin of x2
lo pilka a crust
lo se pilka something with a crust
pilno x1 uses x2 for purpose x3
lo pilno an user
lo se pilno something used
lo te pilno a purpose something is used for
pimlu x1 is a feather of x2
lo pimlu a feather
lo se pimlu something with a feather
pinca x1 is urine of x2
lo pinca urine
lo se pinca something with urine
pindi x1 is poor or lacking in x2
lo pindi something poor
lo se pindi something of which something is poor
pinfu x1 is a prisoner of x2 restrained by x3
lo pinfu a prisoner
lo se pinfu something with a prisoner
lo te pinfu a means of imprisonment
pinji x1 is a clitoris or penis of x2
lo pinji a penis
lo se pinji something with a penis
pinka x1 is a comment about x2 made by x3 to x4
lo pinka a comment
lo se pinka a subject of a comment
lo te pinka an expresser of a comment
lo ve pinka an audience for a comment
pinsi x1 is a pencil or crayon with marking material x2 supported by x3
lo pinsi a pencil
lo se pinsi a lead of a pencil
lo te pinsi a material of a pencil
pinta x1 is level or flat in frame of reference x2
lo pinta something level
lo se pinta a frame of reference of levelness
pinxe x1 drinks x2 out of x3
lo pinxe a drinker
lo se pinxe something drunk
lo te pinxe a drinking vessel
pipno x1 is a piano or other keyboard musical instrument
lo pipno a keyboard instrument
pixra x1 is a picture of x2 made by x3 in medium x4
lo pixra a picture
lo se pixra something shown by a picture
lo te pixra an artist of a picture
lo ve pixra an art medium of a picture
plana x1 is fat or obese by standard x2
lo plana something fat
lo se plana an standard of fatness
platu x1 plans x2 for x3
lo platu a planner
lo se platu a plan
lo te platu something planned
pleji x1 pays x2 to x3 for x4
lo pleji a payer
lo se pleji a payment
lo te pleji a payee
lo ve pleji something paid for
plibu x1 is the pubic area of x2
lo plibu a pubic area
lo se plibu something with a pubic area
plini x1 is a planet around x2 with characteristics x3 and orbital parameters x4
lo plini a planet
lo se plini something a planet orbits
lo te plini a characteristic of a planet
lo ve plini an orbital parameter of a planet
plipe x1 jumps to x2 from x3 reaching height x4 propelled by x5
lo plipe a leaper
lo se plipe a destination of a leap
lo te plipe an origin of a leap
lo ve plipe a height of a jump
lo xe plipe a propulsion of a jump
plise x1 is an apple of species x2
lo plise an apple
lo se plise a species of apple
plita x1 is a plane defined by points x2
lo plita a plane
lo se plita a point defining a plane
plixa x1 plows x2 with tool x3 propelled by x4
lo plixa a plougher
lo se plixa something ploughed
lo te plixa a plough
lo ve plixa a propulsion of a plough
pluja x1 is complex in x2 by standard x3
lo pluja something complex
lo se pluja a complex property
lo te pluja a standard of complexity
pluka x1 pleases x2 under conditions x3
lo pluka something pleasant
lo se pluka something pleased
lo te pluka a condition of pleasure
pluta x1 is a route to x2 from x3 via points x4
lo pluta a route
lo se pluta a destination of a route
lo te pluta an origin of a route
lo ve pluta a point on a route
polje x1 folds x2 at location x3
lo polje a folder
lo se polje something folded
lo te polje a fold
polno x1 is Polynesian in aspect x2
lo polno something Polynesian
lo se polno a Polynesian aspect
ponjo x1 is Japanese in aspect x2
lo ponjo something Japanese
lo se ponjo a Japanese aspect
ponse x1 possesses or owns x2 under law x3
lo ponse a possesser
lo se ponse something possessed
lo te ponse a law defining possession
porpi x1 breaks or shatters into pieces x2
lo porpi something broken
lo se porpi a piece of something broken
porsi x1 is ordered by rules x2 on unordered set x3
lo porsi something ordered
lo se porsi a rule of ordering
lo te porsi something unordered
porto x1 is Portuguese in aspect x2
lo porto something Portuguese
lo se porto a Portuguese aspect
prali x1 is a profit or benefit to x2 resulting from x3
lo prali a profit
lo se prali something to which something is a profit
lo te prali a profitable activity
prami x1 loves x2
lo prami a lover
lo se prami something loved
prane x1 is perfect or ideal in x2
lo prane something perfect
lo se prane a property of perfection
preja x1 spreads over x2 from initial state x3
lo preja something spread
lo se preja an area something is spread over
lo te preja a state before spreading
prenu x1 is a person
lo prenu a person
preti x1 is a question about x2 asked by x3 to x4
lo preti a question
lo se preti a subject of a question
lo te preti a questioner
lo ve preti an audience of a questioner
prije x1 is wise about matter x2 to observer x3
lo prije something wise
lo se prije a subject of wiseness
lo te prije an observer of wiseness
prina x1 is a print on x2 using x3
lo prina a print
lo se prina a surface printed on
lo te prina a printing press
pritu x1 is to the right of x2 in frame of reference x3
lo pritu something to the right of something
lo se pritu something to which something is right of
lo te pritu a frame of reference in which something is to the right
prosa x1 is prose about x2 by x3 for audience x4
lo prosa prose
lo se prosa a subject of prose
lo te prosa an author of prose
lo ve prosa an audience of prose
pruce x1 is a process with input x2 and output x3 via stages x4
lo pruce a process
lo se pruce a process input
lo te pruce a process output
lo ve pruce a process stage
pruni x1 is elastic
lo pruni something elastic
pruxi x1 is ghostly or spiritual
lo pruxi something spiritual
pulce x1 is dust from x2 in or on x3
lo pulce dust
lo se pulce a source of dust
lo te pulce something dusty
pulji x1 is a police officer enforcing x2
lo pulji a police officer
lo se pulji something enforced by police
pulni x1 is a pulley used for x2 rotating on x3
lo pulni a pulley
lo se pulni a function of a pulley
lo te pulni an axle of a pulley
punji x1 places or puts x2 at x3
lo punji a placer
lo se punji something placed
lo te punji a location of placement
punli x1 is a swelling on x2 of material x3
lo punli a swelling
lo se punli a location of a swelling
lo te punli a material of a swelling
purci x1 is earlier than or in the past of x2
lo purci something which is earlier than something
lo se purci something to which something is earlier
purdi x1 is a garden or field tended by x2 growing x3
lo purdi a garden
lo se purdi a gardener
lo te purdi something growing in a garden
purmo x1 is a quantity of powder of x2
lo purmo a quantity of powder
lo se purmo a material of a powder
racli x1 is rational or sane by standard x2
lo racli something rational
lo se racli a standard of rationality
ractu x1 is a rabbit of species x2
lo ractu a rabbit
lo se ractu a species of rabbit
radno x1 is x2 radians by standard x3
lo radno something measured in radians
lo se radno a number of radians
lo te radno a radian standard
rafsi x1 is an affix for word x2 with form x3 in language x4
lo rafsi an affix
lo se rafsi a word with an affix
lo te rafsi a property of an affix
lo ve rafsi a language with an affix
ragve x1 is across boundary x2 from x3
lo ragve something across a boundary
lo se ragve a boundary
lo te ragve something a boundary is across
rakso x1 is Iraqi in aspect x2
lo rakso something Iraqi
lo se rakso an Iraqi aspect
raktu x1 disturbs person x2 causing problems x3
lo raktu a disturber
lo se raktu something disturbed
lo te raktu a disturbance
ralci x1 is fragile in property x2
lo ralci something fragile
lo se ralci a property of fragility
ralju x1 is principal or chief among x2 in property x3
lo ralju something principal
lo se ralju something with a principal
lo te ralju a property of principalness
ralte x1 keeps or retains x2
lo ralte a keeper
lo se ralte something kept
randa x1 surrenders or yields to x2 under conditions x3
lo randa a surrenderer
lo se randa something surrendered to
lo te randa a condition of surrender
rango x1 is a bodily organ of x2 performing function x3
lo rango a bodily organ
lo se rango something with an organ
lo te rango a function of a bodily organ
ranji x1 persists or continues over interval x2
lo ranji something persistant
lo se ranji an interval of persistance
ranmi x1 is a myth about x3 in mythos x3 of culture x4
lo ranmi a myth
lo se ranmi a subject of a myth
lo te ranmi a mythos of a myth
lo ve ranmi a culture of a myth
ransu x1 is a quantity of bronze of composition x2
lo ransu a quantity of bronze
lo se ransu a composition of bronze
ranti x1 is soft to force x2 under conditions x3
lo ranti something soft
lo se ranti a force to which something is soft
lo te ranti a condition of softness
ranxi x1 is ironic or contrary to expectation x2 in aspect x3
lo ranxi something ironic
lo se ranxi an expectation something is ironic to
lo te ranxi an aspect of irony
rapli x1 repeats x2 times
lo rapli something which repeats
lo se rapli a number of repetition
rarna x1 is spontaneous or natural
lo rarna something spontaneous
ratcu x1 is a rat of species x2
lo ratcu a rat
lo se ratcu a species of rat
ratni x1 is an atom of element x2 of isotope number x3
lo ratni an atom
lo se ratni an atomic number
lo te ratni an isotope of an atom
rebla x1 is a tail of x2
lo rebla a tail
lo se rebla something with a tail
rectu x1 is a quantity of meat from x2
lo rectu a quantity of meat
lo se rectu a meat source
remna x1 is a human
lo remna a human
renro x1 throws or launches x2 to or at x3
lo renro a thrower
lo se renro something thrown
lo te renro something at which something is thrown
renvi x1 survives or endures x2 for duration x3
lo renvi a surviver
lo se renvi something survived
lo te renvi a survival interval
respa x1 is a reptile of species x2
lo respa a reptile
lo se respa a species of reptile
ricfu x1 is rich in x2
lo ricfu something rich
lo se ricfu something in which something is rich
rigni x1 is disgusting to x2 under conditions x3
lo rigni something disgusting
lo se rigni something disgusted
lo te rigni a condition of disgust
rijno x1 is a quantity of silver
lo rijno a quantity of silver
rilti x1 is a rhythm or beat of music x2
lo rilti a rhythm
lo se rilti something with a rhythm
rimni x1 rhymes with x2 in language x3 with correspondence x4
lo rimni something that rhymes
lo se rimni something rhymed with
lo te rimni a language of a rhyme
lo ve rimni a sound of a rhyme
rinci x1 drains or flushes from x2 through drain x3 by force x4
lo rinci a drainer
lo se rinci a source of drainage
lo te rinci a drain
lo ve rinci a force of draining
rinju x1 is restrained by x2 against x3
lo rinju something restrained
lo se rinju a restraint
lo te rinju something against which something is restrained
rinka x1 causes effect x2 under conditions x3
lo rinka an effect's cause
lo se rinka an effect caused
lo te rinka a condition of an effect
rinsa x1 welcomes or greets x2 in manner x3
lo rinsa a welcomer
lo se rinsa something welcomed
lo te rinsa a manner of welcome
rirci x1 is rare or unusual in property x2 among x3
lo rirci something rare
lo se rirci a property of rareness
lo te rirci a group in which something is rare
rirni x1 is a parent of x2
lo rirni a parent
lo se rirni something with a parent
rirxe x1 is a river of land mass x2 draining watershed x3 into x4
lo rirxe a river
lo se rirxe something with a river
lo te rirxe a watershed of a river
lo ve rirxe a destination of a river
rismi x1 is a quantity of rice of species x2
lo rismi a quantity of rice
lo se rismi a species of rice
risna x1 is a heart of x2
lo risna a heart
lo se risna something with a heart
ritli x1 is a ceremony or rite for purpose x2 by custom x3 with rules x4
lo ritli a ceremony
lo se ritli a purpose of a ceremony
lo te ritli a custom of a ceremony
lo ve ritli a rule of a ceremony
rivbi x1 avoids or escapes event x2 through action x3
lo rivbi an avoider
lo se rivbi something avoided
lo te rivbi an action of avoidance
rokci x1 is a quantity of rock of composition x2 from location x3
lo rokci a rock
lo se rokci a composition of rock
lo te rokci a location of rock
romge x1 is a highly reflective metallic surface of metal x2
lo romge a reflective metal
lo se romge a metal that is reflective
ropno x1 is European in aspect x2
lo ropno something European
lo se ropno an European aspect
rorci x1 procreates x2 with coparent x3
lo rorci a procreater
lo se rorci something procreated
lo te rorci a co-procreater
rotsu x1 is thick in dimension x2 by standard x3
lo rotsu something thick
lo se rotsu a dimension of thickness
lo te rotsu a standard of thickness
rozgu x1 a rose of species x2
lo rozgu a rose
lo se rozgu a species of rose
ruble x1 is weak or frail in x2 by standard x3
lo ruble something weak
lo se ruble a property of weakness
lo te ruble a standard of weakness
rufsu x1 is rough in texture
lo rufsu something rough
runme x1 melts at temperature x2 and pressure x3
lo runme something melting
lo se runme a temperature of melting
lo te runme a pressure of melting
runta x1 dissolves in x2 making solution x3 under conditions x4
lo runta something dissolving
lo se runta something dissolved in
lo te runta a solution in which something is dissolved
lo ve runta a condition of dissolving
rupnu x1 is measured in major money units as quantity x2 in monetary system x3
lo rupnu money
lo se rupnu an amount of money
lo te rupnu a monetary system
rusko x1 is Russian in aspect x2
lo rusko something Russian
lo se rusko a Russian aspect
rutni x1 is artificially made by people x2
lo rutni something artificial
lo se rutni a maker of something artificial
sabji x1 provides x2 to x3
lo sabji a provider
lo se sabji something provided
lo te sabji a recipient of something provided
sabnu x1 is a cabin of vehicle x2
lo sabnu a cabin of a vehicle
lo se sabnu a vehicle with a cabin
sacki x1 is a match made of x2
lo sacki a match
lo se sacki a material of a match
saclu x1 is the decimal equivalent of fraction x2 in base x3
lo saclu a decimal value
lo se saclu a fraction equal to a decimal value
lo te saclu a base of a decimal value
sadjo x1 is Saudi Arabian in aspect x2
lo sadjo something Saudi Arabian
lo se sadjo a Saudi Arabian aspect
sakci x1 sucks x2 into x3
lo sakci a sucker
lo se sakci something sucked
lo te sakci a source of suction
sakli x1 slides or glides on x2
lo sakli something sliding
lo se sakli a surface slid on
sakta x1 is a quantity of sugar from source x2 of composition x3
lo sakta a quantity of sugar
lo se sakta a source of sugar
lo te sakta a composition of sugar
salci x1 celebrates x2 with activity x3
lo salci a celebrator
lo se salci something celebrated
lo te salci a celebration
salpo x1 is sloped or slanted with angle x2 to frame x3
lo salpo something sloped
lo se salpo an angle of slope
lo te salpo a frame of reference of a slope
salta x1 is a quantity of salad with ingredients x2
lo salta a salad
lo se salta a salad ingredient
samcu x1 is a cassava or yam of species x2
lo samcu a cassava
lo se samcu a species of cassava
sampu x1 is simple in property x2
lo sampu something simple
lo se sampu a simple property
sance x1 is sound produced by x2
lo sance a sound
lo se sance a producer of a sound
sanga x1 sings x2 to x3
lo sanga a singer
lo se sanga something sung
lo te sanga an audience of a song
sanji x1 is aware or conscious of x2
lo sanji something aware of something
lo se sanji something of which something is aware
sanli x1 stands on x2 using x3
lo sanli a stander
lo se sanli a surface stood on
lo te sanli a support used for standing
sanmi x1 is a meal including x2
lo sanmi a meal
lo se sanmi a meal dish
sanso x1 is a sauce or gravy for use with x2 containing x3
lo sanso a sauce
lo se sanso something accompanied by sauce
lo te sanso an ingredient of a sauce
santa x1 is an umbrella shielding x2 from x3, made of x4 supported by x5
lo santa an umbrella
lo se santa something shielded by an umbrella
lo te santa something blocked by an umbrella
lo ve santa a material of an umbrella
lo xe santa a support of an umbrella
sarcu x1 is necessary for x2 to continue under conditions x3
lo sarcu something necessary
lo se sarcu something with a necessity
lo te sarcu a condition of necessity
sarji x1 supports or holds up x2 against x3 by means x4
lo sarji a supporter
lo se sarji something supported
lo te sarji something supported against
lo ve sarji a means for support
sarlu x1 is a spiral or helix with limits x2 and dimensionality x3
lo sarlu a helix
lo se sarlu a helix limit
lo te sarlu a helix dimension
sarxe x1 is harmonious or in agreement with x2 in property x3
lo sarxe something harmonious
lo se sarxe something in harmony
lo te sarxe a property of harmony
saske x1 is science about x2 based on methodology x3
lo saske a science
lo se saske a subject of a science
lo te saske a methodology of a science
satci x1 is exact to precision x2 in property x2
lo satci something exact
lo se satci a precision of exactness
lo te satci a property of exactness
satre x1 strokes x2 with x3
lo satre a stroker
lo se satre something stroked
lo te satre a stroking implement
savru x1 is a noise to x2 perceived with x3
lo savru a noise
lo se savru an experiencer of a noise
lo te savru a sense a noise is perceived with
sazri x1 operates machine x2 with goal x3
lo sazri an operater
lo se sazri something operated
lo te sazri a goal of operating something
sefta x1 is a surface of object x2 on side x3 with edges x4
lo sefta a surface
lo se sefta something with a surface
lo te sefta a side of a surface
lo ve sefta an edge of a surface
selci x1 is a cell or atom of x2
lo selci something indivisible
lo se selci something with an indivisible peice
selfu x1 serves x2 with service x3
lo selfu a server
lo se selfu a receiver of a service
lo te selfu a service
semto x1 is Semitic in aspect x2
lo semto something Semitic
lo se semto a Semitic aspect
senci x1 sneezes
lo senci a sneeze
senpi x1 doubts that x2 is true
lo senpi a doubter
lo se senpi something doubted
senta x1 is a layer of x2 within structure x3
lo senta a layer
lo se senta something layered
lo te senta a layered structure
senva x1 dreams about x2
lo senva a dreamer
lo se senva something dreamed
sepli x1 is separate from x2, separated by x3
lo sepli something kept separate
lo se sepli something kept separate from
lo te sepli a separating partition
serti x1 are stairs for climbing x2 with steps x3
lo serti a stairway
lo se serti something climbed by stairs
lo te serti a step of a stariway
setca x1 inserts or puts x2 into x3
lo setca an inserter
lo se setca something inserted
lo te setca something inserted into
sevzi x1 is an ego or self of x2
lo sevzi an ego
lo se sevzi something with a ego
sfani x1 is a fly of species x2
lo sfani a fly
lo se sfani a species of fly
sfasa x1 punishes x2 for x3 with punishment x4
lo sfasa a punisher
lo se sfasa something punished
lo te sfasa something punishable
lo ve sfasa a punishment
sfofa x1 is a sofa
lo sfofa a sofa
sfubu x1 dives or swoops to x2 from x3
lo sfubu a diver
lo se sfubu something dived to
lo te sfubu something dived from
siclu x1 whistles sound x2
lo siclu a whistler
lo se siclu something whistled
sicni x1 is a coin issued by x2 with value x3 made of x4
lo sicni a coin
lo se sicni an issuer of a coin
lo te sicni a value of a coin
lo ve sicni a composition of a coin
sidbo x1 is an idea about x2 by thinker x3
lo sidbo an idea
lo se sidbo an subject of an idea
lo te sidbo something with an idea
sidju x1 helps x2 do x3
lo sidju a helper
lo se sidju a receiver of help
lo te sidju something that something is helped to do
sigja x1 is a cigar or cigarette made of x2 by x3
lo sigja a cigar
lo se sigja something a cigar is made of
lo te sigja a cigar maker
silka x1 is a quantity of silk produced by x2
lo silka a quantity of silk
lo se silka a source of silk
silna x1 is a quantity of salt from x2 made of x3
lo silna a quantity of salt
lo se silna a source of salt
lo te silna a composition of salt
simlu x1 seems to have property x2 to x3 under conditions x4
lo simlu something which seems to have a property
lo se simlu a property which something seems to have
lo te simlu an observer of something seeming to have a property
lo ve simlu a condition of seeming to have a property
simsa x1 is similar to x2 in property or quantity x3
lo simsa something similar
lo se simsa something similar to
lo te simsa a property of similarity
simxu x1 mutually do x2
lo simxu things mutually doing something
lo se simxu something done mutually
since x1 is a snake of species x2
lo since a snake
lo se since a species of snake
sinma x1 respects or venerates x2
lo sinma a respecter
lo se sinma something respected
sinso x1 is the trigonometric sine of angle x2
lo sinso a sine
lo se sinso an angle with a sine
sinxa x1 is a sign meaning x2 to x3
lo sinxa a sign
lo se sinxa a meaning of a sign
lo te sinxa an observer of a sign
sipna x1 is asleep
lo sipna something asleep
sirji x1 is straight or direct between x2 and x3
lo sirji something straight
lo se sirji a start point of something straight
lo te sirji an end point of something straight
sirxo x1 is Syrian in aspect x2
lo sirxo something Syrian
lo se sirxo a Syrian aspect
sisku x1 searches for property x2 among x3
lo sisku a searcher
lo se sisku a property searched for
lo te sisku a group within which something is searched for
sisti x1 ceases or stops x2
lo sisti a ceaseer
lo se sisti something ceased
sitna x1 quotes or cites source x2 for statement x3
lo sitna a quoter
lo se sitna something quoted
lo te sitna a purpose of a quotation
sivni x1 is private or personal to x2
lo sivni something private
lo se sivni something to which something is personal
skaci x1 is a skirt of material x2
lo skaci a skirt
lo se skaci a material of a skirt
skami x1 is a computer for purpose x2
lo skami a computer
lo se skami a purpose of a computer
skapi x1 is a skin or pelt from x2
lo skapi a skin
lo se skapi a source of a skin
skari x1 is of colour x2 as perceived by x3 under conditions x4
lo skari something with a colour
lo se skari a colour
lo te skari something which perceives a colour
lo ve skari a condition in which a colour is perceived
skicu x1 describes x2 to x3 with description x4
lo skicu a describer
lo se skicu something described
lo te skicu an audience something is described to
lo ve skicu a description
skiji x1 is a skate or ski for surface x2 supporting x3
lo skiji a skate
lo se skiji something skated over
lo te skiji something supported by a skate
skina x1 is a movie about x2 by film maker x3 for x4
lo skina a film
lo se skina a film plot
lo te skina a film-maker
lo ve skina an audience of a film
skori x1 is rope or cable of material x2
lo skori a rope
lo se skori a material of a rope
skoto x1 is Scottish in aspect x2
lo skoto something Scottish
lo se skoto a Scottish aspect
skuro x1 is a groove or trench in x2
lo skuro a groove
lo se skuro a grooved surface
slabu x1 is familiar to x2 in feature x3 by standard x4
lo slabu something familiar
lo se slabu an observer of familiarity
lo te slabu a feature of familiarity
lo ve slabu a standard of familiarity
slaka x1 is a syllable in language x2
lo slaka a syllable
lo se slaka a language with a syllable
slami x1 is a quantity of acid of composition x2
lo slami a quantity of acid
lo se slami a composition of acid
slanu x1 is a cylinder of material x2
lo slanu a cylinder
lo se slanu a material of a cylinder
slari x1 is sour to x2
lo slari something sour
lo se slari something to which something is sour
slasi x1 is a quantity of plastic of type x2
lo slasi a quantity of plastic
lo se slasi a type of plastic
sligu x1 is solid of material x2 under conditions x3
lo sligu something solid
lo se sligu a composition of a solid
lo te sligu a condition of solidity
slilu x1 oscillates at frequency x2 through states x3
lo slilu something oscillating
lo se slilu a frequency of oscillation
lo te slilu an state of oscillation
sliri x1 is a quantity of sulfur
lo sliri a quantity of sulphur
slovo x1 is Slavic in aspect x2
lo slovo something Slavic
lo se slovo a Slavic aspect
sluji x1 is a muscle controlling x2 of body x3
lo sluji a muscle
lo se sluji something controlled by a muscle
lo te sluji something with a muscle
sluni x1 is an onion of species x2
lo sluni an onion
lo se sluni an onion species
smacu x1 is a mouse of species x2
lo smacu a mouse
lo se smacu a species of mouse
smadi x1 guesses x2 is true about x3
lo smadi a guess
lo se smadi something guessed
lo te smadi a subject of a guess
smaji x1 is quiet at observation point x2 by standard x3
lo smaji something silent
lo se smaji an observation point for silence
lo te smaji a standard of silence
smani x1 is a monkey or ape of species x2
lo smani a monkey
lo se smani a species of monkey
smoka x1 is a sock of material x2
lo smoka a sock
lo se smoka a material of a sock
smuci x1 is a spoon or scoop for use x2 made of x3
lo smuci a spoon
lo se smuci a purpose of a spoon
lo te smuci a material of a spoon
smuni x1 is a meaning of x2 accepted by x3
lo smuni a meaning
lo se smuni something with a meaning
lo te smuni something that accepts a meaning
snada x1 succeeds at x2 because of effort x3
lo snada a succeeder
lo se snada something succeeded at
lo te snada a successful effort
snanu x1 is to the south of x2 in frame of reference x3
lo snanu something that is south of something
lo se snanu something to which something is south
lo te snanu a reference frame of southness
snidu x1 is x2 seconds long by standard x3
lo snidu something measured in seconds
lo se snidu a number of seconds
lo te snidu a standard of a second
snime x1 is a quantity of snow
lo snime a quantity of snow
snipa x1 sticks or adheres to x2
lo snipa something sticky
lo se snipa something stuck to
snuji x1 is a sandwich of x2 sandwiched between x3
lo snuji a sandwich
lo se snuji a sandwich filling
lo te snuji a sandwich casing
snura x1 is safe from threat x2
lo snura something that is safe from a threat
lo se snura a threat something is safe from
snuti x1 is an accident caused by x2
lo snuti an accident
lo se snuti a cause of an accident
sobde x1 is a quantity of soya of species x2
lo sobde a quantity of soya
lo se sobde a species of soya
sodna x1 is a quantity of alkali metal of type x2
lo sodna a quantity of alkali
lo se sodna a type of alkali
sodva x1 is a quantity of soda of flavor x2
lo sodva a quantity of soda
lo se sodva a type of soda
softo x1 is Soviet in aspect x2
lo softo something Soviet
lo se softo a Soviet aspect
solji x1 is a quantity of gold
lo solji a quantity of gold
solri x1 is the sun of home planet x2 of race x3
lo solri a sun
lo se solri a sun's planet
lo te solri a race a sun is home star of
sombo x1 sows x2 in x3
lo sombo a sower
lo se sombo something sown
lo te sombo a sowing location
sonci x1 is a soldier of army x2
lo sonci a soldier
lo se sonci an army with a soldier
sorcu x1 is a stockpile or deposit of x2 in containment x3
lo sorcu a stockpile
lo se sorcu something stockpiled
lo te sorcu a containment of a stockpile
sorgu x1 is sorghum of species x2
lo sorgu sorghum
lo se sorgu a species of sorghum
sovda x1 is an egg from organism x2
lo sovda an egg
lo se sovda something that makes an egg
spaji x1 surprises x2
lo spaji something surprising
lo se spaji something surprised
spali x1 polishes x2 with polish x3 using tool x4
lo spali a polisher
lo se spali something polished
lo te spali a polish
lo ve spali a polising tool
spano x1 is Spanish in aspect x2
lo spano something Spanish
lo se spano a Spanish aspect
spati x1 is a plant of species x2
lo spati a plant
lo se spati a species of plant
speni x1 is married to x2 under custom x3
lo speni something married
lo se speni something married to
lo te speni a marriage custom
spisa x1 is a portion or piece of x2
lo spisa a portion
lo se spisa something portioned
spita x1 is a hospital treating patient x2 for condition x3
lo spita a hospital
lo se spita a patient of a hospital
lo te spita an ailment treated at a hospital
spofu x1 is broken in function x2
lo spofu something broken
lo se spofu a function broken
spoja x1 explodes or bursts into pieces x2
lo spoja something exploding
lo se spoja a fragment of an explosion
spuda x1 responds or answers to x2 with response x3
lo spuda a responder
lo se spuda a responder's stimlus
lo te spuda a response
sputu x1 spits liquid x2 from x3 onto x4
lo sputu a spitter
lo se sputu a spit liquid
lo te sputu a source of spit
lo ve sputu a destination of spit
sraji x1 is vertical in reference frame x2
lo sraji something vertical
lo se sraji a reference frame of verticalness
sraku x1 scratches x2
lo sraku a scratcher
lo se sraku something scratched
sralo x1 is Australian in aspect x2
lo sralo something Australian
lo se sralo an Australian aspect
srana x1 is relevant to x2
lo srana something relevant
lo se srana something to which something is relevant
srasu x1 is grass of species x2
lo srasu a grass
lo se srasu a species of grass
srera x1 errs in doing x2, an error under conditions x3 by standard x4
lo srera something that errs
lo se srera an error
lo te srera a condition for an error
lo ve srera a standard for an error
srito x1 is Sanskrit in aspect x2
lo srito something Sanskrit
lo se srito a Sanskrit aspect
sruma x1 assumes that x2 is true about x3
lo sruma an assumer
lo se sruma something assumed
lo te sruma a topic of assumption
sruri x1 encloses or surrounds x2 in direction x3
lo sruri something enclosing
lo se sruri something eclosed
lo te sruri a direction of enclosure
stace x1 is honest to x2 about x3
lo stace a honest
lo se stace something to which something is honest
lo te stace something about which something is honest
stagi x1 is the vegetable or edible portion x2 of plant x3
lo stagi an edible plant
lo se stagi an edible portion of a plant
lo te stagi a plant with an edible portion
staku x1 is a quantity of ceramic made by x2 of composition x3 in form x4
lo staku a quantity of ceramic
lo se staku a maker of ceramic
lo te staku a composition of ceramic
lo ve staku a form of ceramic
stali x1 stays or remains at x2
lo stali something staying
lo se stali a place stayed at
stani x1 is a stem or trunk of plant x2
lo stani a stem
lo se stani a plant with a stem
stapa x1 steps on surface x2 using limbs x3
lo stapa a treader
lo se stapa a surface treaded on
lo te stapa a treading limb
stasu x1 is a quantity of soup with ingredients x2
lo stasu a soup
lo se stasu a soup ingredient
stati x1 has talent for doing x2
lo stati something talented
lo se stati a talent
steba x1 feels frustration about x2
lo steba something frustrated
lo se steba a frustration
steci x1 is specific or particular to member x2 among set x3
lo steci a specific feature
lo se steci something with a specific feature
lo te steci a group which has a member with a specific feature
stedu x1 is a head of x2
lo stedu a head
lo se stedu something with a head
stela x1 is a lock for sealing x2, with mechanism x3
lo stela a lock
lo se stela something locked
lo te stela a locking mechanism
stero x1 is x2 steradians by standard x3
lo stero something measured in steradian
lo se stero a number of steradians
lo te stero a steradian standard
stici x1 is to the west of x2 in frame of reference x3
lo stici something which is west of something
lo se stici something to which something is west
lo te stici a reference frame of westness
stidi x1 suggests x2 to x3
lo stidi a suggester
lo se stidi a suggested idea
lo te stidi an audience of a suggestion
stika x1 adjusts x2 in degree x3
lo stika an adjuster
lo se stika something adjusted
lo te stika an amount of adjustment
stizu x1 is a bench or chair
lo stizu a chair
stodi x1 is constant or unchanging in property x2
lo stodi something constant
lo se stodi a constant property
lo te stodi a condition of constancy
stuna x1 is to the east of x2 in frame of reference x3
lo stuna something which is east of something
lo se stuna something to which something is east
lo te stuna a reference frame of eastness
stura x1 is a structure or arrangement of x2
lo stura a structure
lo se stura something structured
stuzi x1 is an inherent site of x2
lo stuzi a site
lo se stuzi something with a site
sucta x1 is abstracted from x2 by rules x3
lo sucta an abstraction
lo se sucta something abstracted
lo te sucta a rule of abstraction
sudga x1 is dry of liquid x2
lo sudga something dry
lo se sudga a liquid something is dry of
sufti x1 is a hoof of x2
lo sufti a hoof
lo se sufti something with a hoof
suksa x1 is sudden at stage x2 in process x3
lo suksa something sudden
lo se suksa a stage of suddenness
lo te suksa a process with something sudden
sumji x1 is the sum of x2 plus x3
lo sumji a total of a sum
lo se sumji something summed
lo te sumji something summed with
sumne x1 smells x2
lo sumne a smeller
lo se sumne something smelled
sumti x1 is an argument of predicate x2 filling place x3
lo sumti an argument
lo se sumti a predicate of an argument
lo te sumti a place of an argument
sunga x1 is a quantity of garlic of species x2
lo sunga a quantity of garlic
lo se sunga a species of garlic
sunla x1 is a quantity of wool from x2
lo sunla a quantity of wool
lo se sunla a source of wool
surla x1 relaxes by doing x2
lo surla a relaxer
lo se surla something relaxing
sutra x1 is fast or quick at doing x2
lo sutra something fast
lo se sutra something done fast
tabno x1 is a quantity of carbon
lo tabno a quantity of carbon
tabra x1 is a horn
lo tabra a horn
tadji x1 is a method for doing x2 under conditions x3
lo tadji a method
lo se tadji something with a method
lo te tadji a condition of a method
tadni x1 is a student of x2
lo tadni a studier
lo se tadni something studied
tagji x1 is tight on x2 in dimension x3 at location x4
lo tagji something snug
lo se tagji something fitted snugly
lo te tagji a dimension of snugness
lo ve tagji a location of snugness
talsa x1 challenges x2 at x3
lo talsa a challenger
lo se talsa something challenged
lo te talsa something to which something is challenged
tamca x1 is a tomato of species x2
lo tamca a tomato
lo se tamca a species of tomato
tamji x1 is a thumb or big toe on limb x2 of x3
lo tamji a thumb
lo se tamji a limb with a thumb
lo te tamji something with a thumb
tamne x1 is a cousin to x2 by bond x3
lo tamne a cousin
lo se tamne something with a cousin
lo te tamne a bond of cousinhood
tanbo x1 is a board or plank of material x2
lo tanbo a board
lo se tanbo a material of a board
tance x1 is a tongue of x2
lo tance a tongue
lo se tance something with a tongue
tanjo x1 it a tangent of angle x2
lo tanjo a tangent
lo se tanjo an angle with a tangent
tanko x1 is a quantity of tobacco of species x2
lo tanko a quantity of tobacco
lo se tanko a species of tobacco
tanru x1 is a binary metaphor formed with x2 modifying x3, meaning x4 in usage x5
lo tanru a metaphor
lo se tanru a modifier of a metaphor
lo te tanru a base of a metaphor
lo ve tanru a meaning of a metaphor
lo xe tanru a usage of a metaphor
tansi x1 is a pan or basin for contents x2 of material x3
lo tansi a basin
lo se tansi a content of a basin
lo te tansi a material of a basin
tanxe x1 is a box or crate for contents x2 made of material x3
lo tanxe a box
lo se tanxe a content of a box
lo te tanxe a material of a box
tapla x1 is a tile of material x2, shape x3, and thickness x4
lo tapla a tile
lo se tapla a material of a tile
lo te tapla a shape of a tile
lo ve tapla a thickness of a tile
tarbi x1 is an embryo with mother x2 and father x3
lo tarbi an embryo
lo se tarbi a mother of an embryo
lo te tarbi a father of an embryo
tarci x1 is a star with properties x2
lo tarci a star
lo se tarci a property of a star
tarla x1 is a quantity of tar from source x2
lo tarla a quantity of tar
lo se tarla a source of tar
tarmi x1 is the shape of x2
lo tarmi a shape
lo se tarmi something with a shape
tarti x1 behaves oneself in manner x2 under conditions x3
lo tarti a behaver
lo se tarti a behaviour
lo te tarti a condition of behaviour
taske x1 thirsts for x2
lo taske something thirsty
lo se taske a drink something is thirsty for
tatpi x1 is tired because of x2
lo tatpi something tired
lo se tatpi something tiring
tatru x1 is a breast of x2
lo tatru a breast
lo se tatru something with a breast
tavla x1 talks to x2 about x3 in language x4
lo tavla a talker
lo se tavla something talked to
lo te tavla a subject of a talk
lo ve tavla a language of a talk
taxfu x1 is a garment worn by x2 serving purpose x3
lo taxfu a garment
lo se taxfu a wearer of a garment
lo te taxfu a purpose of a garment
tcaci x1 is a custom or habit of x2 under conditions x3
lo tcaci a custom
lo se tcaci something with a custom
lo te tcaci a condition of a custom
tcadu x1 is a city or town of area x2 in political unit x3 serving region x4
lo tcadu a city
lo se tcadu an area of a city
lo te tcadu a political unit of a city
lo ve tcadu a region served by a city
tcana x1 is a station of network x2
lo tcana a network station
lo se tcana a network with a station
tcati x1 is a quantity of tea brewed from x2
lo tcati a quantity of tea
lo se tcati a leaf of tea
tcena x1 stretches to range x2 in dimension x3 from range x4
lo tcena something stretchy
lo se tcena a range of stretchiness
lo te tcena a dimension of stretchiness
lo ve tcena an unstretched range
tcica x1 tricks or misleads x2 into x3
lo tcica a tricker
lo se tcica something tricked
lo te tcica something that something is tricked into
tcidu x1 reads x2 from x3
lo tcidu a reader
lo se tcidu something read
lo te tcidu something read from
tcika x1 is the time of x2 happening on day x3 at x4
lo tcika a time
lo se tcika something with a time
lo te tcika a day of time
lo ve tcika a location of time
tcila x1 is a detail or feature of x2
lo tcila a detail
lo se tcila something detailed
tcima x1 is weather at x2
lo tcima weather
lo se tcima a location of weather
tcini x1 is a situation of x2
lo tcini a situation
lo se tcini something with a situation
tcita x1 is a label or tag of x2 showing x3
lo tcita a tag
lo se tcita something with a tag
lo te tcita information on a tag
temci x1 is the elapsed time from x2 to x3
lo temci an elapse of time
lo se temci a start of an elapse of time
lo te temci a finish of an elapse of time
tenfa x1 is the exponential result of x2 to the power of x3
lo tenfa something exponential
lo se tenfa an exponential base
lo te tenfa an exponent
tengu x1 is a texture of x2
lo tengu a texture
lo se tengu something textured
terdi x1 is the home planet of x2
lo terdi a home planet
lo se terdi a race of a home planet
terpa x1 fears x2
lo terpa something fearful
lo se terpa something causing fear
terto x1 is a trillion of x2 in dimension or aspect x3
lo terto a trillion
lo se terto something counted in trillions
lo te terto a trillion aspect
tigni x1 performs for audience x2
lo tigni a performer
lo se tigni a performance
lo te tigni an audience of a performance
tikpa x1 kicks x2 at location x3 using foot x4
lo tikpa a kicker
lo se tikpa something kicked
lo te tikpa a location of a kick
lo ve tikpa a foot used to kick
tilju x1 is heavy or massive by standard x2
lo tilju something heavy
lo se tilju a standard of heaviness
tinbe x1 obeys rule x2 made by x3
lo tinbe something obeying
lo se tinbe a rule obeyed
lo te tinbe something that makes a rule obeyed
tinci x1 is a quantity of tin
lo tinci a quantity of tin
tinsa x1 is stiff in direction x2 against force x3 under conditions x4
lo tinsa something stiff
lo se tinsa a direction of stiffness
lo te tinsa a force something is stiff against
lo ve tinsa a condition of stiffness
tirna x1 hears x2 against background noise x3
lo tirna a hearer
lo se tirna something heard
lo te tirna a background noise something is heard in
tirse x1 is a quantity of iron
lo tirse a quantity of iron
tirxu x1 is a tiger of species x2 with coat markings x3
lo tirxu a tiger
lo se tirxu a species of tiger
lo te tirxu a marking of a tiger
tisna x1 fills with material x2
lo tisna something becoming full
lo se tisna a material of a filler
titla x1 is sweet or sugary to x2
lo titla something sweet
lo se titla something to which something is sweet
tivni x1 broadcasts x2 via medium x3 to receiver x4
lo tivni a broadcaster
lo se tivni something broadcast
lo te tivni a medium of broadcasting
lo ve tivni a receiver of a braodcast
tixnu x1 is a daughter of x2
lo tixnu a daughter
lo se tixnu a parent of a daughter
toknu x1 is an oven for heating x2
lo toknu an oven
lo se toknu something baked with an oven
toldi x1 is a butterfly or moth of species x2
lo toldi a moth
lo se toldi a species of moth
tonga x1 is a tone of pitch x2 from x3
lo tonga a tone
lo se tonga a tone pitch
lo te tonga a tone source
tordu x1 is short in dimension x2 by measurement standard x3
lo tordu something short
lo se tordu a dimension of shortness
lo te tordu a standard of shortness
torni x1 twists under force x2
lo torni something twisting
lo se torni a twisting force
traji x1 is superlative in property x2 with extreme x3 among x4
lo traji something superlative
lo se traji a superlative property
lo te traji a superlative extreme
lo ve traji a set with a superlative member
trano x1 is a quantity of nitrogen
lo trano a quantity of nitrogen
trati x1 is taut in direction x2
lo trati something taut
lo se trati a direction of tautness
trene x1 is a train of cars x2 for system x3 propelled by x4
lo trene a train
lo se trene a car of a train
lo te trene a system of a train
lo ve trene a propulsion of a train
tricu x1 is a tree of species x2
lo tricu a tree
lo se tricu a species of tree
trina x1 appeals to x2 with property x3
lo trina something attractive
lo se trina something attracted
lo te trina a property of attractiveness
trixe x1 is behind x2 in frame of reference x3
lo trixe something behind something
lo se trixe something to which something is behind
lo te trixe a reference frame for being behind
troci x1 tries to do x2 using method x3
lo troci a tryer
lo se troci something tried
lo te troci a method of trial
tsali x1 is strong in property x2 by standard x3
lo tsali something strong
lo se tsali a property of strength
lo te tsali a standard of strength
tsani x1 is the sky of x2
lo tsani a sky
lo se tsani a place with a sky
tsapi x1 is a spice or seasoning causing flavor x2
lo tsapi a seasoning
lo se tsapi a seasoning flavour
tsiju x1 is a seed of organism x2 for producing offspring x3
lo tsiju a seed
lo se tsiju an organism with a seed
lo te tsiju an offspring from a seed
tsina x1 is a platform or stage at x2 supporting x3 made of material x4
lo tsina a platform
lo se tsina a location of a platform
lo te tsina something supported by a platform
lo ve tsina a material of a platform
tubnu x1 is tubing of material x2 hollow of material x3
lo tubnu a tube
lo se tubnu a material of a tube
lo te tubnu a content of a tube
tugni x1 agrees with x2 that x3 is true about x4
lo tugni an agreer
lo se tugni something agreed with
lo te tugni an agreed view
lo ve tugni a topic of agreement
tujli x1 is a tulip of species x2
lo tujli a tulip
lo se tujli a species of tulip
tumla x1 is terrain at x2
lo tumla terrain
lo se tumla a location of terrain
tunba x1 is a sibling of x2 by bond x3
lo tunba a sibling
lo se tunba something with a sibling
lo te tunba a parent of a sibling
tunka x1 is a quantity of copper
lo tunka a quantity of copper
tunlo x1 swallows
lo tunlo a swallower
lo se tunlo something swallowed
tunta x1 pokes or prods x2
lo tunta a poker
lo se tunta something poked
tuple x1 is a leg of x2
lo tuple a leg
lo se tuple something with a leg
turni x1 governs x2
lo turni a governer
lo se turni something governed
tutci x1 is a tool used for x2
lo tutci a tool
lo se tutci a purpose of a tool
tutra x1 is territory controlled by x2
lo tutra territory
lo se tutra a controller of territory
vacri x1 is a quantity of air of planet x2 composed of x3
lo vacri a quantity of air
lo se vacri a planet with air
lo te vacri a composition of air
vajni x1 is important to x2 because of reason x3
lo vajni something important
lo se vajni something to which something is important
lo te vajni a reason of importance
valsi x1 is a word meaning x2 in language x3
lo valsi a word
lo se valsi a meaning of a word
lo te valsi a language of a word
vamji x1 is the value of x2 to x3 for use x4
lo vamji a value
lo se vamji something with a value
lo te vamji something to which something is a value
lo ve vamji a use of something with value
vamtu x1 vomits x2
lo vamtu a vomiter
lo se vamtu vomit
vanbi x1 is part of environment x2
lo vanbi a part of an environment
lo se vanbi an environment
vanci x1 is an evening of day x2 at x3
lo vanci an evening
lo se vanci a day with an evening
lo te vanci a location of an evening
vanju x1 is a quantity of wine from grapes x2
lo vanju a quantity of wine
lo se vanju a grape wine is made from
vasru x1 is a container or vessel containing x2
lo vasru a container
lo se vasru something in a container
vasxu x1 breathes x2
lo vasxu a breather
lo se vasxu something breathed
vecnu x1 sells x2 to x3 for x4
lo vecnu a seller
lo se vecnu something sold
lo te vecnu something to which something is sold
lo ve vecnu a price of something sold
venfu x1 takes revenge against x2 because x3 by doing x4
lo venfu a taker of revenge
lo se venfu a victim of revenge
lo te venfu a reason for revenge
lo ve venfu an act of vengeance
vensa x1 is spring of year x2 at location x3
lo vensa a springtime
lo se vensa a year of springtime
lo te vensa a location of spring
verba x1 is a child aged x2 immature by standard x3
lo verba a child
lo se verba an age of a child
lo te verba a standard of childhood
vibna x1 is a vagina of x2
lo vibna a vagina
lo se vibna something with a vagina
vidni x1 is a screen or monitor for x2
lo vidni a screen
lo se vidni a function of a screen
vidru x1 as a virus of species x2 capable of infecting x3
lo vidru a virus
lo se vidru a species of virus
lo te vidru something susceptible to virus
vifne x1 is fresh or unspoiled
lo vifne something fresh
vikmi x1 excretes waste x2 from x3 via x4
lo vikmi an excreter of waste
lo se vikmi an excreted waste
lo te vikmi a source of excreted waste
lo ve vikmi a means of excretion
viknu x1 is thick or viscous under conditions x2
lo viknu something thick
lo se viknu a condition of thickness
vimcu x1 removes or subtracts x2 from x3 leaving x4
lo vimcu a remover
lo se vimcu something removed
lo te vimcu a source of removal
lo ve vimcu something remaining after a removal
vindu x1 is poisonous or toxic to x2
lo vindu something poisonous
lo se vindu something to which something is poisonous
vinji x1 is an aircraft for carrying x2 propelled by x3
lo vinji an aircraft
lo se vinji a cargo of an aircraft
lo te vinji a propulsion of an aircraft
vipsi x1 is a subordinate in aspect x2 to principal x3
lo vipsi a subordinate
lo se vipsi a subordinate aspect
lo te vipsi something to which something is subordinate
virnu x1 is brave in activity x2 by standard x3
lo virnu something brave
lo se virnu something done bravely
lo te virnu a standard of bravery
viska x1 sees x2 under conditions x3
lo viska a seer
lo se viska something seen
lo te viska a condition of seeing
vitci x1 is irregular in aspect x2
lo vitci something irregular
lo se vitci an irregular property
vitke x1 is a guest of x2 at x3
lo vitke a guest
lo se vitke something with a guest
lo te vitke a place with a guest
vitno x1 is permanent in property x2 by standard x3
lo vitno something permanent
lo se vitno a property of permanence
lo te vitno a standard of permanence
vlagi x1 is a vulva of x2
lo vlagi a vulva
lo se vlagi something with a vulva
vlile x1 is violent
lo vlile a violent act
vlina x1 is a logical disjunction stating that x2 and or x3 are true
lo vlina a logical disjunction
lo se vlina an alternative of a disjunction
lo te vlina another alternative of a disjunction
vlipa x1 has the power to bring about x2 under conditions x3
lo vlipa something with power
lo se vlipa something brought about by power
lo te vlipa a condition for having power
vofli x1 flies using means x2
lo vofli a flyer
lo se vofli a means of flying
voksa x1 is the voice of x2
lo voksa a voice
lo se voksa something with a voice
vorme x1 is a doorway between x2 and x3 in structure x4
lo vorme a doorway
lo se vorme something divided by a doorway
lo te vorme something a doorway is between
lo ve vorme a structure with a doorway
vraga x1 is a lever for doing x2 with fulcrum x3 and arm x4
lo vraga a lever
lo se vraga a purpose of a lever
lo te vraga a fulcrum of a lever
lo ve vraga an arm of a lever
vreji x1 is a record of x2 about x3 in medium x4
lo vreji a record
lo se vreji something recorded
lo te vreji a subject of a recording
lo ve vreji a medium of a recording
vreta x1 rests or reclines on x2
lo vreta a rester
lo se vreta something rested on
vrici x1 is miscellaneous or assorted in property x2
lo vrici something miscellaneous
lo se vrici a property of being miscellaneous
vrude x1 is virtuous by standard x3
lo vrude something virtuous
lo se vrude a standard of virtue
vrusi x1 is a taste or flavor of x2
lo vrusi a taste
lo se vrusi something with a taste
vukro x1 is Ukrainian in aspect x2
lo vukro something Ukrainian
lo se vukro a Ukrainian aspect
xabju x1 dwells or lives in x2
lo xabju a dweller
lo se xabju a dwelling
xadba x1 is half of x2 by standard x3
lo xadba a half
lo se xadba something halved
lo te xadba a standard for half
xadni x1 is the body or corpse of x2
lo xadni a body
lo se xadni something with a body
xagji x1 is hungry for x2
lo xagji something hungry
lo se xagji a subject of hunger
xagri x1 is a reed instrument with reed x2
lo xagri a reed instrument
lo se xagri a reed of a reed instrument
xajmi x1 is funny to x2 in property or aspect x3
lo xajmi something funny
lo se xajmi something to which something is funny
lo te xajmi an aspect of funniness
xaksu x1 consumes or uses up x2
lo xaksu a consumer
lo se xaksu something consumed
xalbo x1 is flippant or non-serious about x2
lo xalbo something flippant
lo se xalbo a subject of flippancy
xalka x1 is a quantity of alcohol of type x2 from source x3
lo xalka a quantity of alcohol
lo se xalka a type of alcohol
lo te xalka a source of alcohol
xalni x1 panics about x2
lo xalni something panicking
lo se xalni something panicked about
xamgu x1 is good for x2 by standard x3
lo xamgu something good
lo se xamgu something for which something is good
lo te xamgu a standard of goodness
xampo x1 is x2 amperes by standard x3
lo xampo something measured in amperes
lo se xampo a number of amperes
lo te xampo a standard of amperes
xamsi x1 is a sea or ocean on planet x2 of fluid x3
lo xamsi a sea
lo se xamsi a planet with a sea
lo te xamsi a fluid of a sea
xance x1 is a hand of x2
lo xance a hand
lo se xance something with a hand
xanka x1 is nervous or anxious about x2 under conditions x3
lo xanka something anxious
lo se xanka something about which something is anxious
lo te xanka a conditions of anxiety
xanri x1 is imaginary to x2
lo xanri something imagined
lo se xanri an imaginer
xanto x1 is an elephant of species x2
lo xanto an elephant
lo se xanto a species of elephant
xarci x1 is a weapon for use against x2 by x3
lo xarci a weapon
lo se xarci something a weapon is used against
lo te xarci a weapon user
xarju x1 is a pig of species x2
lo xarju a pig
lo se xarju a species of pig
xarnu x1 stubbornly opposes x2 about x3
lo xarnu something stubborn
lo se xarnu something stubbornly opposed
lo te xarnu a subject of stubbornness
xasli x1 is a donkey of species x2
lo xasli a donkey
lo se xasli a species of donkey
xasne x1 is sweat from x2 excreted via x3
lo xasne sweat
lo se xasne something sweating
lo te xasne a sweating gland
xatra x1 is a letter to x2 from x3 with content x4
lo xatra a letter
lo se xatra an audience for a letter
lo te xatra an author of a letter
lo ve xatra a content of a letter
xatsi x1 is 10 to the negative eighteenth of x2 in dimension or aspect x3
lo xatsi a 10 to the negative eighteenth
lo se xatsi something with 10 to the negative eighteenths
lo te xatsi a 10 to the negative eighteenth aspect
xazdo x1 is Asian in aspect x2
lo xazdo something Asiatic
lo se xazdo an Asiatic aspect
xebni x1 hates or despises x2
lo xebni a hater
lo se xebni something hated
xebro x1 is Hebrew in aspect x2
lo xebro something Hebrew
lo se xebro a Hebrew aspect
xecto x1 is a hundred of x2 in dimension or aspect x3
lo xecto a hundred
lo se xecto something with hundreds
lo te xecto a hundreds aspect
xedja x1 is a jaw of x2
lo xedja a jaw
lo se xedja something with a jaw
xekri x1 is black
lo xekri something black
xelso x1 is Greek in aspect x2
lo xelso something Greek
lo se xelso a Greek aspect
xendo x1 is kind to x2 in doing x3
lo xendo something kind
lo se xendo something to which something is kind
lo te xendo an act of kindness
xenru x1 regrets x2
lo xenru a regretter
lo se xenru something regretted
xexso x1 is 10 to the eighteenth of x2 in dimension or aspect x3
lo xexso a 10 to the eighteenth
lo se xexso something with 10 to the eighteenths
lo te xexso a 10 to the eighteenth aspect
xindo x1 is Hindi in aspect x2
lo xindo something Hindi
lo se xindo a Hindi aspect
xinmo x1 is a quantity of ink of color x2 used by writing device x3.
lo xinmo a quantity of ink
lo se xinmo a colour of ink
lo te xinmo a writing device using ink
xirma x1 is a horse of species x2
lo xirma a horse
lo se xirma a species of horse
xislu x1 is a wheel of vehicle x2 made of x3
lo xislu a wheel
lo se xislu something with a wheel
lo te xislu a material of a wheel
xispo x1 is Hispanic-American in aspect x2
lo xispo something Hispanic
lo se xispo a Hispanic aspect
xlali x1 is bad for x2 by standard x3
lo xlali something bad
lo se xlali something for which something is bad
lo te xlali a standard of badness
xlura x1 lures or influences x2 into x3 by influence x4
lo xlura a lurer
lo se xlura something lured
lo te xlura something that something is lured into
lo ve xlura a lure
xotli x1 is a hotel or inn at x2 operated by x3
lo xotli a hotel
lo se xotli a location of a hotel
lo te xotli an operator of a hotel
xrabo x1 is Arabic in aspect x2
lo xrabo something Arabic
lo se xrabo an Arabic aspect
xrani x1 injures x2 in property x3 resulting in injury x4
lo xrani something causing injury
lo se xrani something injured
lo te xrani a property of injury
lo ve xrani an injury
xriso x1 is Christian in aspect x2
lo xriso something Christian
lo se xriso a Christian aspect
xruba x1 is a quantity of buckwheat of species x2
lo xruba a quantity of buckwheat
lo se xruba a species of buckwheat
xruki x1 is a turkey of species x2
lo xruki a turkey
lo se xruki a species of turkey
xrula x1 is a flower of plant or species x2
lo xrula a flower
lo se xrula a flowering plant
xruti x1 returns x2 to x3 from x4
lo xruti a returner
lo se xruti something returned
lo te xruti something that something is returned to
lo ve xruti something that something is returned from
xukmi x1 is the chemical x2 with purity x3
lo xukmi a chemical
lo se xukmi a type of chemical
lo te xukmi a purity of chemical
xunre x1 is red
lo xunre a red
xurdo x1 is Urdu in aspect x2
lo xurdo something Urdu
lo se xurdo an Urdu aspect
xusra x1 claims or asserts that x2 is true
lo xusra a claimant
lo se xusra a claim
xutla x1 is smooth
lo xutla something smooth
zabna x1 is a favorable connotation or sense of x2 used by x3.
lo zabna a favourable sense
lo se zabna something with a favourable sense
lo te zabna something using a favourable sense
zajba x1 is a gymnast performing x2
lo zajba a gymnast
lo se zajba a gymnastic feat
zalvi x1 grinds x2 into powder x3
lo zalvi a grinder
lo se zalvi something ground
lo te zalvi a powder produced by griding
zanru x1 approves of x2
lo zanru an approver
lo se zanru something approved of
zarci x1 is a market selling x2 operated by x3
lo zarci a market
lo se zarci something sold at a market
lo te zarci an operator of a market
zargu x1 is a buttocks of x2
lo zargu a buttocks
lo se zargu something with a buttocks
zasni x1 is temporary in property x2 by standard x3
lo zasni something temporary
lo se zasni a property of temporariness
lo te zasni a standard of temporariness
zasti x1 exists or is real to x2 under metaphysics x3
lo zasti something existing
lo se zasti something to which something exists
lo te zasti a metaphysics of existence
zbabu x1 is a quantity of soap from x2 including composition x3
lo zbabu a quantity of soap
lo se zbabu a source of soap
lo te zbabu a composition of soap
zbani x1 is a bay of coast x2
lo zbani a bay
lo se zbani a shoreline with bay
zbasu x1 makes or assembles x2 from parts x3
lo zbasu a maker
lo se zbasu something made
lo te zbasu a part used to make something
zbepi x1 is a pedestal supporting x2 made of x3
lo zbepi a pedestal
lo se zbepi something supported by pedestal
lo te zbepi a material of a pedestal
zdani x1 is a home of x2
lo zdani a home
lo se zdani something with a home
zdile x1 is amusing to x2 in property x3
lo zdile something amusing
lo se zdile something amused
lo te zdile a property of amusement
zekri x1 is a crime to x2
lo zekri a crime
lo se zekri something to which something is a crime
zenba x1 increases in x2 by amount x3
lo zenba something increasing
lo se zenba something in which something increases
lo te zenba an amount of increase
zepti x1 is 10 to the negative twenty-first of x2 in dimension or aspect x3
lo zepti a 10 to the negative twenty-first
lo se zepti something with 10 to the negative twenty-firsts
lo te zepti a 10 to the negative twenty-first aspect
zetro x1 is 10 to the twenty-first of x2 in dimension or aspect x3
lo zetro a 10 to the twenty-first
lo se zetro something with 10 to the twenty-firsts
lo te zetro a 10 to the twenty-first aspect
zgana x1 observes x2 using sense x3 under conditions x4
lo zgana an observeer
lo se zgana something observed
lo te zgana a means of observation
lo ve zgana a condition of observation
zgike x1 is music performed by x2
lo zgike music
lo se zgike a performer of music
zifre x1 is at liberty or free to do or be x2 under conditions x3
lo zifre something at liberty
lo se zifre something allowed by a liberty
lo te zifre a condition of liberty
zinki x1 is a quantity of zinc
lo zinki a quantity of zinc
zirpu x1 is purple
lo zirpu something purple
zivle x1 invests x2 into x3 expecting profit x4
lo zivle an invester
lo se zivle something invested
lo te zivle something invested in
lo ve zivle an expected profit of an investment
zmadu x1 exceeds or is more than x2 in x3 by amount x4
lo zmadu an exceeder
lo se zmadu something exceeded
lo te zmadu a property of exceeding
lo ve zmadu an amount of exceeding
zmiku x1 is automatic in function x2 under conditions x3
lo zmiku something automatic
lo se zmiku an automatic function
lo te zmiku a condition of automation
zukte x1 takes action x2 for purpose x3
lo zukte a taker of action
lo se zukte an action taken
lo te zukte a purpose of an action taken
zumri x1 is is a quantity of corn or maize of species x2
lo zumri a quantity of maize
lo se zumri a species of maize
zungi x1 feels guilt about x2
lo zungi a feeler of guilt
lo se zungi a cause of guilt
zunle x1 is to the left of x2 in frame of reference x3
lo zunle something to the left of something
lo se zunle something to which something is left of
lo te zunle a frame of reference in which something is to the left
zunti x1 interferes with or disrupts x2 due to quality x3
lo zunti a hinderer
lo se zunti something hindered
lo te zunti a quality in which something hinders
zutse x1 sits on x2
lo zutse a sitter
lo se zutse a surface sat on
zvati x1 is present at x2
lo zvati something which is present
lo se zvati a location something is present at
}}}
<<tiddler HideTiddlerTags>>{{small smallform{
<html><form style='display:inline;white-space:nowrap;' onsubmit='this.pavysisku.click();return false;'>
<table><tr><td style='width:33%;font-size:1.4em;'>
tolcri zoi zoi.<input name=pattern id='tolcri' style='width:auto;font-size:1.4em;' value='' title='tolcri' autofocus>
<input type=button style='width:auto;font-size:1.0em;' name=pavysisku value='zoi.' onclick="
var f=this.form;
var target=f.nextSibling; removeChildren(target);
var arrRestStr=[];
var outa=[];
var outb=[];
var outc=[];
var outd=[];
var oute=[];
var Couta=[];
var Coutb=[];
var Coutc=[];
var Coutd=[];
var Coute=[];
var tempa;
var tempb='';
var tempc;
var tempd;
var tempe;
var tb='[^\t]*?\t';
var fpvd;
var sle='>|>|@@margin-top:0px;padding-left:0.5em;padding-right:0.5em;font-size:1em;float:right;font-weight:normal;border:1px solid #393939;margin-top:-1px;color:#fff;background:#db4;display:block;//[[';
var slewhite='>|>|@@margin-top:0px;padding-left:0.5em;padding-right:0.5em;font-size:1em;float:right;font-weight:normal;border:1px solid #222;margin-top:-1px;color:#fff;background:#999;display:block;//[[';
Array.prototype.diff = function(a) {
return this.filter(function(i) {return !(a.indexOf(i) > -1);});
};
var tids=store.getTaggedTiddlers('dic');
fpv = f.pattern.value.toLowerCase();
fpvd=fpv;
if(fpv.length == 0) {
tempb='//The following dictionaries are in the database://';
for (var t=0; t<tids.length; t++) {
tempb= tempb + '\n[['+tids[t].title+']]';
}
wikify(tempb,target);
return;}
for (var t=0; t<tids.length; t++) {
arrRestStr=store.getTiddlerText(tids[t].title,'').split('\n');
//precise
tempa=arrRestStr.filter(/./.test.bind(new RegExp('^'+fpv+'\t','i')));
arrRestStr = arrRestStr.diff(tempa);
//tempb=arrRestStr.filter(/./.test.bind(new RegExp('^'+'(|[^\t]*?[;\.\042])'+fpv+'[!;\.\042\t]','i')));
//arrRestStr = arrRestStr.diff(tempb);
tempc=arrRestStr.filter(/./.test.bind(new RegExp('^'+'(|[^\t]*?[;\.\042, ])'+fpv+'[!;\.\042, \t]','i')));
arrRestStr = arrRestStr.diff(tempc);
if (tempa.length+tempb.length+tempc.length>0) outa = outa.concat([sle+tids[t].title+']]//@@']);
outa = outa.concat(tempa.slice(0,30)).concat(tempc.slice(0,30));
//now vague
tempd=arrRestStr.filter(/./.test.bind(new RegExp('^'+'(|[^\t]*?[;\.\042, ])'+fpv,'i')));
arrRestStr = arrRestStr.diff(tempd);
tempe=arrRestStr.filter(/./.test.bind(new RegExp('^'+'(|[^\t]*?)'+fpv,'i')));
arrRestStr = arrRestStr.diff(tempe);
if (tempd.length+tempe.length>0) outd = outd.concat([slewhite+tids[t].title+']]//@@']);
outd = outd.concat(tempd.slice(0,30)).concat(tempe.slice(0,30));
//Cout precise
tempa=arrRestStr.filter(/./.test.bind(new RegExp('^'+tb+fpv+'$','i')));
arrRestStr = arrRestStr.diff(tempa);
//tempb=arrRestStr.filter(/./.test.bind(new RegExp('^'+tb+'(|[^\t]*?[;\.\042])'+fpv+'([!;\.\042\t]|$)','i')));
//arrRestStr = arrRestStr.diff(tempb);
tempc=arrRestStr.filter(/./.test.bind(new RegExp('^'+tb+'(|[^\t]*?[;\.\042, ])'+fpv+'([!;\.\042, \t]|$)','i')));
arrRestStr = arrRestStr.diff(tempc);
if (tempa.length+tempb.length+tempc.length>0) Couta = Couta.concat([sle+tids[t].title+']]//@@']);
Couta = Couta.concat(tempa.slice(0,30)).concat(tempc.slice(0,30));
//now vague
tempd=arrRestStr.filter(/./.test.bind(new RegExp('^'+tb+'(|[^\t]*?[;\.\042, ])'+fpv+'([!;\.\042, \t]|$)','i')));
arrRestStr = arrRestStr.diff(tempd);
tempe=arrRestStr.filter(/./.test.bind(new RegExp('^'+tb+'(|[^\t]*?)'+fpv,'i')));
arrRestStr = arrRestStr.diff(tempe);
if (tempd.length+tempe.length>0) Coutd = Coutd.concat([slewhite+tids[t].title+']]//@@']);
Coutd = Coutd.concat(tempd.slice(0,30)).concat(tempe.slice(0,30));
//Coute = Coute.concat(tempe.slice(0,30));
}
//concat all arrays, reformat to tw-table formatting
if (outa.length>0) outa = ['>\t>\t!in source words:'].concat(outa);
if (Couta.length>0) Couta = ['>\t>\t!in translation:'].concat(Couta);
if (outa.length+Couta.length>0) outa = ['>\t>\t!PRECISE SEARCH'].concat(outa);
//vague search output
if (outd.length>0) outd = ['>\t>\tbackground-color:#999;!in source words:'].concat(outd);
if (Coutd.length>0) Coutd = ['>\t>\tbackground-color:#999;!in translation:'].concat(Coutd);
if (outd.length+Coutd.length>0) outd = ['>\t>\tbackground-color:#999;!SEQUENCE SEARCH'].concat(outd);
tids = outa.concat(Couta).concat(outd).concat(Coutd).join('\n').replace(/(^|\t|$)/img,'|');
//output this fucking string!
if (tids.length>3) {wikify(tids,target);}else{wikify('No words found',target);}
"></td></tr></table></form><div></div></html>
}}}
<html>
<table cellpadding=8 cellspacing=0 border=4>
<tr>
<td bgcolor="silver">
<font size=4 color="white">
le skari gismu</font></td>
<td bgcolor="silver">
<font size=4 color="white">le mifra ju'u paxa</font></td></tr>
<tr><td bgcolor="white">
blabi</td>
<td bgcolor="#FFFFFF">
FFFFFF</td></tr>
<tr><td bgcolor="gray">
<font color="white">grusi</font></td>
<td bgcolor="#808080">
<font color="white">808080</font></td></tr>
<tr><td bgcolor="black">
<font color="white">xekri</font></td>
<td bgcolor="#000000">
<font color="white">000000</font></td></tr>
<tr><td bgcolor="red">
<font color="white">xunre</font></td>
<td bgcolor="#FF0000">
<font color="white">FF0000</font></td></tr>
<tr><td bgcolor="lime">
crino</td><td bgcolor="#00FF00">
00FF00</td></tr>
<tr><td bgcolor="blue">
<font color="white">blanu</font></td>
<td bgcolor="#0000FF">
<font color="white">0000FF</font></td></tr>
<tr><td bgcolor="yellow">
pelxu</td>
<td bgcolor="#FFFF00">
FFFF00</td></tr>
<tr><td bgcolor="cyan">
cicna</td>
<td bgcolor="#00FFFF">
00FFFF</td></tr>
<tr><td bgcolor="#FF0080">
nukni</td>
<td bgcolor="#FF0080">
FF0080</td></tr>
<tr><td bgcolor="#8000FF">
zirpu</td>
<td bgcolor="#8000FF">
8000FF</td></tr>
<tr><td bgcolor="sienna">
bunre</td>
<td bgcolor="#A0522D">
A0522D</td></tr>
<tr><td bgcolor="orange">
narju</td>
<td bgcolor="#FFA500">
FFA500</td></tr>
</table>
</html>
config.messages.backstage.open.text="";
config.messages.backstage.close.text="";
config.options.chkShowRightSidebar=false;
config.options.txtToggleRightSideBarLabelShow="jbobau";
config.options.txtToggleRightSideBarLabelHide="jbobau";
config.options.chkSinglePageMode=true;
config.options.chkSinglePagePermalink=true;
config.options.chkDisableWikiLinks=true;