Add text/plan, open office and xls transformation support.

This commit is contained in:
Paulo Gustavo Veiga 2013-03-28 17:01:42 -03:00
parent 3137f78cce
commit 06210ab95b
161 changed files with 37030 additions and 12 deletions

View File

@ -9,7 +9,7 @@
<groupId>org.wisemapping</groupId>
<artifactId>wisemapping</artifactId>
<relativePath>../pom.xml</relativePath>
<version>3.0-SNAPSHOT</version>
<version>3.1-SNAPSHOT</version>
</parent>
<repositories>

View File

@ -26,9 +26,12 @@ public enum ExportFormat {
PNG("image/png", "png"),
PDF("application/pdf", "pdf"),
FREEMIND("application/freemind", "mm"),
TEXT("text/plain", "txt"),
MICROSOFT_EXCEL("application/vnd.ms-excel", "xls"),
MICROSOFT_WORD("application/msword", "doc"),
OPEN_OFFICE_WRITER("application/vnd.oasis.opendocument.text", "odt"),
WISEMAPPING("application/wisemapping+xml", "wxml");
private String contentType;
private String fileExtension;

View File

@ -19,10 +19,11 @@
package com.wisemapping.exporter;
import com.wisemapping.model.Mindmap;
import org.jetbrains.annotations.NotNull;
import java.io.OutputStream;
public interface Exporter {
public void export(byte[] xml, OutputStream outputStream) throws ExportException;
public void export(@NotNull byte[] xml, @NotNull OutputStream outputStream) throws ExportException;
public void export(Mindmap map, OutputStream outputStream) throws ExportException;
}

View File

@ -124,6 +124,21 @@ public class ExporterFactory {
output.write(svgString.getBytes("UTF-8"));
break;
}
case TEXT: {
final Exporter exporter = XSLTExporter.create(XSLTExporter.Type.TEXT);
exporter.export(xml.getBytes("UTF-8"), output);
break;
}
case OPEN_OFFICE_WRITER: {
final Exporter exporter = XSLTExporter.create(XSLTExporter.Type.OPEN_OFFICE);
exporter.export(xml.getBytes("UTF-8"), output);
break;
}
case MICROSOFT_EXCEL: {
final Exporter exporter = XSLTExporter.create(XSLTExporter.Type.MICROSOFT_EXCEL);
exporter.export(xml.getBytes("UTF-8"), output);
break;
}
case FREEMIND: {
final FreemindExporter exporter = new FreemindExporter();
exporter.export(xml.getBytes("UTF-8"), output);

View File

@ -0,0 +1,88 @@
package com.wisemapping.exporter;
import com.wisemapping.model.Mindmap;
import org.jetbrains.annotations.NotNull;
import javax.xml.transform.Source;
import javax.xml.transform.Transformer;
import javax.xml.transform.TransformerException;
import javax.xml.transform.TransformerFactory;
import javax.xml.transform.stream.StreamResult;
import javax.xml.transform.stream.StreamSource;
import java.io.*;
public class XSLTExporter implements Exporter {
private Type type;
public XSLTExporter(@NotNull Type type) {
this.type = type;
}
@Override
public void export(@NotNull byte[] xml, @NotNull OutputStream outputStream) throws ExportException {
final ByteArrayOutputStream mmos = new ByteArrayOutputStream();
// Convert to freemind ...
final FreemindExporter exporter = new FreemindExporter();
exporter.export(xml, mmos);
// Convert to xslt transform ...
final InputStream xsltis = this.getClass().getResourceAsStream("/com/wisemapping/export/xslt/" + type.getXsltName());
if (xsltis == null) {
throw new IllegalStateException("XSLT could not be resolved.");
}
try {
final TransformerFactory factory = TransformerFactory.newInstance();
final Source xslt = new StreamSource(xsltis);
Transformer transformer = factory.newTransformer(xslt);
final CharArrayReader reader = new CharArrayReader(mmos.toString("iso-8859-1").toCharArray());
final Source mmSource = new StreamSource(reader);
transformer.transform(mmSource, new StreamResult(outputStream));
} catch (TransformerException e) {
throw new ExportException(e);
} catch (UnsupportedEncodingException e) {
throw new ExportException(e);
}
}
@Override
public void export(@NotNull Mindmap map, OutputStream outputStream) throws ExportException {
throw new UnsupportedOperationException();
}
@NotNull
public static Exporter createTextExporter() {
return create(Type.TEXT);
}
@NotNull
public static Exporter create(@NotNull Type type) {
return new XSLTExporter(type);
}
public static enum Type {
TEXT("mm2text.xsl"),
WORD("mm2wordml_utf8.xsl"),
CSV("mm2csv.xsl"),
LATEX("mm2latex.xsl"),
MICROSOFT_EXCEL("mm2xls_utf8.xsl"),
OPEN_OFFICE("mm2oowriter.xsl");
public String getXsltName() {
return xsltName;
}
private String xsltName;
Type(@NotNull String xstFile) {
this.xsltName = xstFile;
}
}
}

View File

@ -88,6 +88,38 @@ public class MindmapController extends BaseController {
return new ModelAndView("transformViewFreemind", values);
}
@RequestMapping(method = RequestMethod.GET, value = "/maps/{id}", produces = {"text/plain"}, params = {"download=txt"})
@ResponseBody
public ModelAndView retrieveDocumentAsText(@PathVariable int id) throws IOException {
final Mindmap mindMap = mindmapService.findMindmapById(id);
final Map<String, Object> values = new HashMap<String, Object>();
values.put("content", mindMap.getXmlStr());
values.put("filename", mindMap.getTitle());
return new ModelAndView("transformViewTxt", values);
}
@RequestMapping(method = RequestMethod.GET, value = "/maps/{id}", produces = {"application/vnd.ms-excel"}, params = {"download=xls"})
@ResponseBody
public ModelAndView retrieveDocumentAsExcel(@PathVariable int id) throws IOException {
final Mindmap mindMap = mindmapService.findMindmapById(id);
final Map<String, Object> values = new HashMap<String, Object>();
values.put("content", mindMap.getXmlStr());
values.put("filename", mindMap.getTitle());
return new ModelAndView("transformViewXls", values);
}
@RequestMapping(method = RequestMethod.GET, value = "/maps/{id}", produces = {"application/vnd.oasis.opendocument.text"}, params = {"download=odt"})
@ResponseBody
public ModelAndView retrieveDocumentAsOdt(@PathVariable int id) throws IOException {
final Mindmap mindMap = mindmapService.findMindmapById(id);
final Map<String, Object> values = new HashMap<String, Object>();
values.put("content", mindMap.getXmlStr());
values.put("filename", mindMap.getTitle());
return new ModelAndView("transformViewOdt", values);
}
@RequestMapping(method = RequestMethod.GET, value = "/maps/", produces = {"application/json", "text/html", "application/xml"})
public ModelAndView retrieveList(@RequestParam(required = false) String q) throws IOException {
final User user = Utils.getUser();

View File

@ -86,6 +86,9 @@ public class TransformView extends AbstractView {
final Object mindmap = viewMap.get("mindmap");
final StreamResult result = new StreamResult(outputStream);
jaxbMarshaller.marshal(mindmap, result);
} else if (exportFormat == ExportFormat.MICROSOFT_EXCEL || exportFormat == ExportFormat.TEXT || exportFormat == ExportFormat.OPEN_OFFICE_WRITER) {
response.setCharacterEncoding("UTF-8");
factory.export(properties, content, outputStream, null);
} else {
factory.export(properties, null, outputStream, content);
}

View File

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

Binary file not shown.

After

Width:  |  Height:  |  Size: 209 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 447 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 203 B

View File

@ -0,0 +1,473 @@
/* MarkTree JavaScript code
*
* Distributed under the terms of the MIT License.
* See "LICENCE.MIT" or http://www.opensource.org/licenses/mit-license.php for details.
*
* Software distributed under the License is distributed on an "AS IS" basis,
* WITHOUT WARRANTY OF ANY KIND, either express or implied. See the License
* for the specific language governing rights and limitations under the
* License.
*
* Miika Nurminen, 12.7.2004.
*/
/* cross-browser (tested with ie5, mozilla 1 and opera 5) keypress detection */
function get_keycode(evt) {
// IE
code = document.layers ? evt.which
: document.all ? event.keyCode // event.keyCode!=evt.keyCode!
: evt.keyCode;
if (code==0)
code=evt.which; // for NS
return code;
}
var lastnode=null;
var listnodes = null;
var list_index=1;
var lastnodetype=''; // determines if node is a link, input or text;
// up, left, down, right, keypress codes
//ijkl
//var keys = new Array(105,106,107,108);
//num arrows
//var keys = new Array(56,52,50,54);
//wasd
// var press2 = new Array(119,97,115,100);
var press = new Array(47,45,42,43);
// keydown codes
// var keys2=new Array(87,65,83,68);
var keys= new Array(38,37,40,39);
// keyset 1 = keydown, otherwise press
function checkup(keyset,n) {
if (keyset==1) return (n==keys[0]);
return ((n==press[0]) /*|| (n==press2[0])*/)
}
function checkdn(keyset,n) {
if (keyset==1) return (n==keys[2]);
return ((n==press[2]) /*|| (n==press2[2])*/)
}
function checkl(keyset,n) {
if (keyset==1) return (n==keys[1]);
return ((n==press[1]) /*|| (n==press2[1])*/)
}
function checkr(keyset,n) {
if (keyset==1) return (n==keys[3]);
return ((n==press[3]) /*|| (n==press2[3])*/)
}
function is_exp(n) {
if (n==null) return false;
return ((n.className=='exp') || (n.className=='exp_active'));
}
function is_col(n) {
if (n==null) return false;
return ((n.className=='col') || (n.className=='col_active'));
}
function is_basic(n) {
if (n==null) return false;
return ((n.className=='basic') || (n.className=='basic_active'));
}
/* returns i>=0 if true */
function is_active(node) {
if (node.className==null) return false
return node.className.indexOf('_active');
}
function toggle_class(node) {
if ((node==null) || (node.className==null)) return;
str=node.className;
result="";
i = str.indexOf('_active');
if (i>0)
result= str.substr(0,i);
else
result= str+"_active";
node.className=result;
return node;
}
function activate(node) {
node.style.backgroundColor='#eeeeff';
}
function deactivate(node) {
node.style.backgroundColor='#ffffff';
}
function is_list_node(n) {
if (n==null) return false;
if (n.className==null) return false;
if ( (is_exp(n)) ||
(is_col(n)) ||
(is_basic(n)) )
return true; else return false;
}
function get_href(n) {
alist=n.attributes;
if (alist!=null) {
hr = alist.getNamedItem('href');
if (hr!=null) return hr.nodeValue;
}
if (n.childNodes.length==0) return '';
for (var i=0; i<n.childNodes.length; i++) {
s = get_href(n.childNodes[i]);
if (s!='') return s;
}
return '';
}
function get_link(n) {
if (n==null) return null;
if (n.style==null) return null;
// disabling uncontrolled recursion to prevent error messages on IE
// when trying to focus to invisible links (readonly mode)
// alert(n.nodeName+' '+n.className);
if ((n.nodeName=='UL') && (n.className=='sub')) return null;
if (n.nodeName=='A') return n;
if (n.childNodes.length==0) return null;
for (var i=0; i<n.childNodes.length; i++) {
s = get_link(n.childNodes[i]);
if (s!=null) return s;
}
return null;
}
function set_lastnode(n) {
/*var d = new Date();
var t_mil = d.getMilliseconds();*/
// testattu nopeuksia explorerilla, ei merkittäviä eroja
if (lastnode==n) return;
/* deactivate(lastnode)
lastnode=n;
activate(lastnode);*/
if (is_active(lastnode)>=0)
toggle_class(lastnode);
lastnode=n;
if (!(is_active(lastnode)>=0))
toggle_class(lastnode);
/*var d2 = new Date();
var t_mil2 = d2.getMilliseconds();
window.alert(t_mil2-t_mil);*/
}
function next_list_node() {
tempIndex = list_index;
while (tempIndex<listnodes.length-1) {
tempIndex++;
var x = listnodes[tempIndex];
if (is_list_node(x)) {
list_index=tempIndex;
return;
}
}
}
function prev_list_node() {
tempIndex = list_index;
while (tempIndex>0) {
tempIndex--;
var x = listnodes[tempIndex];
if (is_list_node(x)) {
list_index=tempIndex;
return;
}
}
}
function getsub (li) {
if (li.childNodes.length==0) return null;
for (var c = 0; c < li.childNodes.length; c++)
if ( (li.childNodes[c].className == 'sub') || (li.childNodes[c].className == 'subexp') )
return li.childNodes[c];
}
function find_listnode_recursive (li) {
if (is_list_node(li)) return li;
if (li.childNodes.length==0) return null;
result=null;
for (var c = 0; c < li.childNodes.length; c++) {
result=find_listnode_recursive(li.childNodes[c]);
if (result!=null) return result;
}
return null;
}
function next_child_listnode(li) {
var result=null;
for (var i=0; i<li.childNodes.length; i++) {
result=find_listnode_recursive(li.childNodes[i]);
if (result!=null) return result;
}
return null;
}
function next_actual_sibling_listnode(li) {
if (li==null) return null;
var temp=li;
while (1) {
var n = temp.nextSibling;
if (n==null) {
n=parent_listnode(temp);
return next_actual_sibling_listnode(n);
}
if (is_list_node(n)) return n;
temp=n;
}
}
function next_sibling_listnode(li) {
if (li==null) return null;
var result=null;
var temp=li;
if (is_col(temp)) return next_child_listnode(temp);
while (1) {
var n = temp.nextSibling;
if (n==null) {
n=parent_listnode(temp);
return next_actual_sibling_listnode(n);
}
if (is_list_node(n)) return n;
temp=n;
}
}
function last_sibling_listnode(li) {
if (li==null) return null;
var temp=li;
var last=null;
while(1) {
var n = temp.nextSibling;
if (is_list_node(temp))
last = temp;
if (n==null) {
if (is_col(last)) return last_sibling_listnode(next_child_listnode(last));
else return last;
}
temp = n;
}
}
function prev_sibling_listnode(li) {
if (li==null) return null;
var temp=li;
var n = null;
while (1) {
n = temp.previousSibling;
if (n==null) {
return parent_listnode(li);
}
if (is_list_node(n)) {
if (is_col(n)) {
return last_sibling_listnode(next_child_listnode(n));
}
else {
return n;
}
}
temp=n;
}
}
function parent_listnode(li) {
// added 12.7.2004 to prevent IE error when readonly mode==true
if (li==null) return null;
n=li;
while (1) {
n=n.parentNode;
if (n==null) return null;
if (is_list_node(n)) return n;
}
}
function getVisibleParents(id) {
var n = document.getElementById(id);
while(1) {
expand(n);
n = parent_listnode(n);
if (n==null) return;
}
}
function onClickHandler (evt) {
if (lastnode==null)
{
listnodes = document.getElementsByTagName('li');
lastnode=listnodes[1];
temp=listnodes[1];
}
var target = evt ? evt.target : event.srcElement;
if (!is_list_node(target)) return;
toggle(target);
set_lastnode(target);
}
function expand(node) {
if (!is_exp(node)) return;
if (node.className=='exp_active')
node.className='col_active';
else
node.className='col';
setSubClass(node,'subexp');
// getsub(node).className='subexp';
}
function collapse(node) {
if (!is_col(node)) return;
if (node.className=='col_active')
node.className='exp_active'
else
node.className='exp';
setSubClass(node,'sub');
// getsub(node).className='sub';
}
function setSubClass(node,name) {
sub = getsub(node);
if (sub==null) return;
sub.className=name;
}
function toggle(target) {
if (!is_list_node(target)) return;
if (is_col(target)) {
target.className='exp';
setSubClass(target,'sub');
// getsub(target).className='sub';
}
else if (is_exp(target)) {
target.className='col';
setSubClass(target,'subexp');
// getsub(target).className='subexp';
}
}
function expandAll(node) {
if (node.className=='exp') {
node.className='col';
setSubClass(node,'subexp');
// getsub(node).className='subexp';
}
var i;
if (node.childNodes!=null)
// if (node.hasChildNodes())
for ( i = 0; i<node.childNodes.length; i++)
expandAll(node.childNodes[i]);
}
function collapseAll(node) {
if (node.className=='col') {
node.className='exp';
setSubClass(node,'sub');
// getsub(node).className='sub';
}
var i;
if (node.childNodes!=null)
// for opera if (node.hasChildNodes())
for ( i = 0; i<node.childNodes.length; i++)
collapseAll(node.childNodes[i]);
}
function unFocus(node) {
// unfocuses potential link that is to be hidden (if a==null there is no link so it should not be blurred).
// tested with mozilla 1.7, 12.7.2004. /mn (
intemp=parent_listnode(node);
a = get_link(intemp); // added 6.4. to get keyboard working with
// moved before collapse to prevent an error message with IE when readonly==true
if (a!=null) a.blur(); // netscape after collapsing a focused node
return intemp;
}
// mode: 0==keypress, 1==keyup
function keyfunc(evt,mode) {
var c = get_keycode(evt);
var temp = null;
var a = null;
if (lastnode==null) {
listnodes = document.getElementsByTagName('li');
lastnode=listnodes[1];
temp=listnodes[1];
}
//window.alert(c);
if (checkup(mode,c)) { // i
temp=prev_sibling_listnode(lastnode);
}
else if (checkdn(mode,c)) { // k
temp=next_sibling_listnode(lastnode);
}
else if (checkr(mode,c)) { // l
expand(lastnode);
// temp=next_child_listnode(lastnode);
// if (temp==null) {
a = get_link(lastnode);
if (a!=null) a.focus(); else self.focus();
//}
}
else if (checkl(mode,c)) { // j
if (is_col(lastnode)) {
unFocus(lastnode);
collapse(lastnode);
}
else {
temp=unFocus(lastnode);
collapse(temp);
}
// if (temp==null) lastnode.focus(); // forces focus to correct div (try mozilla typesearch) (doesn't seem to work -mn/6.4.2004)
}
else return;
if (temp!=null) set_lastnode(temp);
// alert('pressed ' + String.fromCharCode(c) + '(' + c + ')');
return true;
}
function keytest (evt) {
return keyfunc(evt,1);
};
function presstest (evt) {
return keyfunc(evt,0);
};
document.onclick = onClickHandler;
document.onkeypress = presstest;
document.onkeyup = keytest;

View File

@ -0,0 +1,23 @@
% Formatvorlage für Spezifikation
\documentclass[a4paper,11pt,footsepline,headsepline]{scrbook}
\usepackage{makeidx}
\usepackage[german]{babel}
\usepackage[pdftex,colorlinks=true,linkcolor=blue]{hyperref}
%\usepackage{supertab}
\usepackage[latin1]{inputenc}
%\usepackage{marvosym}
\usepackage[pdftex]{graphicx}
% Bitte die folgenden Parameter jeweils korrekt eintragen
\author{Wolfgang Radke}
\title{Transforming Mindmaps in \LaTeX-Files}
\begin{document} % Ab hier geht der eigentliche Text los
\DeclareGraphicsExtensions{.jpg,.pdf,.mps,.png} % fur Paket graphicx
% To include a graphics file
%\includegraphics{filename_to_include}
%\begin{abstract}
%Dieses Dokument fasst die bisher erstellten Einzeldokumente zum Thema 'Smart Grid / Smart-Metering' zusammen.
%\end{abstract}
{\newpage\parskip0pt\tableofcontents\newpage}
\input{mm2latex_latin1_TEMPLATE.tex}
\end{document}

View File

@ -0,0 +1,138 @@
<?xml version="1.0" standalone="no" ?>
<!--
: Convert from MindManager (c) to FreeMind ( ;) ).
:
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
:
: Christian Foltin, June, 2005
:
: $Id: mindmanager2mm.xsl,v 1.1.2.3.4.3 2007/10/17 19:54:36 christianfoltin Exp $
:
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:ap="http://schemas.mindjet.com/MindManager/Application/2003"
xmlns:cor="http://schemas.mindjet.com/MindManager/Core/2003"
xmlns:pri="http://schemas.mindjet.com/MindManager/Primitive/2003"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:xhtml="http://www.w3.org/1999/xhtml" >
<xsl:strip-space elements="*" />
<xsl:output method="xml" indent="yes" encoding="UTF-8" />
<xsl:template match="/ap:Map">
<map version="0.9.0">
<xsl:apply-templates select="ap:OneTopic/ap:Topic"/>
</map>
</xsl:template>
<xsl:template match="ap:Topic">
<node>
<xsl:attribute name="TEXT">
<xsl:value-of select="./ap:Text/@PlainText" />
</xsl:attribute>
<xsl:attribute name="POSITION">
<xsl:choose>
<xsl:when test="ancestor-or-self::ap:Topic/ap:Offset/@CX &gt; 0"><xsl:text>right</xsl:text></xsl:when>
<xsl:otherwise><xsl:text>left</xsl:text></xsl:otherwise>
</xsl:choose>
</xsl:attribute>
<xsl:choose>
<xsl:when test="./ap:Hyperlink">
<xsl:attribute name="LINK">
<xsl:value-of select="./ap:Hyperlink/@Url"/>
</xsl:attribute>
</xsl:when>
<xsl:when test="./ap:Text/ap:Font/@Color">
<xsl:attribute name="COLOR">
<xsl:text>#</xsl:text><xsl:value-of
select="substring(./ap:Text/ap:Font/@Color,3)"/>
</xsl:attribute>
</xsl:when>
<xsl:when
test="./ap:SubTopicShape/@SubTopicShape='urn:mindjet:Oval'">
<xsl:attribute name="STYLE">
<xsl:text>bubble</xsl:text>
</xsl:attribute>
</xsl:when>
</xsl:choose>
<xsl:apply-templates select="./ap:NotesGroup" />
<xsl:apply-templates select="./ap:SubTopics/ap:Topic" />
<!-- <xsl:for-each select="./ap:SubTopics/ap:Topic">
<xsl:sort select="(./ap:Offset/@CX) * -1"/>
<xsl:apply-templates select="."/>
</xsl:for-each> -->
<xsl:apply-templates select="./ap:IconsGroup" />
</node>
</xsl:template>
<xsl:template match="ap:NotesGroup">
<xsl:element name="richcontent">
<xsl:attribute name="TYPE">
<xsl:text>NOTE</xsl:text>
</xsl:attribute>
<xsl:copy-of select="ap:NotesXhtmlData/xhtml:html"/>
</xsl:element>
</xsl:template>
<xsl:template match="ap:IconsGroup">
<xsl:apply-templates select="./ap:Icons" />
</xsl:template>
<xsl:template match="ap:Icons">
<xsl:apply-templates select="./ap:Icon" />
</xsl:template>
<xsl:template match="ap:Icon[@xsi:type='ap:StockIcon']">
<xsl:element name="icon">
<xsl:attribute name="BUILTIN">
<xsl:choose>
<xsl:when test="@IconType='urn:mindjet:SmileyAngry'">clanbomber</xsl:when>
<xsl:when test="@IconType='urn:mindjet:SmileyNeutral'">button_ok</xsl:when>
<xsl:when test="@IconType='urn:mindjet:SmileySad'">clanbomber</xsl:when>
<xsl:when test="@IconType='urn:mindjet:SmileyHappy'">ksmiletris</xsl:when>
<xsl:when test="@IconType='urn:mindjet:SmileyScreaming'">ksmiletris</xsl:when>
<xsl:when test="@IconType='urn:mindjet:ArrowRight'">forward</xsl:when>
<xsl:when test="@IconType='urn:mindjet:ArrowLeft'">back</xsl:when>
<!-- <xsl:when test="@IconType='urn:mindjet:TwoEndArrow'">bell</xsl:when>
<xsl:when test="@IconType='urn:mindjet:ArrowDown'">bell</xsl:when>
<xsl:when test="@IconType='urn:mindjet:ArrowUp'">bell</xsl:when> -->
<xsl:when test="@IconType='urn:mindjet:FlagGreen'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:FlagYellow'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:FlagPurple'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:FlagBlack'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:FlagBlue'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:FlagOrange'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:FlagRed'">flag</xsl:when>
<xsl:when test="@IconType='urn:mindjet:ThumbsUp'">button_ok</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Calendar'">bell</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Emergency'">messagebox_warning</xsl:when>
<xsl:when test="@IconType='urn:mindjet:OnHold'">knotify</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Stop'">button_cancel</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Prio1'">full-1</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Prio2'">full-2</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Prio3'">full-3</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Prio4'">full-4</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Prio5'">full-5</xsl:when>
<!--
<xsl:when test="@IconType='urn:mindjet:JudgeHammer'">bell</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Dollar'">bell</xsl:when>
<xsl:when test="@IconType='urn:mindjet:Resource1'">bell</xsl:when>
-->
<!-- <xsl:when test="@IconType='urn:mindjet:Resource1'">button_ok</xsl:when> -->
<xsl:otherwise>
<xsl:text>messagebox_warning</xsl:text>
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
</xsl:element>
</xsl:template>
<xsl:template match = "node()|@*" />
</xsl:stylesheet>

Binary file not shown.

After

Width:  |  Height:  |  Size: 1012 B

View File

@ -0,0 +1,37 @@
<?xml version="1.0"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="text" encoding="UTF-8"/>
<xsl:template match="/">
<xsl:apply-templates/>
</xsl:template>
<xsl:template name="linebreak">
<xsl:text>
</xsl:text>
</xsl:template>
<xsl:template match="map">
<xsl:apply-templates select="child::node"/>
</xsl:template>
<xsl:template match="node">
<xsl:param name="commaCount">0</xsl:param>
<xsl:if test="$commaCount > 0">
<xsl:call-template name="writeCommas">
<xsl:with-param name="commaCount" select="$commaCount"/>
</xsl:call-template>
</xsl:if>
<xsl:value-of select="@TEXT"/>
<xsl:call-template name="linebreak"/>
<xsl:apply-templates select="child::node">
<xsl:with-param name="commaCount" select="$commaCount + 1"/>
</xsl:apply-templates>
</xsl:template>
<xsl:template name="writeCommas">
<xsl:param name="commaCount">0</xsl:param>
<xsl:if test="$commaCount > 0">,
<xsl:call-template name="writeCommas">
<xsl:with-param name="commaCount" select="$commaCount - 1"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,140 @@
<?xml version="1.0" encoding="UTF-8" ?>
<!--
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
Document : mindmap2html.xsl
Created on : 01 February 2004, 17:17
Author : joerg feuerhake joerg.feuerhake@free-penguin.org
Description: transforms freemind mm format to html, handles crossrefs font declarations
and colors. feel free to customize it while leaving the ancient authors
mentioned. thank you
ChangeLog:
See: http://freemind.sourceforge.net/
-->
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="html" indent="no" encoding="ISO-8859-1" />
<xsl:template match="/">
<xsl:variable name="mapversion" select="map/@version"/>
<html>&#xA;
<head>&#xA;
<title><xsl:value-of select="map/node/@TEXT"/>//mm2html.xsl FreemindVersion:<xsl:value-of select="$mapversion"/></title>&#xA;
<style>
body{
font-size:10pt;
color:rgb(0,0,0);
backgound-color:rgb(255,255,255);
font-family:sans-serif;
}
p.info{
font-size:8pt;
text-align:right;
color:rgb(127,127,127);
}
</style>
</head>
&#xA;
<body>
&#xA;
<p>
<xsl:apply-templates/>
</p>
<p class="info">
<xsl:value-of select="map/node/@TEXT"/>//mm2html.xsl FreemindVersion:<xsl:value-of select="$mapversion"/>
&#xA;
</p>
</body>&#xA;
</html>&#xA;
</xsl:template>
<xsl:template match="node">
<xsl:variable name="lcletters">abcdefghijklmnopqrstuvwxyz</xsl:variable>
<xsl:variable name="ucletters">ABCDEFGHIJKLMNOPQRSTUVWXYZ</xsl:variable>
<xsl:variable name="nodetext" select="@TEXT"/>
<xsl:variable name="thisid" select="@ID"/>
<xsl:variable name="thiscolor" select="@COLOR"/>
<xsl:variable name="fontface" select="font/@NAME"/>
<xsl:variable name="fontbold" select="font/@BOLD"/>
<xsl:variable name="fontitalic" select="font/@ITALIC"/>
<xsl:variable name="fontsize" select="font/@SIZE"/>
<xsl:variable name="target" select="arrowlink/@DESTINATION"/>
<ul>&#xA;
<li>&#xA;
<xsl:if test="@ID != ''">
<a>
<xsl:attribute name="name">
<xsl:value-of select="$thisid"/>
</xsl:attribute>
</a>&#xA;
</xsl:if>
<xsl:if test="arrowlink/@DESTINATION != ''">
<a >
<xsl:attribute name="style">
<xsl:if test="$thiscolor != ''">
<xsl:text>color:</xsl:text><xsl:value-of select="$thiscolor"/><xsl:text>;</xsl:text>
</xsl:if>
<xsl:if test="$fontface != ''">
<xsl:text>font-family:</xsl:text><xsl:value-of select="translate($fontface,$ucletters,$lcletters)"/><xsl:text>;</xsl:text>
</xsl:if>
<xsl:if test="$fontsize != ''">
<xsl:text>font-size:</xsl:text><xsl:value-of select="$fontsize"/><xsl:text>;</xsl:text>
</xsl:if>
<xsl:if test="$fontbold = 'true'">
<xsl:text>font-weight:bold;</xsl:text>
</xsl:if>
<xsl:if test="$fontitalic = 'true'">
<xsl:text>font-style:italic;</xsl:text>
</xsl:if>
</xsl:attribute>
<xsl:attribute name="href">
<xsl:text>#</xsl:text><xsl:value-of select="$target"/>
</xsl:attribute>
<xsl:value-of select="$nodetext"/>
</a>&#xA;
</xsl:if>
<xsl:if test="not(arrowlink/@DESTINATION)">
<span>
<xsl:attribute name="style">
<xsl:if test="$thiscolor != ''">
<xsl:text>color:</xsl:text><xsl:value-of select="$thiscolor"/><xsl:text>;</xsl:text>
</xsl:if>
<xsl:if test="$fontface != ''">
<xsl:text>font-family:</xsl:text><xsl:value-of select="translate($fontface,$ucletters,$lcletters)"/><xsl:text>;</xsl:text>
</xsl:if>
<xsl:if test="$fontsize != ''">
<xsl:text>font-size:</xsl:text><xsl:value-of select="$fontsize"/><xsl:text>;</xsl:text>
</xsl:if>
<xsl:if test="$fontbold = 'true'">
<xsl:text>font-weight:bold;</xsl:text>
</xsl:if>
<xsl:if test="$fontitalic = 'true'">
<xsl:text>font-style:italic;</xsl:text>
</xsl:if>
</xsl:attribute>
<xsl:value-of select="$nodetext"/>&#xA;
</span>&#xA;
</xsl:if>
<xsl:apply-templates/>
</li>&#xA;
</ul>&#xA;
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,570 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
/*FreeMind - A Program for creating and viewing Mindmaps
*Copyright (C) 2000-2008 Christian Foltin and others.
*
*See COPYING for Details
*
*This program is free software; you can redistribute it and/or
*modify it under the terms of the GNU General Public License
*as published by the Free Software Foundation; either version 2
*of the License, or (at your option) any later version.
*
*This program is distributed in the hope that it will be useful,
*but WITHOUT ANY WARRANTY; without even the implied warranty of
*MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
*GNU General Public License for more details.
*
*You should have received a copy of the GNU General Public License
*along with this program; if not, write to the Free Software
*Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
-->
<xsl:stylesheet
version="1.0" xmlns="http://www.w3.org/1999/xhtml"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<!--
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0"
xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0"
xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0"
xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0"
xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0"
xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0"
xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0"
xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0"
xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0"
xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0"
xmlns:math="http://www.w3.org/1998/Math/MathML"
xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0"
xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0"
xmlns:ooo="http://openoffice.org/2004/office"
xmlns:ooow="http://openoffice.org/2004/writer"
xmlns:oooc="http://openoffice.org/2004/calc"
xmlns:dom="http://www.w3.org/2001/xml-events"
xmlns:xforms="http://www.w3.org/2002/xforms"
xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
-->
<xsl:output method="xml" version="1.0" indent="no" encoding="UTF-8" omit-xml-declaration="yes"/>
<xsl:strip-space elements="*"/>
<!-- the variable to be used to determine the maximum level of headings,
it is defined by the attribute 'head-maxlevel' of the root node if it
exists, else it's the default 3 (maximum possible is 5) -->
<xsl:variable name="maxlevel">
<xsl:choose>
<xsl:when test="//map/node/attribute[@NAME='tex-maxlevel']">
<xsl:value-of select="//map/node/attribute[@NAME='tex-maxlevel']/@VALUE"/>
</xsl:when>
<xsl:otherwise><xsl:value-of select="'3'"/></xsl:otherwise>
</xsl:choose>
</xsl:variable>
<!-- Define 'tex-img-float' how images are to be handled
if defined but empty: show images inline
every other value: used as position attribute in \begin{figure}[htb]'
if undefined: Default 'htb'
-->
<xsl:variable name="imgfloat">
<xsl:choose>
<xsl:when test="//map/node/attribute[@NAME='tex-img-float']">
<xsl:value-of select="//map/node/attribute[@NAME='tex-img-float']/@VALUE"/>
</xsl:when>
<xsl:otherwise><xsl:value-of select="'htb'"/></xsl:otherwise>
</xsl:choose>
</xsl:variable>
<xsl:template match="map">
<!-- As to now we do not use anys header because this is to be included in a latex-book -->
<xsl:apply-templates mode="heading"/>
</xsl:template>
<!-- output each node as heading -->
<xsl:template match="node" mode="heading">
<xsl:param name="level" select="0"/>
<xsl:choose> <!-- we change our mind if the NoHeading attribute is present -->
<xsl:when test="attribute/@NAME = 'NoHeading'">
<xsl:apply-templates select="." />
</xsl:when>
<xsl:when test="$level &gt; $maxlevel"> <!-- Schon zu tief drin -->
<xsl:apply-templates select="." />
</xsl:when>
<xsl:otherwise>
<xsl:variable name="command">
<xsl:choose>
<xsl:when test="$level='0'">
<xsl:text>chapter</xsl:text>
</xsl:when>
<xsl:when test="$level='1'">
<xsl:text>section</xsl:text>
</xsl:when>
<xsl:when test="$level='2'">
<xsl:text>subsection</xsl:text>
</xsl:when>
<xsl:when test="$level='3'">
<xsl:text>subsubsection</xsl:text>
</xsl:when>
<xsl:when test="$level='4'">
<xsl:text>paragraph</xsl:text>
</xsl:when>
<xsl:when test="$level='3'">
<xsl:text>subparagraph</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>Standard</xsl:text> <!-- we should never arrive here -->
</xsl:otherwise>
</xsl:choose>
</xsl:variable>
<xsl:text>
\</xsl:text><xsl:value-of select="string($command)" /><xsl:text>{</xsl:text>
<xsl:call-template name="textnode"> <!-- richcontent is not expected! -->
<xsl:with-param name="style"></xsl:with-param>
</xsl:call-template>
<xsl:text>}</xsl:text>
<!-- Label setzen, wenn definiert -->
<xsl:if test="@ID != ''">
<xsl:text>\label{</xsl:text><xsl:value-of select="@ID"/><xsl:text>}</xsl:text>
</xsl:if>
<xsl:call-template name="output-notecontent" />
<xsl:apply-templates select="hook|@LINK"/>
<!-- if the level is higher than maxlevel, or if the current node is
marked with LastHeading, we start outputting normal paragraphs,
else we loop back into the heading mode -->
<xsl:choose>
<xsl:when test="attribute/@NAME = 'LastHeading'">
<xsl:apply-templates select="node" />
</xsl:when>
<xsl:when test="$level &lt; $maxlevel">
<xsl:apply-templates select="node" mode="heading">
<xsl:with-param name="level" select="$level + 1"/>
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select="node" />
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- Output 'normal' nodes -->
<xsl:template match="node">
<xsl:variable name="nodesNextLevel" select="count(./node)" /> <!-- Anzahl unterlagerter Knoten feststellen -->
<xsl:variable name="nodesThisLevel" select="count(../node) - count(../node//img) - count(../node//table)" /> <!-- Anzahl Knoten in diesem Level feststellen -->
<xsl:variable name="nodeType">
<xsl:choose>
<xsl:when test="./richcontent//table">
<xsl:text>table</xsl:text>
</xsl:when>
<xsl:when test="./richcontent//img">
<xsl:text>img</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$nodesThisLevel &gt; '1'">
<xsl:text>item</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>text</xsl:text>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:variable>
<xsl:variable name="id">
<xsl:if test="@ID != ''">
<xsl:value-of select="@ID"/>
</xsl:if>
</xsl:variable>
<xsl:variable name="format">
<xsl:choose>
<xsl:when test="attribute/@NAME='tex-format'">
<xsl:value-of select="./attribute[@NAME='tex-format']/@VALUE"/>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$nodeType='img'">
<xsl:text>scale=0.5</xsl:text>
</xsl:when>
<xsl:when test="$nodeType='img'">
<xsl:text>lllll</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>noformat</xsl:text>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:variable>
<xsl:variable name="caption">
<xsl:if test="attribute/@NAME='Caption'">
<xsl:value-of select="./attribute[@NAME='Caption']/@VALUE"/>
</xsl:if>
</xsl:variable>
<!-- Testausgaben
<xsl:text>Testausgaben: </xsl:text><xsl:value-of select="$caption"/><xsl:text> - </xsl:text><xsl:value-of select="$format"/>
-->
<xsl:if test="$nodesThisLevel &gt; '1' and position()='1'">
<xsl:text>\begin{itemize}
</xsl:text>
</xsl:if>
<xsl:if test="$nodeType = 'item'">
<xsl:text>\item </xsl:text>
<xsl:if test="@ID != ''">
<xsl:text>\label{</xsl:text><xsl:value-of select="@ID"/><xsl:text>}</xsl:text>
</xsl:if>
</xsl:if>
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="id" select="$id" />
<xsl:with-param name="format" select="$format" />
<xsl:with-param name="caption" select="$caption" />
</xsl:call-template>
<xsl:text>\par
</xsl:text> <!-- Absatz endet immer nach einer node -->
<xsl:apply-templates select="node"/>
<xsl:if test="$nodesThisLevel &gt; '1' and position()=last()">
<xsl:text>
\end{itemize}
</xsl:text>
</xsl:if>
<xsl:apply-templates select="hook|@LINK"/>
<xsl:call-template name="output-notecontent" />
<xsl:if test="node/arrowlink">
<xsl:text>siehe auch \ref{</xsl:text><xsl:value-of select="node/arrowlink/@destination"/><xsl:text>}</xsl:text>
</xsl:if>
</xsl:template>
<xsl:template match="hook|@LINK">
<xsl:text>Siehe auch \url{</xsl:text><xsl:value-of select="."/><xsl:text>}</xsl:text>
</xsl:template>
<!-- <xsl:template match="hook[@NAME='accessories/plugins/NodeNote.properties']">
<xsl:choose>
<xsl:when test="./text">
<text:p text:style-name="Standard">
<xsl:value-of select="./text"/>
</text:p>
</xsl:when>
</xsl:choose>
</xsl:template>
<xsl:template match="node" mode="childoutputOrdered">
<xsl:param name="nodeText"></xsl:param>
<text:ordered-list text:style-name="L1"
text:continue-numbering="true">
<text:list-item>
<xsl:apply-templates select=".." mode="childoutputOrdered">
<xsl:with-param name="nodeText"><xsl:copy-of
select="$nodeText"/></xsl:with-param>
</xsl:apply-templates>
</text:list-item>
</text:ordered-list>
</xsl:template>
<xsl:template match="map" mode="childoutputOrdered">
<xsl:param name="nodeText"></xsl:param>
<xsl:copy-of select="$nodeText"/>
</xsl:template>
-->
<xsl:template match="node" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:apply-templates select=".." mode="depthMesurement">
<xsl:with-param name="depth" select="$depth + 1"/>
</xsl:apply-templates>
</xsl:template>
<xsl:template match="map" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:value-of select="$depth"/>
</xsl:template>
<!-- Give links out.
<xsl:template match="@LINK">
<xsl:element name="text:a" namespace="text">
<xsl:attribute namespace="xlink" name="xlink:type">simple</xsl:attribute>
<xsl:attribute namespace="xlink" name="xlink:href">
-->
<!-- Convert relative links, such that they start with "../".
This is due to the fact, that OOo calculates all relative links from the document itself! -->
<!--
<xsl:choose>
<xsl:when test="starts-with(.,'/') or contains(.,':')"> -->
<!-- absolute link -->
<!--
<xsl:value-of select="."/>
</xsl:when>
<xsl:otherwise>
-->
<!-- relative link, put "../" at the front -->
<!--
<xsl:text>../</xsl:text><xsl:value-of select="."/>
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
<xsl:value-of select="."/>
</xsl:element>
</xsl:template>
-->
<xsl:template name="output-nodecontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:param name="id" /> <!-- id for label -->
<xsl:param name="format" /><!-- Formatting -->
<xsl:param name="caption" /><!-- title line -->
<xsl:choose>
<xsl:when test="richcontent[@TYPE='NODE']">
<xsl:apply-templates select="richcontent[@TYPE='NODE']/html/body" mode="richcontent">
<xsl:with-param name="style" select="$style"/>
<xsl:with-param name="id" select="$id"/>
<xsl:with-param name="format" select="$format"/>
<xsl:with-param name="caption" select="$caption" />
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:call-template name="textnode" />
</xsl:otherwise>
</xsl:choose>
</xsl:template> <!-- xsl:template name="output-nodecontent" -->
<xsl:template name="output-notecontent">
<xsl:if test="richcontent[@TYPE='NOTE']">
<xsl:apply-templates select="richcontent[@TYPE='NOTE']/html/body" mode="richcontent" >
<xsl:with-param name="style">Standard</xsl:with-param>
</xsl:apply-templates>
</xsl:if>
</xsl:template> <!-- xsl:template name="output-note" -->
<xsl:template name="textnode">
<!--
<xsl:variable name="anzahl" select="count(./node)" /> Anzahl unterlagerter Knoten feststellen
<xsl:variable name="anzahlEigene" select="count(../node)" /> Anzahl Knoten auf eigener Ebene feststellen
<xsl:text>(textnode-anfang </xsl:text><xsl:value-of select="$anzahlEigene" /><xsl:text>/</xsl:text><xsl:value-of select="$anzahl" /><xsl:text>)</xsl:text>
-->
<xsl:call-template name="format_text">
<xsl:with-param name="nodetext">
<xsl:choose>
<xsl:when test="@TEXT = ''"><xsl:text> </xsl:text></xsl:when>
<xsl:otherwise>
<xsl:value-of select="@TEXT" />
</xsl:otherwise>
</xsl:choose>
</xsl:with-param>
</xsl:call-template>
<!-- <xsl:text>(textnode-ende)</xsl:text> -->
</xsl:template> <!-- xsl:template name="textnode" -->
<!-- replace ASCII line breaks through ODF line breaks (br) -->
<xsl:template name="format_text">
<xsl:param name="nodetext"></xsl:param>
<xsl:if test="string-length(substring-after($nodetext,'&#xa;')) = 0">
<xsl:value-of select="$nodetext" />
</xsl:if>
<xsl:if test="string-length(substring-after($nodetext,'&#xa;')) > 0">
<xsl:value-of select="substring-before($nodetext,'&#xa;')" />
<xsl:text>\par{}</xsl:text>
<xsl:call-template name="format_text">
<xsl:with-param name="nodetext">
<xsl:value-of select="substring-after($nodetext,'&#xa;')" />
</xsl:with-param>
</xsl:call-template>
</xsl:if>
</xsl:template> <!-- xsl:template name="format_text" -->
<xsl:template match="body" mode="richcontent">
<xsl:param name="id" /> <!-- id for label -->
<xsl:param name="format" /><!-- Formatting -->
<xsl:param name="caption" /><!-- Title -->
<xsl:param name="style">Standard</xsl:param>
<!-- <xsl:copy-of select="string(.)"/> -->
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
<xsl:with-param name="id" select="$id" />
<xsl:with-param name="format" select="$format" />
<xsl:with-param name="caption" select="$caption" />
</xsl:apply-templates>
</xsl:template>
<xsl:template match="text()" mode="richcontent"> <xsl:copy-of select="string(.)"/></xsl:template>
<xsl:template match="table" mode="richcontent">
<xsl:param name="id" /> <!-- id for label -->
<xsl:param name="format" /><!-- Formatting -->
<xsl:text>\par\begin{tabular}{</xsl:text>
<!-- <xsl:value-of select="tr/count(td)" /> -->
<xsl:choose>
<xsl:when test="$format=''">
<xsl:text>|llllll|}\hline
</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:value-of select="$format" />
<xsl:text>}\hline
</xsl:text>
</xsl:otherwise>
</xsl:choose>
<xsl:apply-templates mode="richcontent" />
<xsl:text>\end{tabular}
</xsl:text>
</xsl:template>
<xsl:template match="tr" mode="richcontent">
<xsl:apply-templates mode="richcontent" />
<xsl:text>\\ \hline
</xsl:text> <!-- Record separator -->
</xsl:template>
<xsl:template match="td" mode="richcontent">
<xsl:apply-templates select="text()|*" mode="richcontent" >
</xsl:apply-templates>
<!-- <xsl:value-of disable-output-escaping="yes" select="." /> -->
<xsl:if test="position() != last()"><xsl:text disable-output-escaping="yes">&#38;</xsl:text></xsl:if> <!-- Field separator -->
</xsl:template>
<xsl:template match="br" mode="richcontent">
<xsl:text>\par{}</xsl:text>
</xsl:template>
<xsl:template match="b" mode="richcontent">
<xsl:text>{\bf </xsl:text><xsl:value-of select="." /><xsl:text>}</xsl:text>
</xsl:template>
<xsl:template match="i" mode="richcontent">
<xsl:text>\emph{</xsl:text><xsl:value-of select="." /><xsl:text>}</xsl:text>
</xsl:template>
<xsl:template match="img" mode="richcontent">
<xsl:param name="id"/> <!-- id for label -->
<xsl:param name="format" select="'scale=0.5'"/><!-- Formatting -->
<xsl:param name="caption" select="'No Caption defined in Mindmap'"/><!-- Formatting -->
<xsl:if test="$imgfloat=''" >
<xsl:text>\includegraphics[scale=0.5]{</xsl:text><xsl:value-of select="./@src"/><xsl:text>}</xsl:text>
</xsl:if>
<xsl:if test="$imgfloat!=''" >
<xsl:text>
\begin{figure}[</xsl:text><xsl:value-of select="$imgfloat"/><xsl:text>]
\includegraphics[</xsl:text><xsl:value-of select="$format"/><xsl:text>]{</xsl:text><xsl:value-of select="./@src"/><xsl:text>}
\caption{</xsl:text><xsl:value-of select="$caption"/><xsl:text>}
\label{</xsl:text><xsl:value-of select="$id"/><xsl:text>}
\end{figure}
</xsl:text>
</xsl:if>
</xsl:template>
<xsl:template match="u" mode="richcontent">
<xsl:text>\underline{</xsl:text><xsl:value-of select="." /><xsl:text>}</xsl:text>
</xsl:template>
<xsl:template match="ul" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:text>\begin{itemize}
</xsl:text>
<xsl:apply-templates select="text()|*" mode="richcontentul"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
<xsl:text>\end{itemize}
</xsl:text>
</xsl:template>
<xsl:template match="ol" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:text>\begin{enumerate}
</xsl:text>
<xsl:apply-templates select="text()|*" mode="richcontentol"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
<xsl:text>\end{enumerate}
</xsl:text>
</xsl:template>
<xsl:template match="li" mode="richcontentul">
<xsl:text>\item </xsl:text><xsl:value-of select="@text" /><xsl:text>
</xsl:text>
</xsl:template>
<xsl:template match="li" mode="richcontentol">
<xsl:text>\item </xsl:text><xsl:value-of select="@text" /><xsl:text>
</xsl:text>
</xsl:template>
<!-- Zu kompliziert
<xsl:template match="li" mode="richcontentul">
<xsl:param name="style">Standard</xsl:param>
<text:list-item>
<text:p text:style-name="P1">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:p>
</text:list-item>
</xsl:template>
<xsl:template match="li" mode="richcontentol">
<xsl:param name="style">Standard</xsl:param>
<text:list-item>
<text:p text:style-name="P2">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:p>
</text:list-item>
</xsl:template>
-->
<!-- Table:
<table:table table:name="Table1" table:style-name="Table1">
<table:table-column table:style-name="Table1.A" table:number-columns-repeated="3"/>
<table:table-row>
<table:table-cell table:style-name="Table1.A1" table:value-type="string">
<text:p text:style-name="Table Contents">T11</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.A1" table:value-type="string">
<text:p text:style-name="Table Contents">T21</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.C1" table:value-type="string">
<text:p text:style-name="Table Contents">T31</text:p>
</table:table-cell>
</table:table-row>
<table:table-row>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T12</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T22</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.C2" table:value-type="string">
<text:p text:style-name="Table Contents">T32</text:p>
</table:table-cell>
</table:table-row>
<table:table-row>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T13</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T23</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.C2" table:value-type="string">
<text:p text:style-name="Table Contents">T32</text:p>
</table:table-cell>
</table:table-row>
</table:table>
-->
</xsl:stylesheet>

View File

@ -0,0 +1,268 @@
<map version="0.9.0">
<!-- To view this file, download free mind mapping software FreeMind from http://freemind.sourceforge.net -->
<node CREATED="1216974513042" ID="ID_833600903" MODIFIED="1238925165356" TEXT="Example of map exportable to LaTex">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
The root node is exported as document title (with format 'chapter').
</p>
<p>
Attributes of the root node are used as global document properties if they have the prefix &quot;tex-&quot; in their name. Acceptable names are maxlevel and img-float.
</p>
<p>
The attribute &quot;tex-maxlevel&quot; is used to define the maximum of nodes until which 'Heading' styles are used. If the attribute is not defined, the default value is 3. The maximum possible is 5 (section, subsection, subsubsection, paragraph,subparagraph.
</p>
</body>
</html>
</richcontent>
<attribute_layout NAME_WIDTH="91" VALUE_WIDTH="91"/>
<attribute NAME="tex-maxlevel" VALUE="3"/>
<attribute NAME="tex-img-float" VALUE="htb"/>
<node CREATED="1238918404359" ID="ID_1934280567" MODIFIED="1238918407890" POSITION="right" TEXT="Introduction">
<node CREATED="1238917785012" ID="ID_1920085495" MODIFIED="1238918735994" TEXT="Purpose">
<attribute NAME="LastHeading" VALUE=""/>
<node CREATED="1238917797246" ID="ID_112127867" MODIFIED="1238920553674" TEXT="I often use freemind to make up my mind about how to tackle a certain task. When I&apos;m done thinking I want to document my results. For this I use HTML, Word or LaTeX. Obviously I&apos;d like to see images and all the formatting I have done"/>
<node CREATED="1238917902916" ID="ID_1286589065" MODIFIED="1238918298236" TEXT="For HTML and Word I found some nice Templates, LaTeX though lacked the images and formatted text. Fortunalety the authors of the template for word (Naoki Nose, 2006, and Eric Lavarde, 2008) did I very good job in analyzing the XML-Data."/>
<node CREATED="1238918299470" ID="ID_286082551" MODIFIED="1238920599314" TEXT="I decided to stick to their general setup and used some of their logic, especially for the attributes. This should help all those people, who want to use several output channels at the same time."/>
</node>
<node CREATED="1238918413109" ID="ID_1545289664" MODIFIED="1238918450202" TEXT="How to create a LaTex-File">
<node CREATED="1238918472358" ID="ID_1433056762" MODIFIED="1238919043256" TEXT="Rule 1: Creating the Mindmap">
<node CREATED="1238918487404" ID="ID_172643764" MODIFIED="1238918528341" TEXT="Do not think about LaTeX when setting up your Mindmap, think about the problem you want to solve or the subject you want to write about"/>
<node CREATED="1238918850055" ID="ID_564855825" MODIFIED="1238918876961" TEXT="You may use the character set latin1 (Germans: Umlaute sind m&#xf6;glich!)"/>
</node>
<node CREATED="1238918536638" ID="ID_763391417" MODIFIED="1238919058100" TEXT="Rule 2: Creating the Environment">
<node CREATED="1238918615480" ID="ID_1647968502" MODIFIED="1238918682245" TEXT="Create a Masterfile with LaTeX-Code like Header, pagestyle etc"/>
<node CREATED="1238918683479" ID="ID_1758774155" MODIFIED="1238918801744" TEXT="Add an &apos;input&apos; or &apos;include&apos;-command at the spot, where you want your mindmap to appear."/>
</node>
<node CREATED="1238919017053" ID="ID_405215367" MODIFIED="1238919072287" TEXT="Rule 3: Exporting the Mindmap">
<node CREATED="1238918804228" ID="ID_1695632461" MODIFIED="1238919010319" TEXT="Export your mindmap via XSL-Export using this XSL-Stylesheet (&apos;mm2latex.xsl&apos;)"/>
</node>
<node CREATED="1238919085084" ID="ID_294996980" MODIFIED="1238919504375" TEXT="Rule 4: Finishing Touches">
<node CREATED="1238919129224" ID="ID_169878621" MODIFIED="1238919245410" TEXT="Compile your masterfile, there may be some TeX-related errors, that you may have to take care of. Usually there a these groups">
<node CREATED="1238919249613" ID="ID_1347745562" MODIFIED="1238919321018" TEXT="Mask any special character that is not allowed in LaTeX (Ampersand, Dollar, Percent)"/>
<node CREATED="1238919321706" ID="ID_766320487" MODIFIED="1238919482282" TEXT="Use the attribute &apos;Noheading&apos; if a single node is not supposed to be a section, subsection or subsubsection">
<arrowlink DESTINATION="ID_843043724" ENDARROW="Default" ENDINCLINATION="677;0;" ID="Arrow_ID_1401678800" STARTARROW="None" STARTINCLINATION="677;0;"/>
</node>
<node CREATED="1238919386408" ID="ID_1409718510" MODIFIED="1238919485250" TEXT="Use the attribute &apos;LastHeading&apos; if all nodes below this one are meant to be text (Look a the nodes &apos;Purpose&apos; and &apos;How to ..&apos; in this section)">
<arrowlink DESTINATION="ID_1342553402" ENDARROW="Default" ENDINCLINATION="933;0;" ID="Arrow_ID_554920267" STARTARROW="None" STARTINCLINATION="933;0;"/>
</node>
</node>
<node CREATED="1238919516703" ID="ID_1251654569" MODIFIED="1238919561093" TEXT="For your images you may want to define the size/format or a Caption">
<arrowlink DESTINATION="ID_798981776" ENDARROW="Default" ENDINCLINATION="255;0;" ID="Arrow_ID_1788752982" STARTARROW="None" STARTINCLINATION="255;0;"/>
</node>
</node>
</node>
</node>
<node CREATED="1216974528086" ID="ID_1996762094" MODIFIED="1216974692827" POSITION="right" TEXT="Chapter 1">
<node CREATED="1216974536680" ID="ID_418841879" MODIFIED="1216974708501" TEXT="Chapter 1.1">
<node CREATED="1216974544352" ID="ID_1231871458" MODIFIED="1238926367864" TEXT="Chapter 1.1.1">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
This is a note belonging to Chapter 1.1.1, such notes are exported with style &quot;Body Text&quot; but any formatting,
</p>
<p>
or even new lines are lost. That's sad but that's reality.
</p>
</body>
</html>
</richcontent>
<node CREATED="1216974561800" ID="ID_35441158" MODIFIED="1216974730363" TEXT="Chapter 1.1.1.1">
<node CREATED="1216974620653" ID="ID_1657992058" MODIFIED="1216991329486" TEXT="Text wich is"/>
<node CREATED="1216974660607" ID="ID_1076025767" MODIFIED="1216991352258" TEXT="deeper than the"/>
<node CREATED="1216974664012" ID="ID_1612257345" MODIFIED="1216991345298" TEXT="header-maxlevel attribute"/>
<node CREATED="1216974667197" ID="ID_1877504467" MODIFIED="1216991366458" TEXT="is exported with &quot;Normal&quot; style."/>
</node>
<node CREATED="1216974674739" ID="ID_843043724" MODIFIED="1238919482282" TEXT="This nodes will be exported as a normal paragraph">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
By marking a node with the attribute 'NoHeading' (the value is not important), you make sure that this chapter will be exported as normal paragraph, together with all nodes below.
</p>
</body>
</html></richcontent>
<attribute_layout NAME_WIDTH="62" VALUE_WIDTH="91"/>
<attribute NAME="NoHeading" VALUE=""/>
<node CREATED="1217604758817" ID="ID_863632446" MODIFIED="1217604766680" TEXT="Like also this one"/>
</node>
</node>
</node>
<node CREATED="1216974696283" ID="ID_1342553402" MODIFIED="1238926368958" TEXT="Chapter 1.2 - mark a header as last heading">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
By marking a node with the attribute 'LastHeading' (the value is not important), you make sure that this chapter will be exported as the last heading in the hierarchy, i.e. all nodes below the chapter will be exported as normal paragraphs.
</p>
</body>
</html>
</richcontent>
<attribute_layout NAME_WIDTH="69" VALUE_WIDTH="91"/>
<attribute NAME="LastHeading" VALUE=""/>
<node CREATED="1217603132140" ID="ID_1323406791" MODIFIED="1217603515832" TEXT="this node becomes a normal paragraph&#xa;even though it&apos;s above the defaultlevel">
<node CREATED="1217603804767" ID="ID_630190221" MODIFIED="1217603812619" TEXT="And this one as well"/>
</node>
<node CREATED="1217603814001" ID="ID_1067471434" MODIFIED="1217603819328" TEXT="And also this one"/>
</node>
</node>
<node CREATED="1216991067197" ID="ID_334419387" MODIFIED="1238756143265" POSITION="right" TEXT="Chapter 2: richcontent nodes">
<attribute NAME="LastHeading" VALUE=""/>
<node CREATED="1238756415812" ID="ID_983007227" MODIFIED="1238756417593" TEXT="Images">
<node CREATED="1238741133718" ID="ID_1878632215" MODIFIED="1238741179593" TEXT="Images are exported depending on the value of tex-img-float either as inline or as float-value">
<node CREATED="1238741848593" ID="ID_798981776" MODIFIED="1238919609311">
<richcontent TYPE="NODE"><html>
<head>
</head>
<body>
<img src="show.png" />
</body>
</html></richcontent>
<attribute NAME="Caption" VALUE="Title of Image"/>
<attribute NAME="tex-format" VALUE="scale=0.7"/>
</node>
</node>
<node CREATED="1238756387328" ID="ID_379489595" MODIFIED="1238756429093" TEXT="There a several attributes which can be used with Images:">
<node CREATED="1238756457906" ID="ID_1347482209" MODIFIED="1238756460984" TEXT="Caption">
<node CREATED="1238756492640" ID="ID_502354102" MODIFIED="1238756535453" TEXT="the content of this attribute will be used as caption of the image (in float-mode)"/>
</node>
<node CREATED="1238756537718" ID="ID_596764817" MODIFIED="1238756541531" TEXT="tex-format">
<node CREATED="1238756543859" ID="ID_536843546" MODIFIED="1238922177485" TEXT="the content of this attribute is used as parameter of options-part of includegraphics[option]{image}"/>
</node>
</node>
<node CREATED="1238756989984" ID="ID_346917431" MODIFIED="1238757024093" TEXT="References to images are in the same form that you used in your Mindmap."/>
</node>
<node CREATED="1238741185046" ID="ID_616977104" MODIFIED="1238741203187" TEXT="text in Nodes can be formatted"/>
<node CREATED="1238741259703" ID="ID_41096153" MODIFIED="1238741343531">
<richcontent TYPE="NODE"><html>
<head>
</head>
<body>
<p>
Tables look like this
</p>
</body>
</html></richcontent>
<node CREATED="1238741346375" ID="ID_750910605" MODIFIED="1238926381364">
<richcontent TYPE="NODE"><html>
<head>
</head>
<body>
<table border="0" style="border-left-width: 0; border-top-width: 0; border-right-width: 0; width: 80%; border-bottom-width: 0; border-style: solid">
<tr>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
<font size="5">Head 1</font>
</p>
</td>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
<font size="5">Head 2</font>
</p>
</td>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
<font size="5">Head 3</font>
</p>
</td>
</tr>
<tr>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
data 1 contains <b>bold,</b>&#160;which will&#160;&#160;be shown
</p>
</td>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
data 2 contains <i>italics</i>, which will&#160;&#160;be shown
</p>
</td>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
data 3 contains <u>underscore</u>&#160;and so on, which will&#160;&#160;be shown (yet)
</p>
</td>
</tr>
<tr>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
more text
</p>
</td>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
more text
</p>
</td>
<td valign="top" style="border-left-width: 1; border-right-width: 1; border-top-width: 1; width: 33%; border-bottom-width: 1; border-style: solid">
<p style="margin-left: 1; margin-bottom: 1; margin-right: 1; margin-top: 1">
more text
</p>
</td>
</tr>
</table>
</body>
</html>
</richcontent>
<attribute_layout VALUE_WIDTH="142"/>
<attribute NAME="tex-format" VALUE="|p{3cm}|p{3cm}|p{3cm}|"/>
</node>
</node>
</node>
<node CREATED="1216809914482" ID="ID_1308741003" MODIFIED="1238922344578" POSITION="right" TEXT="Chapter 3 - how to export a mindmap to latex ?">
<attribute NAME="LastHeading" VALUE=""/>
<node CREATED="1216809917636" ID="ID_199484608" MODIFIED="1216991907919" TEXT="Chapter 3.1 - create a map following the notes and hints expressed in this example map"/>
<node CREATED="1216809921221" ID="ID_1681718272" MODIFIED="1238922302250" TEXT="Chapter 3.2 - export the map using the File $\leftarrow$ Export $\rightarrow$ Using XSLT... menu">
<node CREATED="1216826868748" ID="ID_1660904657" MODIFIED="1238922383046" TEXT="Chapter 3.2.1 - select the mm2latex.XSL file from the accessories directory in the FreeMind base directory."/>
<node CREATED="1216826924521" ID="ID_1561412985" MODIFIED="1238756702703" TEXT="Chapter 3.2.2 - export to a file with a name ending in .tex"/>
</node>
<node CREATED="1216826940554" ID="ID_769680777" MODIFIED="1238756755734" TEXT="Chapter 3.3 - use latex">
<node CREATED="1238756791781" ID="ID_28353139" MODIFIED="1238922464093">
<richcontent TYPE="NODE"><html>
<head>
</head>
<body>
<p>
The file produced by this XSL-Sheet <b>does not contain</b>&#160;any&#160;Header information. it is intended as a part which can be included into an existing TeX master file.
</p>
<p>
You can either use input{filename.tex} to pull it into tex or use include{filename}
</p>
</body>
</html>
</richcontent>
</node>
</node>
<node CREATED="1216827072099" ID="ID_785390572" MODIFIED="1216991949417" TEXT="Chapter 3.4 - you&apos;re done, enjoy!"/>
</node>
<node CREATED="1216991668227" ID="ID_1657343694" MODIFIED="1238757042812" POSITION="right" TEXT="Best Practices">
<node CREATED="1238757044593" ID="ID_1921364396" MODIFIED="1238757051203" TEXT="Filesystem">
<node CREATED="1238757053078" ID="ID_1576776962" MODIFIED="1238757069531" TEXT="Think about how you organize your files.">
<node CREATED="1238757071406" ID="ID_135148380" MODIFIED="1238757107359" TEXT="I have one main directory &apos;mindmaps&apos;, which contains the following data">
<node CREATED="1238757109109" ID="ID_1235469122" MODIFIED="1238757115875" TEXT="All Mindmaps"/>
<node CREATED="1238757116484" ID="ID_1972117067" MODIFIED="1238757144015" TEXT="A subdirectory &apos;pics&apos;, which contains all the images I use"/>
<node CREATED="1238920675891" ID="ID_1661088963" MODIFIED="1238920704235" TEXT="a subdirectory &apos;icons&apos; which contains the icons freemind uses"/>
<node CREATED="1238757144546" ID="ID_1358898242" MODIFIED="1238920672126" TEXT="a subdirectory tex, which contains the created Tex-Files"/>
<node CREATED="1238920709453" ID="ID_1948667697" MODIFIED="1238920742969" TEXT="The Master tex file(s)"/>
</node>
<node CREATED="1238920749734" ID="ID_985841966" MODIFIED="1238920849577" TEXT="This setup allows me to use some XML-Tools (like saxon) to parse the directory and update a tex-File, when the correspondig mindmap has been changed"/>
</node>
</node>
<node CREATED="1238920859373" ID="ID_527613947" MODIFIED="1238920864436" TEXT="More to come ..."/>
</node>
</node>
</map>

View File

@ -0,0 +1,260 @@
<?xml version='1.0'?>
<!--
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
Document : mm2latexarticl.xsl
Created on : 01 February 2004, 17:17
Author : joerg feuerhake joerg.feuerhake@free-penguin.org
Description: transforms freemind mm format to latex scrartcl, handles crossrefs ignores the rest. feel free to customize it while leaving the ancient authors mentioned. thank you
Thanks to: Tayeb.Lemlouma@inrialpes.fr for writing the LaTeX escape scripts and giving inspiration
ChangeLog:
See: http://freemind.sourceforge.net/
-->
<xsl:stylesheet xmlns:xsl='http://www.w3.org/1999/XSL/Transform' version='1.0'>
<xsl:output omit-xml-declaration="yes" />
<xsl:template match="map">
<xsl:text>
\documentclass[a4paper,12pt,single,pdftex]{scrartcl}
\usepackage{ngerman}
\usepackage{color}
\usepackage{html}
\usepackage{times}
\usepackage{graphicx}
\usepackage{fancyheadings}
\usepackage{hyperref}
\setlength{\parindent}{0.6pt}
\setlength{\parskip}{0.6pt}
\title{</xsl:text><xsl:value-of select="node/@TEXT"/><xsl:text>}
</xsl:text>
<!-- ======= Document Begining ====== -->
<xsl:text>
\begin{document}
\maketitle
\newpage
</xsl:text>
<!-- ======= Heading ====== -->
<xsl:apply-templates select="Heading"/>
<xsl:apply-templates select="node"/>
<xsl:text>
\newpage
%\tableofcontents
\end{document}
</xsl:text>
</xsl:template>
<!-- ======= Body ====== -->
<!-- Sections Processing -->
<xsl:template match="node">
<xsl:variable name="target" select="arrowlink/@DESTINATION"/>
<xsl:if test="@ID != ''">
<xsl:text>\label{</xsl:text><xsl:value-of select="@ID"/><xsl:text>}</xsl:text>
</xsl:if>
<xsl:if test="(count(ancestor::node())-2)=1">
<xsl:text>\section</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="(count(ancestor::node())-2)=2">
<xsl:text>\subsection</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="(count(ancestor::node())-2)=3">
<xsl:text>\subsubsection</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="arrowlink/@DESTINATION != ''">
<xsl:text>\ref{</xsl:text>
<xsl:value-of select="arrowlink/@DESTINATION"/>
<xsl:text>}</xsl:text>
</xsl:if>
<xsl:if test="(count(ancestor::node())-2)=4">
<xsl:text>\paragraph</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text>
<xsl:if test="current()/node">
<xsl:call-template name="itemization">
</xsl:call-template>
</xsl:if>
</xsl:if>
<!--<xsl:if test="(count(ancestor::node())-2)>4">
<xsl:call-template name="itemization"/>
</xsl:if>-->
<xsl:if test="5 > (count(ancestor::node())-2)">
<xsl:apply-templates select="node"/>
</xsl:if>
</xsl:template>
<xsl:template name="itemization">
<xsl:param name="i" select="current()/node" />
<xsl:text>\begin{itemize}
</xsl:text>
<xsl:for-each select="$i">
<xsl:if test="@ID != ''">
<xsl:text>\label{</xsl:text><xsl:value-of select="@ID"/><xsl:text>}</xsl:text>
</xsl:if>
<xsl:text>\item </xsl:text>
<xsl:value-of select="@TEXT"/>
<xsl:if test="arrowlink/@DESTINATION != ''">
<xsl:text>\ref{</xsl:text>
<xsl:value-of select="arrowlink/@DESTINATION"/>
<xsl:text>}</xsl:text>
</xsl:if>
<xsl:text>
</xsl:text>
</xsl:for-each >
<xsl:if test="$i/node">
<xsl:call-template name="itemization">
<xsl:with-param name="i" select="$i/node"/>
</xsl:call-template>
</xsl:if>
<xsl:text>\end{itemize}
</xsl:text>
</xsl:template>
<!--Text Process -->
<!--<xsl:apply-templates select="Body/node()"/>-->
<!-- End of Sections Processing -->
<!-- LaTeXChar: A recursif function that generates LaTeX special characters -->
<xsl:template name="LaTeXChar">
<xsl:param name="i"/>
<xsl:param name="l"/>
<xsl:variable name="SS">
<xsl:value-of select="substring(normalize-space(),$l - $i + 1,1)" />
</xsl:variable>
<xsl:if test="$i > 0">
<xsl:choose>
<xsl:when test="$SS = 'é'">
<xsl:text>\'{e}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ê'">
<xsl:text>\^{e}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'è'">
<xsl:text>\`{e}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ï'">
<xsl:text>\"{\i}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'î'">
<xsl:text>\^{i}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'à'">
<xsl:text>\`{a}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'á'">
<xsl:text>\'{a}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'â'">
<xsl:text>\^{a}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ç'">
<xsl:text>\c{c}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ô'">
<xsl:text>\^{o}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ù'">
<xsl:text>\`{u}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'û'">
<xsl:text>\^{u}</xsl:text>
</xsl:when>
<xsl:when test="$SS = '|'">
<xsl:text>$|$</xsl:text>
</xsl:when>
<xsl:when test="$SS = '_'">
<xsl:text>\_</xsl:text>
</xsl:when>
<xsl:otherwise><xsl:value-of select="$SS"/></xsl:otherwise>
</xsl:choose>
<xsl:text></xsl:text>
<xsl:call-template name="LaTeXChar">
<xsl:with-param name="i" select="$i - 1"/>
<xsl:with-param name="l" select="$l"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
<!-- End of LaTeXChar template -->
<!-- Enumerates Process -->
<xsl:template match="Enumerates">
<xsl:text>
\begin{enumerate}</xsl:text>
<xsl:for-each select="Item">
<xsl:text>
\item </xsl:text>
<xsl:value-of select="."/>
</xsl:for-each>
<xsl:text>
\end{enumerate}
</xsl:text>
</xsl:template> <!--Enumerates Process -->
<!-- Items Process -->
<xsl:template match="Items">
<xsl:text>
\begin{itemize}</xsl:text>
<xsl:for-each select="node">
<xsl:text>
\item </xsl:text>
<xsl:value-of select="@TEXT"/>
</xsl:for-each>
<xsl:text>
\end{itemize}
</xsl:text>
</xsl:template> <!--Items Process -->
</xsl:stylesheet>

View File

@ -0,0 +1,251 @@
<?xml version='1.0'?>
<!--
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
Document : mm2latexarticl.xsl
Created on : 01 February 2004, 17:17
Author : joerg feuerhake joerg.feuerhake@free-penguin.org
Description: transforms freemind mm format to latex scrartcl, handles crossrefs ignores the rest. feel free to customize it while leaving the ancient authors
mentioned. thank you
Thanks to: Tayeb.Lemlouma@inrialpes.fr for writing the LaTeX escape scripts and giving inspiration
ChangeLog:
See: http://freemind.sourceforge.net/
-->
<xsl:stylesheet xmlns:xsl='http://www.w3.org/1999/XSL/Transform' version='1.0'>
<xsl:output omit-xml-declaration="yes" />
<xsl:template match="map">
<xsl:text>
\documentclass[a4paper,12pt,single,pdftex]{scrbook}
\usepackage{ngerman}
\usepackage{color}
\usepackage{html}
\usepackage{times}
\usepackage{graphicx}
\usepackage{fancyheadings}
\usepackage{hyperref}
\setlength{\parindent}{0.6pt}
\setlength{\parskip}{0.6pt}
\title{</xsl:text><xsl:value-of select="node/@TEXT"/><xsl:text>}
</xsl:text>
<!-- ======= Document Begining ====== -->
<xsl:text>
\begin{document}
\maketitle
%\newpage
\tableofcontents
\newpage
</xsl:text>
<!-- ======= Heading ====== -->
<xsl:apply-templates select="Heading"/>
<xsl:apply-templates select="node"/>
<xsl:text>
\end{document}
</xsl:text>
</xsl:template>
<!-- ======= Body ====== -->
<!-- Sections Processing -->
<xsl:template match="node">
<xsl:variable name="target" select="arrowlink/@DESTINATION"/>
<xsl:if test="@ID != ''">
<xsl:text>\label{</xsl:text><xsl:value-of select="@ID"/><xsl:text>}</xsl:text>
</xsl:if>
<xsl:if test="(count(ancestor::node())-2)=1">
<xsl:text>\chapter</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="(count(ancestor::node())-2)=2">
<xsl:text>\section</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="(count(ancestor::node())-2)=3">
<xsl:text>\subsection</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="(count(ancestor::node())-2)=4">
<xsl:text>\subsubsection</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text></xsl:if>
<xsl:if test="arrowlink/@DESTINATION != ''">
<xsl:text>\ref{</xsl:text>
<xsl:value-of select="arrowlink/@DESTINATION"/>
<xsl:text>}</xsl:text>
</xsl:if>
<xsl:if test="(count(ancestor::node())-2)=5">
<xsl:text>\paragraph</xsl:text>
<xsl:text>{</xsl:text>
<xsl:value-of select="@TEXT"/><xsl:text>}
</xsl:text>
<xsl:if test="current()/node">
<xsl:call-template name="itemization"/>
</xsl:if>
</xsl:if>
<!--<xsl:if test="(count(ancestor::node())-2)>4">
<xsl:call-template name="itemization"/>
</xsl:if>-->
<xsl:if test="5 > (count(ancestor::node())-2)">
<xsl:apply-templates select="node"/>
</xsl:if>
</xsl:template>
<xsl:template name="itemization">
<xsl:param name="i" select="current()/node" />
<xsl:text>\begin{itemize}
</xsl:text>
<xsl:for-each select="$i">
<xsl:if test="@ID != ''">
<xsl:text>\label{</xsl:text><xsl:value-of select="@ID"/><xsl:text>}</xsl:text>
</xsl:if>
<xsl:text>\item </xsl:text>
<xsl:value-of select="@TEXT"/>
<xsl:if test="arrowlink/@DESTINATION != ''">
<xsl:text>\ref{</xsl:text>
<xsl:value-of select="arrowlink/@DESTINATION"/>
<xsl:text>}</xsl:text>
</xsl:if>
<xsl:text>
</xsl:text>
</xsl:for-each >
<xsl:if test="$i/node">
<xsl:call-template name="itemization">
<xsl:with-param name="i" select="$i/node"/>
</xsl:call-template>
</xsl:if>
<xsl:text>\end{itemize}
</xsl:text>
</xsl:template>
<!--Text Process -->
<!--<xsl:apply-templates select="Body/node()"/>-->
<!-- End of Sections Processing -->
<!-- LaTeXChar: A recursif function that generates LaTeX special characters -->
<xsl:template name="LaTeXChar">
<xsl:param name="i"/>
<xsl:param name="l"/>
<xsl:variable name="SS">
<xsl:value-of select="substring(normalize-space(),$l - $i + 1,1)" />
</xsl:variable>
<xsl:if test="$i > 0">
<xsl:choose>
<xsl:when test="$SS = 'é'">
<xsl:text>\'{e}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ê'">
<xsl:text>\^{e}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'è'">
<xsl:text>\`{e}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ï'">
<xsl:text>\"{\i}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'î'">
<xsl:text>\^{i}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'à'">
<xsl:text>\`{a}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'á'">
<xsl:text>\'{a}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'â'">
<xsl:text>\^{a}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ç'">
<xsl:text>\c{c}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ô'">
<xsl:text>\^{o}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'ù'">
<xsl:text>\`{u}</xsl:text>
</xsl:when>
<xsl:when test="$SS = 'û'">
<xsl:text>\^{u}</xsl:text>
</xsl:when>
<xsl:when test="$SS = '|'">
<xsl:text>$|$</xsl:text>
</xsl:when>
<xsl:when test="$SS = '_'">
<xsl:text>\_</xsl:text>
</xsl:when>
<xsl:otherwise><xsl:value-of select="$SS"/></xsl:otherwise>
</xsl:choose>
<xsl:text></xsl:text>
<xsl:call-template name="LaTeXChar">
<xsl:with-param name="i" select="$i - 1"/>
<xsl:with-param name="l" select="$l"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
<!-- End of LaTeXChar template -->
<!-- Enumerates Process -->
<xsl:template match="Enumerates">
<xsl:text>
\begin{enumerate}</xsl:text>
<xsl:for-each select="Item">
<xsl:text>
\item </xsl:text>
<xsl:value-of select="."/>
</xsl:for-each>
<xsl:text>
\end{enumerate}
</xsl:text>
</xsl:template> <!--Enumerates Process -->
<!-- Items Process -->
<xsl:template match="Items">
<xsl:text>
\begin{itemize}</xsl:text>
<xsl:for-each select="node">
<xsl:text>
\item </xsl:text>
<xsl:value-of select="@TEXT"/>
</xsl:for-each>
<xsl:text>
\end{itemize}
</xsl:text>
</xsl:template> <!--Items Process -->
</xsl:stylesheet>

View File

@ -0,0 +1,120 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
(c) by Naoki Nose, 2006, and Eric Lavarde, 2008
This code is licensed under the GPLv2 or later.
(http://www.gnu.org/copyleft/gpl.html)
Check 'mm2msp_utf8_TEMPLATE.mm' for detailed instructions on how to use
this sheet.
-->
<xsl:stylesheet version="1.0"
xmlns="http://schemas.microsoft.com/project"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes" encoding="UTF-8" standalone="yes"/>
<xsl:key name="deps" match="arrowlink" use="@DESTINATION"/>
<xsl:template match="/">
<Project>
<xsl:apply-templates/>
</Project>
</xsl:template>
<xsl:template match="//map">
<Title><xsl:value-of select="node/@TEXT"/></Title>
<xsl:apply-templates select="node/attribute">
<xsl:with-param name="prefix" select="'prj'"/>
</xsl:apply-templates>
<Tasks>
<xsl:apply-templates select="node" mode="tasks"/>
</Tasks>
</xsl:template>
<xsl:template match="node" mode="tasks">
<xsl:param name="level" select="0"/>
<Task>
<UID><xsl:if test="$level > 0">
<xsl:number level="any" count="//map/node//node"
format="1"/></xsl:if>
<xsl:if test="$level = 0">0</xsl:if></UID>
<xsl:call-template name="output-node-text-as-name"/>
<xsl:call-template name="output-note-text-as-notes"/>
<OutlineLevel><xsl:value-of select="$level"/></OutlineLevel>
<xsl:if test="not(attribute[@NAME = 'tsk-FixedCostAccrual'])">
<FixedCostAccrual>1</FixedCostAccrual>
</xsl:if>
<xsl:apply-templates select="attribute">
<xsl:with-param name="prefix" select="'tsk'"/>
</xsl:apply-templates>
<xsl:for-each select="key('deps',@ID)">
<xsl:call-template name="output-arrow-as-predecessor">
<xsl:with-param name="level" select="$level"/>
</xsl:call-template>
</xsl:for-each>
</Task>
<xsl:apply-templates mode="tasks">
<xsl:with-param name="level" select="$level + 1"/>
</xsl:apply-templates>
</xsl:template>
<xsl:template name="output-node-text-as-name">
<Name><xsl:choose>
<xsl:when test="@TEXT">
<xsl:value-of select="normalize-space(@TEXT)" />
</xsl:when>
<xsl:when test="richcontent[@TYPE='NODE']">
<xsl:value-of
select="normalize-space(richcontent[@TYPE='NODE']/html/body)" />
</xsl:when>
<xsl:otherwise>
<xsl:text></xsl:text>
</xsl:otherwise>
</xsl:choose></Name>
</xsl:template>
<xsl:template name="output-note-text-as-notes">
<xsl:if test="richcontent[@TYPE='NOTE']">
<Notes><xsl:value-of
select="string(richcontent[@TYPE='NOTE']/html/body)" />
</Notes>
</xsl:if>
</xsl:template>
<xsl:template name="output-arrow-as-predecessor">
<xsl:param name="level" select="0"/>
<PredecessorLink>
<PredecessorUID><xsl:if test="$level > 0">
<xsl:number level="any" count="//map/node//node" format="1"/>
</xsl:if>
<xsl:if test="$level = 0">0</xsl:if></PredecessorUID>
<Type><xsl:choose>
<xsl:when test="@ENDARROW = 'Default'">
<xsl:choose>
<xsl:when test="@STARTARROW = 'Default'">3</xsl:when>
<xsl:otherwise>1</xsl:otherwise>
</xsl:choose>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="@STARTARROW = 'Default'">2</xsl:when>
<xsl:otherwise>0</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose></Type>
</PredecessorLink>
</xsl:template>
<xsl:template match="attribute">
<xsl:param name="prefix" />
<xsl:if test="starts-with(@NAME,concat($prefix,'-'))">
<xsl:element name="{substring-after(@NAME,concat($prefix,'-'))}">
<xsl:value-of select="@VALUE"/>
</xsl:element>
</xsl:if>
</xsl:template>
<!-- required to _not_ output other things than nodes -->
<xsl:template match="*" mode="tasks"></xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,785 @@
<map version="0.9.0">
<!-- To view this file, download free mind mapping software FreeMind from http://freemind.sourceforge.net -->
<node CREATED="1216809870908" ID="ID_1507004962" MODIFIED="1216826585940" TEXT="Example of project plan ready for export&#xa;using XSLT export with mm2msp_utf8.xsl">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
The note of the root node is exported as project comments (in the properties) but <b>formatting</b> is <i>lost. </i>
</p>
<p>
Any attribute starting with the prefix &quot;prj-&quot; is used as parameter for the project (after removal of the prefix). Possible parameter/value combinations need to be guessed from the XML output of MS Project. The below lines give some examples and hints.
</p>
<p>
Any attribute starting with the prefix &quot;tsk-&quot; is used as parameter for the task (after removal of the prefix)
</p>
<h2>
Examples of possible project parameters and values
</h2>
<p>
The following lines show examples of parameters/values combinations found in MS Project's XML file. Combinations in Bold are easy to understand, meaningful and safe to use, ones in Italic are to be avoided, for the others let me know.
</p>
<div class="e">
<div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&lt;Name&gt;Project1.xml&lt;/Name&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; <i>&lt;Title&gt;Project Name Bla Bla&lt;/Title&gt; DO NOT USE, generated from the node text.</i>
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; <b>&lt;Company&gt;Acme Corp.&lt;/Company&gt;</b>
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; <b>&lt;Author&gt;John Smith&lt;/Author&gt;</b>
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CreationDate&gt;2008-07-23T12:48:00&lt;/CreationDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;LastSaved&gt;2008-07-23T16:37:00&lt;/LastSaved&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;ScheduleFromStart&gt;1&lt;/ScheduleFromStart&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;StartDate&gt;2008-07-23T08:00:00&lt;/StartDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;FinishDate&gt;2008-07-29T17:00:00&lt;/FinishDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;FYStartDate&gt;1&lt;/FYStartDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CriticalSlackLimit&gt;0&lt;/CriticalSlackLimit&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CurrencyDigits&gt;2&lt;/CurrencyDigits&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CurrencySymbol&gt;&#8364;&lt;/CurrencySymbol&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CurrencySymbolPosition&gt;0&lt;/CurrencySymbolPosition&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CalendarUID&gt;1&lt;/CalendarUID&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultStartTime&gt;08:00:00&lt;/DefaultStartTime&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultFinishTime&gt;17:00:00&lt;/DefaultFinishTime&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MinutesPerDay&gt;480&lt;/MinutesPerDay&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MinutesPerWeek&gt;2400&lt;/MinutesPerWeek&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DaysPerMonth&gt;20&lt;/DaysPerMonth&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultTaskType&gt;0&lt;/DefaultTaskType&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultFixedCostAccrual&gt;3&lt;/DefaultFixedCostAccrual&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultStandardRate&gt;0&lt;/DefaultStandardRate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultOvertimeRate&gt;0&lt;/DefaultOvertimeRate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DurationFormat&gt;7&lt;/DurationFormat&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;WorkFormat&gt;2&lt;/WorkFormat&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;EditableActualCosts&gt;0&lt;/EditableActualCosts&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;HonorConstraints&gt;0&lt;/HonorConstraints&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;InsertedProjectsLikeSummary&gt;1&lt;/InsertedProjectsLikeSummary&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MultipleCriticalPaths&gt;0&lt;/MultipleCriticalPaths&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;NewTasksEffortDriven&gt;1&lt;/NewTasksEffortDriven&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;NewTasksEstimated&gt;1&lt;/NewTasksEstimated&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;SplitsInProgressTasks&gt;1&lt;/SplitsInProgressTasks&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;SpreadActualCost&gt;0&lt;/SpreadActualCost&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;SpreadPercentComplete&gt;0&lt;/SpreadPercentComplete&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;TaskUpdatesResource&gt;1&lt;/TaskUpdatesResource&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;FiscalYearStart&gt;0&lt;/FiscalYearStart&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;WeekStartDay&gt;1&lt;/WeekStartDay&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MoveCompletedEndsBack&gt;0&lt;/MoveCompletedEndsBack&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MoveRemainingStartsBack&gt;0&lt;/MoveRemainingStartsBack&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MoveRemainingStartsForward&gt;0&lt;/MoveRemainingStartsForward&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MoveCompletedEndsForward&gt;0&lt;/MoveCompletedEndsForward&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;BaselineForEarnedValue&gt;0&lt;/BaselineForEarnedValue&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;AutoAddNewResourcesAndTasks&gt;1&lt;/AutoAddNewResourcesAndTasks&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;CurrentDate&gt;2008-07-23T08:00:00&lt;/CurrentDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;MicrosoftProjectServerURL&gt;1&lt;/MicrosoftProjectServerURL&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;Autolink&gt;1&lt;/Autolink&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;NewTaskStartDate&gt;0&lt;/NewTaskStartDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;DefaultTaskEVMethod&gt;0&lt;/DefaultTaskEVMethod&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;ProjectExternallyEdited&gt;0&lt;/ProjectExternallyEdited&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;ExtendedCreationDate&gt;1984-01-01T00:00:00&lt;/ExtendedCreationDate&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;ActualsInSync&gt;1&lt;/ActualsInSync&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;RemoveFileProperties&gt;0&lt;/RemoveFileProperties&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;AdminProject&gt;0&lt;/AdminProject&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;OutlineCodes /&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;WBSMasks /&gt;
</div>
</div>
<div class="e">
<div style="margin-left: 0; text-indent: 0">
&#160; &lt;ExtendedAttributes /&gt;
</div>
</div>
</div>
</div>
</body>
</html></richcontent>
<attribute NAME="prj-Company" VALUE="Acme Corp."/>
<attribute NAME="prj-Author" VALUE="John Smith"/>
<node CREATED="1216809884057" ID="ID_596157601" MODIFIED="1216825866317" POSITION="right" TEXT="task 1">
<node CREATED="1216809884057" ID="ID_551098884" MODIFIED="1216826500604" TEXT="task 1.1">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
Any attribute starting with the prefix &quot;tsk-&quot; is used as parameter for the task (after removal of the prefix). Possible parameter/value combinations need to be guessed from the XML output of MS Project. The below lines give some examples and hints.
</p>
<h2>
Examples of possible tasks parameters and values
</h2>
<p>
The following lines show examples of parameters/values combinations found in MS Project's XML file. Combinations in Bold are easy to understand, meaningful and safe to use, ones in Italic are to be avoided, for the others let me know.
</p>
<div class="e">
<div>
<div class="e">
<div>
<div class="e">
<div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; <i>&lt;UID&gt;1&lt;/UID&gt; DO NOT USE, generated automatically.</i>
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ID&gt;1&lt;/ID&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
<i>&#160; &lt;Name&gt;task 1&lt;/Name&gt; DO NOT USE, generated from the node text.</i>
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Type&gt;1&lt;/Type&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;IsNull&gt;0&lt;/IsNull&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;CreateDate&gt;2008-07-23T12:48:00&lt;/CreateDate&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;WBS&gt;1&lt;/WBS&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;OutlineNumber&gt;1&lt;/OutlineNumber&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;OutlineLevel&gt;1&lt;/OutlineLevel&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; <b>&lt;Priority&gt;200&lt;/Priority&gt;</b>
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Start&gt;2008-07-22T08:00:00&lt;/Start&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Finish&gt;2008-07-29T17:00:00&lt;/Finish&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Duration&gt;PT48H0M0S&lt;/Duration&gt; the duration of the task in hours/minutes/seconds (but doesn't work as such).
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;DurationFormat&gt;53&lt;/DurationFormat&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Work&gt;PT8H0M0S&lt;/Work&gt; the effort required for the task in hours/minutes/seconds (but doesn't work as such).
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ResumeValid&gt;0&lt;/ResumeValid&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;EffortDriven&gt;0&lt;/EffortDriven&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Recurring&gt;0&lt;/Recurring&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;OverAllocated&gt;0&lt;/OverAllocated&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Estimated&gt;1&lt;/Estimated&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Milestone&gt;0&lt;/Milestone&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Summary&gt;1&lt;/Summary&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Critical&gt;1&lt;/Critical&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;IsSubproject&gt;0&lt;/IsSubproject&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;IsSubprojectReadOnly&gt;0&lt;/IsSubprojectReadOnly&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ExternalTask&gt;0&lt;/ExternalTask&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;EarlyStart&gt;2008-07-22T08:00:00&lt;/EarlyStart&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;EarlyFinish&gt;2008-07-29T17:00:00&lt;/EarlyFinish&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;LateStart&gt;2008-07-23T08:00:00&lt;/LateStart&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;LateFinish&gt;2008-07-29T17:00:00&lt;/LateFinish&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;StartVariance&gt;0&lt;/StartVariance&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;FinishVariance&gt;0&lt;/FinishVariance&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;WorkVariance&gt;0&lt;/WorkVariance&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;FreeSlack&gt;0&lt;/FreeSlack&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;TotalSlack&gt;0&lt;/TotalSlack&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;FixedCost&gt;0&lt;/FixedCost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;FixedCostAccrual&gt;1&lt;/FixedCostAccrual&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;PercentComplete&gt;0&lt;/PercentComplete&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;PercentWorkComplete&gt;0&lt;/PercentWorkComplete&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Cost&gt;0&lt;/Cost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;OvertimeCost&gt;0&lt;/OvertimeCost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;OvertimeWork&gt;PT0H0M0S&lt;/OvertimeWork&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualDuration&gt;PT0H0M0S&lt;/ActualDuration&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualCost&gt;0&lt;/ActualCost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualOvertimeCost&gt;0&lt;/ActualOvertimeCost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualWork&gt;PT0H0M0S&lt;/ActualWork&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualOvertimeWork&gt;PT0H0M0S&lt;/ActualOvertimeWork&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;RegularWork&gt;PT0H0M0S&lt;/RegularWork&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;RemainingDuration&gt;PT48H0M0S&lt;/RemainingDuration&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;RemainingCost&gt;0&lt;/RemainingCost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;RemainingWork&gt;PT0H0M0S&lt;/RemainingWork&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;RemainingOvertimeCost&gt;0&lt;/RemainingOvertimeCost&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;RemainingOvertimeWork&gt;PT0H0M0S&lt;/RemainingOvertimeWork&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ACWP&gt;0&lt;/ACWP&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;CV&gt;0&lt;/CV&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ConstraintType&gt;0&lt;/ConstraintType&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;CalendarUID&gt;-1&lt;/CalendarUID&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;LevelAssignments&gt;1&lt;/LevelAssignments&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;LevelingCanSplit&gt;1&lt;/LevelingCanSplit&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;LevelingDelay&gt;0&lt;/LevelingDelay&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;LevelingDelayFormat&gt;8&lt;/LevelingDelayFormat&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;IgnoreResourceCalendar&gt;0&lt;/IgnoreResourceCalendar&gt;
</div>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="e">
<div>
<div class="e">
<div>
<div class="e">
<div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
<i>&#160; &lt;Notes&gt;bla bla&lt;/Notes&gt; DO NOT USE, will be generated from the node's note.</i>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
<div class="e">
<div>
<div class="e">
<div>
<div class="e">
<div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;HideBar&gt;0&lt;/HideBar&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;Rollup&gt;0&lt;/Rollup&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;BCWS&gt;0&lt;/BCWS&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;BCWP&gt;0&lt;/BCWP&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;PhysicalPercentComplete&gt;0&lt;/PhysicalPercentComplete&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;EarnedValueMethod&gt;0&lt;/EarnedValueMethod&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualWorkProtected&gt;PT0H0M0S&lt;/ActualWorkProtected&gt;
</div>
</div>
<div class="e">
<div style="text-indent: 0; margin-left: 0">
&#160; &lt;ActualOvertimeWorkProtected&gt;PT0H0M0S&lt;/ActualOvertimeWorkProtected&gt;
</div>
</div>
</div>
</div>
</div>
</div>
</div>
</div>
</body>
</html>
</richcontent>
<attribute_layout NAME_WIDTH="107" VALUE_WIDTH="107"/>
<attribute NAME="tsk-Priority" VALUE="200"/>
</node>
<node CREATED="1216809890907" ID="ID_1321935745" MODIFIED="1216825825567" TEXT="task 1.2">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
The note of any node is exported as task notes but <b>formatting</b> is <i>lost. </i>
</p>
<p>
The sub-nodes show how graphical links are transformed into predecessors relations.
</p>
</body>
</html>
</richcontent>
<node CREATED="1216809898648" ID="ID_896868759" MODIFIED="1216825200032" TEXT="task 1.2.1 - predecessor of all following tasks">
<arrowlink DESTINATION="ID_661978653" ENDARROW="Default" ENDINCLINATION="199;0;" ID="Arrow_ID_1192464141" STARTARROW="Default" STARTINCLINATION="199;0;"/>
<arrowlink DESTINATION="ID_1453547974" ENDARROW="None" ENDINCLINATION="76;0;" ID="Arrow_ID_831124590" STARTARROW="Default" STARTINCLINATION="76;0;"/>
<arrowlink DESTINATION="ID_869034720" ENDARROW="None" ENDINCLINATION="94;0;" ID="Arrow_ID_851487381" STARTARROW="None" STARTINCLINATION="94;0;"/>
<arrowlink DESTINATION="ID_1048991478" ENDARROW="Default" ENDINCLINATION="195;0;" ID="Arrow_ID_1795574541" STARTARROW="None" STARTINCLINATION="195;0;"/>
</node>
<node CREATED="1216809902163" ID="ID_1048991478" MODIFIED="1216825125382" TEXT="task 1.2.2 - uses Finish-to-Start relation"/>
<node CREATED="1216809906259" ID="ID_661978653" MODIFIED="1216825194484" TEXT="task 1.2.3 - uses Start-to-Start relation"/>
<node CREATED="1216825049830" ID="ID_1453547974" MODIFIED="1216825170078" TEXT="task 1.2.4 - uses Start-to-Finish relation"/>
<node CREATED="1216825055158" ID="ID_869034720" MODIFIED="1216825200032" TEXT="task 1.2.5 - uses Finish-to-Finish relation"/>
</node>
</node>
<node CREATED="1216809914482" ID="ID_1308741003" MODIFIED="1216826803952" POSITION="left" TEXT="task 2 - how to export a mindmap to MS Project ?">
<node CREATED="1216809917636" ID="ID_199484608" MODIFIED="1216826829891" TEXT="task 2.1 - create a map following the notes and hints expressed in this example map"/>
<node CREATED="1216809921221" ID="ID_1681718272" MODIFIED="1216826859865" TEXT="task 2.2 - export the map using the File -&gt; Export -&gt; Using XSLT... menu">
<node CREATED="1216826868748" ID="ID_1660904657" MODIFIED="1216826921937" TEXT="task 2.2.1 - select the mm2msp_utf8.xsl XSL file from the accessories directory in the FreeMind base directory."/>
<node CREATED="1216826924521" ID="ID_1561412985" MODIFIED="1216827030567" TEXT="task 2.2.2 - export to a file with a name ending in .xml"/>
</node>
<node CREATED="1216826940554" ID="ID_769680777" MODIFIED="1216827227358" TEXT="task 2.3 - open Microsoft Office Project">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
You need a version of MS Project supporting XML, I think MS Project 2003 and later.
</p>
</body>
</html>
</richcontent>
</node>
<node CREATED="1216826953904" ID="ID_999549737" MODIFIED="1216826968235" TEXT="task 2.4 - select the File -&gt; Open menu point">
<node CREATED="1216826972942" ID="ID_1853962830" MODIFIED="1216827047893" TEXT="task 2.4.1 - make sure the file dialog filters on XML files"/>
<node CREATED="1216827051148" ID="ID_1363816861" MODIFIED="1216827068093" TEXT="task 2.4.2 - select the file.xml you&apos;ve just exported"/>
</node>
<node CREATED="1216827072099" ID="ID_785390572" MODIFIED="1216827091417" TEXT="task 2.5 - you&apos;re done, enjoy!"/>
</node>
<node CREATED="1216809929423" ID="ID_180931108" MODIFIED="1216825071502" POSITION="left" TEXT="task 3"/>
<node CREATED="1216822804682" ID="ID_1397543137" MODIFIED="1216825071502" POSITION="left" TEXT="task 4"/>
</node>
</map>

View File

@ -0,0 +1,55 @@
<?xml version="1.0" encoding="iso-8859-1"?>
<!--
adapted from mm2oowriter.xsl by Ondrej Popp
/*FreeMind - A Program for creating and viewing Mindmaps
*Copyright (C) 2000-2008 Christian Foltin and others.
*
*See COPYING for Details
*
*This program is free software; you can redistribute it and/or
*modify it under the terms of the GNU General Public License
*as published by the Free Software Foundation; either version 2
*of the License, or (at your option) any later version.
*
*This program is distributed in the hope that it will be useful,
*but WITHOUT ANY WARRANTY; without even the implied warranty of
*MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
*GNU General Public License for more details.
*
*You should have received a copy of the GNU General Public License
*along with this program; if not, write to the Free Software
*Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:manifest="urn:oasis:names:tc:opendocument:xmlns:manifest:1.0">
<xsl:output method="xml" version="1.0" indent="yes" encoding="UTF-8" omit-xml-declaration="no"/>
<xsl:strip-space elements="*"/>
<xsl:template match="map">
<manifest:manifest xmlns:manifest="urn:oasis:names:tc:opendocument:xmlns:manifest:1.0">
<manifest:file-entry manifest:media-type="application/vnd.oasis.opendocument.presentation" manifest:full-path="/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/statusbar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/accelerator/current.xml"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/accelerator/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/floater/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/popupmenu/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/progressbar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/menubar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/toolbar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/images/Bitmaps/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/images/"/>
<manifest:file-entry manifest:media-type="application/vnd.sun.xml.ui.configuration" manifest:full-path="Configurations2/"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="content.xml"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="styles.xml"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="meta.xml"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Thumbnails/thumbnail.png"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Thumbnails/"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="settings.xml"/>
</manifest:manifest>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,714 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
/*FreeMind - A Program for creating and viewing Mindmaps *Copyright
(C) 2000-2008 Christian Foltin and others. * *See COPYING for Details
* *This program is free software; you can redistribute it and/or
*modify it under the terms of the GNU General Public License *as
published by the Free Software Foundation; either version 2 *of the
License, or (at your option) any later version. * *This program is
distributed in the hope that it will be useful, *but WITHOUT ANY
WARRANTY; without even the implied warranty of *MERCHANTABILITY or
FITNESS FOR A PARTICULAR PURPOSE. See the *GNU General Public License
for more details. * *You should have received a copy of the GNU
General Public License *along with this program; if not, write to the
Free Software *Foundation, Inc., 59 Temple Place - Suite 330, Boston,
MA 02111-1307, USA. * */
-->
<xsl:stylesheet version="1.0" xmlns="http://www.w3.org/1999/xhtml"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0"
xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0"
xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0"
xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0"
xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0"
xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0"
xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0"
xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0"
xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0"
xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0"
xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0"
xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML"
xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0"
xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0"
xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer"
xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events"
xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<xsl:output method="xml" version="1.0" indent="no"
encoding="UTF-8" omit-xml-declaration="no" />
<xsl:strip-space elements="*" />
<!-- fc, 16.2.2009: The following parameter is set by freemind. -->
<xsl:param name="date">
02.2009
</xsl:param>
<xsl:template match="map">
<office:document-content
xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0"
xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0"
xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0"
xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0"
xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0"
xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0"
xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0"
xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0"
xmlns:presentation="urn:oasis:names:tc:opendocument:xmlns:presentation:1.0"
xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0"
xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0"
xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0"
xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0"
xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0"
xmlns:ooo="http://openoffice.org/2004/office" xmlns:ooow="http://openoffice.org/2004/writer"
xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events"
xmlns:xforms="http://www.w3.org/2002/xforms" xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:smil="urn:oasis:names:tc:opendocument:xmlns:smil-compatible:1.0"
xmlns:anim="urn:oasis:names:tc:opendocument:xmlns:animation:1.0"
xmlns:field="urn:openoffice:names:experimental:ooxml-odf-interop:xmlns:field:1.0"
office:version="1.1">
<office:scripts />
<office:automatic-styles>
<style:style style:name="dp1" style:family="drawing-page">
<style:drawing-page-properties
presentation:background-visible="true"
presentation:background-objects-visible="true"
presentation:display-footer="false"
presentation:display-page-number="false"
presentation:display-date-time="false" />
</style:style>
<style:style style:name="dp2" style:family="drawing-page">
<style:drawing-page-properties
presentation:display-header="true" presentation:display-footer="true"
presentation:display-page-number="false"
presentation:display-date-time="true" />
</style:style>
<style:style style:name="dp3" style:family="drawing-page">
<style:drawing-page-properties
presentation:background-visible="true"
presentation:background-objects-visible="true"
presentation:display-footer="true"
presentation:display-page-number="true"
presentation:display-date-time="true" />
</style:style>
<style:style style:name="gr1" style:family="graphic">
<style:graphic-properties style:protect="size" />
</style:style>
<style:style style:name="pr1" style:family="presentation"
style:parent-style-name="Standard-title">
<style:graphic-properties draw:fill-color="#ffffff"
fo:min-height="3.256cm" />
</style:style>
<style:style style:name="pr2" style:family="presentation"
style:parent-style-name="Standard-subtitle">
<style:graphic-properties draw:fill-color="#ffffff"
fo:min-height="13.609cm" />
</style:style>
<style:style style:name="pr3" style:family="presentation"
style:parent-style-name="Standard-notes">
<style:graphic-properties draw:fill-color="#ffffff"
draw:auto-grow-height="true" fo:min-height="13.365cm" />
</style:style>
<style:style style:name="pr4" style:family="presentation"
style:parent-style-name="Standard-outline1">
<style:graphic-properties draw:fill-color="#ffffff"
fo:min-height="13.609cm" />
</style:style>
<style:style style:name="Title1" style:family="paragraph">
<style:paragraph-properties
fo:margin-left="0cm" fo:margin-right="0cm" fo:text-align="start"
fo:text-indent="0cm" />
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-size="36pt"
style:font-size-asian="36pt" style:font-size-complex="36pt" />
</style:style>
<style:style style:name="P1" style:family="paragraph">
<style:paragraph-properties fo:margin-left="1.2cm" fo:margin-right="0cm" fo:text-indent="-0.9cm"/>
</style:style>
<style:style style:name="P2" style:family="paragraph">
<style:paragraph-properties fo:margin-left="2.4cm" fo:margin-right="0cm" fo:text-indent="-0.8cm"/>
</style:style>
<style:style style:name="P3" style:family="paragraph">
<style:paragraph-properties fo:margin-left="3.6cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<style:style style:name="P4" style:family="paragraph">
<style:paragraph-properties fo:margin-left="4.8cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<style:style style:name="P5" style:family="paragraph">
<style:paragraph-properties fo:margin-left="6cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<style:style style:name="P6" style:family="paragraph">
<style:paragraph-properties fo:margin-left="7.2cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<style:style style:name="P7" style:family="paragraph">
<style:paragraph-properties fo:margin-left="8.4cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<style:style style:name="P8" style:family="paragraph">
<style:paragraph-properties fo:margin-left="9.6cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<style:style style:name="P9" style:family="paragraph">
<style:paragraph-properties fo:margin-left="10.8cm" fo:margin-right="0cm" fo:text-indent="-0.6cm"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet
text:level="1" text:bullet-char="●">
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="2" text:bullet-char="">
<style:list-level-properties
text:space-before="1.6cm" text:min-label-width="0.8cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="75%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="3" text:bullet-char="●">
<style:list-level-properties
text:space-before="3cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="4" text:bullet-char="">
<style:list-level-properties
text:space-before="4.2cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="75%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="5" text:bullet-char="●">
<style:list-level-properties
text:space-before="5.4cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="6" text:bullet-char="●">
<style:list-level-properties
text:space-before="6.6cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="7" text:bullet-char="●">
<style:list-level-properties
text:space-before="7.8cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="8" text:bullet-char="●">
<style:list-level-properties
text:space-before="9cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
<text:list-level-style-bullet
text:level="9" text:bullet-char="●">
<style:list-level-properties
text:space-before="10.2cm" text:min-label-width="0.6cm" />
<style:text-properties fo:font-family="StarSymbol"
style:use-window-font-color="true" fo:font-size="45%" />
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:presentation>
<!-- Title page -->
<xsl:apply-templates select="node" mode="titlepage" />
<presentation:settings
presentation:mouse-visible="false" />
</office:presentation>
</office:body>
</office:document-content>
</xsl:template>
<xsl:template match="node" mode="titlepage">
<presentation:footer-decl presentation:name="ftr1">
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style"></xsl:with-param>
</xsl:call-template>
</presentation:footer-decl>
<presentation:date-time-decl
presentation:name="dtd1" presentation:source="fixed">
<xsl:value-of select="$date" />
</presentation:date-time-decl>
<draw:page draw:name="page1" draw:style-name="dp1"
draw:master-page-name="Standard"
presentation:presentation-page-layout-name="AL1T0"
presentation:use-footer-name="ftr1" presentation:use-date-time-name="dtd1">
<office:forms form:automatic-focus="false"
form:apply-design-mode="false" />
<draw:frame presentation:style-name="pr1" draw:layer="layout"
svg:width="25.199cm" svg:height="3.256cm" svg:x="1.4cm" svg:y="0.962cm"
presentation:class="title">
<draw:text-box>
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style">P1</xsl:with-param>
</xsl:call-template>
</draw:text-box>
</draw:frame>
<draw:frame presentation:style-name="pr2" draw:layer="layout"
svg:width="25.199cm" svg:height="13.609cm" svg:x="1.4cm" svg:y="5.039cm"
presentation:class="subtitle" presentation:placeholder="true">
<draw:text-box />
</draw:frame>
<presentation:notes draw:style-name="dp2">
<office:forms form:automatic-focus="false"
form:apply-design-mode="false" />
<draw:page-thumbnail draw:style-name="gr1"
draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm"
svg:x="3.075cm" svg:y="2.257cm" draw:page-number="1"
presentation:class="page" />
<draw:frame presentation:style-name="pr3"
draw:text-style-name="P2" draw:layer="layout" svg:width="16.799cm"
svg:height="13.365cm" svg:x="2.1cm" svg:y="14.107cm"
presentation:class="notes" presentation:placeholder="true">
<draw:text-box />
</draw:frame>
</presentation:notes>
</draw:page>
<!-- Give the other nodes out. -->
<xsl:apply-templates select="." mode="toc" />
</xsl:template>
<xsl:template match="node" mode="titleout">
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style"></xsl:with-param>
</xsl:call-template>
</xsl:template>
<xsl:template match="node" mode="contentout">
<text:list text:style-name="L2">
<text:list-item>
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style">P1</xsl:with-param>
</xsl:call-template>
</text:list-item>
</text:list>
</xsl:template>
<xsl:template name="depthMeasurement">
<xsl:param name="nodes" select="."></xsl:param>
<xsl:choose>
<xsl:when test="count($nodes)=0">0</xsl:when>
<xsl:when test="count($nodes)=1">
<!-- Call method with its descendants. -->
<xsl:variable name="val">
<xsl:call-template name="depthMeasurement">
<xsl:with-param name="nodes" select="$nodes/node"/>
</xsl:call-template>
</xsl:variable>
<xsl:value-of select="$val+1"/>
</xsl:when>
<xsl:otherwise>
<!-- Determine max -->
<xsl:variable name="half" select="floor(count($nodes) div 2)"/>
<xsl:variable name="val1">
<xsl:call-template name="depthMeasurement">
<xsl:with-param name="nodes" select="$nodes[position() &lt;= $half]"/>
</xsl:call-template>
</xsl:variable>
<xsl:variable name="val2">
<xsl:call-template name="depthMeasurement">
<xsl:with-param name="nodes" select="$nodes[position() > $half]"/>
</xsl:call-template>
</xsl:variable>
<xsl:choose>
<xsl:when test="$val1 &gt; $val2"><xsl:value-of select="$val1"/></xsl:when>
<xsl:otherwise><xsl:value-of select="$val2"/></xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="node" mode="toc">
<xsl:variable name="depth">
<xsl:call-template name="depthMeasurement">
<xsl:with-param name="nodes" select="."></xsl:with-param>
</xsl:call-template>
</xsl:variable>
<!--
If the current node has a note, then insert a special page for it.
-->
<xsl:if test="richcontent[@TYPE='NOTE']">
<xsl:apply-templates select="." mode="note" />
</xsl:if>
<xsl:variable name="subnodes" select="node"></xsl:variable>
<xsl:variable name="completeOut" select="$depth &lt; 3 or @FOLDED='true'"></xsl:variable>
<xsl:choose>
<xsl:when test="$subnodes = 0"></xsl:when>
<xsl:otherwise>
<!--
Give summary page out. Title is the current node, Content are the
children, notes are omitted (draw:name="page3" is omitted, too).
-->
<draw:page draw:style-name="dp3"
draw:master-page-name="Standard"
presentation:presentation-page-layout-name="AL2T1"
presentation:use-footer-name="ftr1" presentation:use-date-time-name="dtd1">
<office:forms form:automatic-focus="false"
form:apply-design-mode="false" />
<draw:frame presentation:style-name="pr1"
draw:text-style-name="P4" draw:layer="layout" svg:width="25.199cm"
svg:height="3.256cm" svg:x="1.4cm" svg:y="0.962cm"
presentation:class="title" presentation:user-transformed="true">
<draw:text-box>
<text:p text:style-name="Title1">
<!-- Title of upper slide -->
<xsl:apply-templates select=".." mode="titleout" />
<text:line-break /><text:span text:style-name="T1">
<!-- Title of this slide with decreased font -->
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style"></xsl:with-param>
</xsl:call-template>
</text:span>
</text:p>
</draw:text-box>
</draw:frame>
<draw:frame presentation:style-name="pr4" draw:layer="layout"
svg:width="25.199cm" svg:height="13.609cm" svg:x="1.4cm" svg:y="4.914cm"
presentation:class="outline">
<xsl:choose>
<xsl:when test="$completeOut">
<!-- Give the complete sub nodes out. -->
<draw:text-box>
<xsl:apply-templates select="node" />
</draw:text-box>
</xsl:when>
<xsl:otherwise>
<draw:text-box>
<xsl:apply-templates select="node" mode="contentout" />
</draw:text-box>
</xsl:otherwise>
</xsl:choose>
</draw:frame>
<presentation:notes draw:style-name="dp2">
<office:forms form:automatic-focus="false"
form:apply-design-mode="false" />
<draw:page-thumbnail draw:style-name="gr1"
draw:layer="layout" svg:width="14.848cm" svg:height="11.135cm"
svg:x="3.075cm" svg:y="2.257cm"
presentation:class="page" />
<draw:frame presentation:style-name="pr3"
draw:text-style-name="P7" draw:layer="layout" svg:width="16.799cm"
svg:height="13.365cm" svg:x="2.1cm" svg:y="14.107cm"
presentation:class="notes" presentation:placeholder="true">
<draw:text-box />
</draw:frame>
</presentation:notes>
</draw:page>
</xsl:otherwise>
</xsl:choose>
<xsl:choose>
<xsl:when test="$completeOut"/>
<xsl:otherwise>
<xsl:apply-templates select="node" mode="toc" />
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="node">
<xsl:param name="depth">0</xsl:param>
<xsl:variable name="text">
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style">P<xsl:value-of select="$depth+1"/></xsl:with-param>
</xsl:call-template>
</xsl:variable>
<text:list text:style-name="L2">
<text:list-item>
<xsl:call-template name="insertList">
<xsl:with-param name="text" select="$text"/>
<xsl:with-param name="depth" select="$depth"/>
</xsl:call-template>
</text:list-item>
</text:list>
<xsl:apply-templates select="node" >
<xsl:with-param name="depth" select="$depth+1"></xsl:with-param>
</xsl:apply-templates>
</xsl:template>
<xsl:template name="insertList">
<xsl:param name="text">TT</xsl:param>
<xsl:param name="depth">0</xsl:param>
<xsl:choose>
<xsl:when test="$depth = 0"><xsl:copy-of select="$text"/></xsl:when>
<xsl:otherwise>
<text:list>
<text:list-item>
<xsl:call-template name="insertList">
<xsl:with-param name="text" select="$text"/>
<xsl:with-param name="depth" select="$depth - 1"/>
</xsl:call-template>
</text:list-item>
</text:list>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="hook" />
<!-- Give links out. -->
<xsl:template match="@LINK">
<text:p text:style-name="Standard">
<xsl:element name="text:a" namespace="text">
<xsl:attribute namespace="xlink" name="xlink:type">simple</xsl:attribute>
<xsl:attribute namespace="xlink" name="xlink:href">
<!-- Convert relative links, such that they start with "../".
This is due to the fact, that OOo calculates all relative links from the document itself! -->
<xsl:choose>
<xsl:when test="starts-with(.,'/') or contains(.,':')">
<!-- absolute link -->
<xsl:value-of select="." />
</xsl:when>
<xsl:otherwise>
<!-- relative link, put "../" at the front -->
<xsl:text>../</xsl:text><xsl:value-of select="." />
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
<xsl:value-of select="." />
</xsl:element>
</text:p>
</xsl:template>
<xsl:template name="output-nodecontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:choose>
<xsl:when test="richcontent[@TYPE='NODE']">
<xsl:apply-templates select="richcontent[@TYPE='NODE']/html/body"
mode="richcontent">
<xsl:with-param name="style" select="$style" />
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$style = ''">
<!--no style for headings. -->
<xsl:call-template name="textnode" />
</xsl:when>
<xsl:otherwise>
<xsl:element name="text:p">
<xsl:attribute name="text:style-name"><xsl:value-of
select="$style" /></xsl:attribute>
<xsl:call-template name="textnode" />
</xsl:element>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template> <!-- xsl:template name="output-nodecontent" -->
<xsl:template name="output-notecontent">
<xsl:if test="richcontent[@TYPE='NOTE']">
<xsl:apply-templates select="richcontent[@TYPE='NOTE']/html/body"
mode="richcontent">
<xsl:with-param name="style">Standard</xsl:with-param>
</xsl:apply-templates>
</xsl:if>
</xsl:template> <!-- xsl:template name="output-note" -->
<xsl:template name="textnode">
<xsl:call-template name="format_text">
<xsl:with-param name="nodetext">
<xsl:choose>
<xsl:when test="@TEXT = ''">
<xsl:text> </xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:value-of select="@TEXT" />
</xsl:otherwise>
</xsl:choose>
</xsl:with-param>
</xsl:call-template>
</xsl:template> <!-- xsl:template name="textnode" -->
<!-- replace ASCII line breaks through ODF line breaks (br) -->
<xsl:template name="format_text">
<xsl:param name="nodetext"></xsl:param>
<xsl:if test="string-length(substring-after($nodetext,'&#xa;')) = 0">
<xsl:value-of select="$nodetext" />
</xsl:if>
<xsl:if test="string-length(substring-after($nodetext,'&#xa;')) > 0">
<xsl:value-of select="substring-before($nodetext,'&#xa;')" />
<text:line-break />
<xsl:call-template name="format_text">
<xsl:with-param name="nodetext">
<xsl:value-of select="substring-after($nodetext,'&#xa;')" />
</xsl:with-param>
</xsl:call-template>
</xsl:if>
</xsl:template> <!-- xsl:template name="format_text" -->
<xsl:template match="body" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<!-- <xsl:copy-of select="string(.)"/> -->
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</xsl:template>
<xsl:template match="text()" mode="richcontent">
<xsl:copy-of select="string(.)" />
</xsl:template>
<xsl:template match="br" mode="richcontent">
<text:line-break />
</xsl:template>
<xsl:template match="b" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:span text:style-name="T1">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:span>
</xsl:template>
<xsl:template match="p" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:choose>
<xsl:when test="$style = ''">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</xsl:when>
<xsl:when test="@style='text-align: center'">
<text:p text:style-name="P3">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:p>
</xsl:when>
<xsl:when test="@style='text-align: right'">
<text:p text:style-name="P4">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:p>
</xsl:when>
<xsl:when test="@style='text-align: justify'">
<text:p text:style-name="P5">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:p>
</xsl:when>
<xsl:otherwise>
<xsl:element name="text:p">
<xsl:attribute name="text:style-name"><xsl:value-of
select="$style" /></xsl:attribute>
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</xsl:element>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="i" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:span text:style-name="T2">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:span>
</xsl:template>
<xsl:template match="u" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:span text:style-name="T3">
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:span>
</xsl:template>
<xsl:template match="ul" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:list text:style-name="L1">
<xsl:apply-templates select="text()|*" mode="richcontentul">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:list>
<text:p text:style-name="P3" />
</xsl:template>
<xsl:template match="ol" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:list text:style-name="L2">
<xsl:apply-templates select="text()|*" mode="richcontentol">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates>
</text:list>
<text:p text:style-name="P3" />
</xsl:template>
<xsl:template match="li" mode="richcontentul">
<xsl:param name="style">Standard</xsl:param>
<text:list-item>
<text:p text:style-name="P1"><!--
-->
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates><!--
-->
</text:p>
</text:list-item>
</xsl:template>
<xsl:template match="li" mode="richcontentol">
<xsl:param name="style">Standard</xsl:param>
<text:list-item>
<text:p text:style-name="P2"><!--
-->
<xsl:apply-templates select="text()|*" mode="richcontent">
<xsl:with-param name="style" select="$style"></xsl:with-param>
</xsl:apply-templates><!--
-->
</text:p>
</text:list-item>
</xsl:template>
<!--
<text:list-item> <text:p text:style-name="P1">b </text:list-item>
<text:list-item> <text:p text:style-name="P1">c</text:p>
</text:list-item> <text:p text:style-name="P2"/>
-->
<!--
<text:ordered-list text:style-name="L2"> <text:list-item> <text:p
text:style-name="P3">1</text:p> </text:list-item> <text:list-item>
<text:p text:style-name="P3">2</text:p> </text:list-item>
<text:list-item> <text:p text:style-name="P3">3</text:p>
</text:list-item> </text:ordered-list> <text:p text:style-name="P2"/>
-->
<!--
Table: <table:table table:name="Table1" table:style-name="Table1">
<table:table-column table:style-name="Table1.A"
table:number-columns-repeated="3"/> <table:table-row>
<table:table-cell table:style-name="Table1.A1"
table:value-type="string"> <text:p text:style-name="Table
Contents">T11</text:p> </table:table-cell> <table:table-cell
table:style-name="Table1.A1" table:value-type="string"> <text:p
text:style-name="Table Contents">T21</text:p> </table:table-cell>
<table:table-cell table:style-name="Table1.C1"
table:value-type="string"> <text:p text:style-name="Table
Contents">T31</text:p> </table:table-cell> </table:table-row>
<table:table-row> <table:table-cell table:style-name="Table1.A2"
table:value-type="string"> <text:p text:style-name="Table
Contents">T12</text:p> </table:table-cell> <table:table-cell
table:style-name="Table1.A2" table:value-type="string"> <text:p
text:style-name="Table Contents">T22</text:p> </table:table-cell>
<table:table-cell table:style-name="Table1.C2"
table:value-type="string"> <text:p text:style-name="Table
Contents">T32</text:p> </table:table-cell> </table:table-row>
<table:table-row> <table:table-cell table:style-name="Table1.A2"
table:value-type="string"> <text:p text:style-name="Table
Contents">T13</text:p> </table:table-cell> <table:table-cell
table:style-name="Table1.A2" table:value-type="string"> <text:p
text:style-name="Table Contents">T23</text:p> </table:table-cell>
<table:table-cell table:style-name="Table1.C2"
table:value-type="string"> <text:p text:style-name="Table
Contents">T32</text:p> </table:table-cell> </table:table-row>
</table:table>
-->
</xsl:stylesheet>

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,55 @@
<?xml version="1.0" encoding="iso-8859-1"?>
<!--
adapted from mm2oowriter.xsl by Ondrej Popp
/*FreeMind - A Program for creating and viewing Mindmaps
*Copyright (C) 2000-2008 Christian Foltin and others.
*
*See COPYING for Details
*
*This program is free software; you can redistribute it and/or
*modify it under the terms of the GNU General Public License
*as published by the Free Software Foundation; either version 2
*of the License, or (at your option) any later version.
*
*This program is distributed in the hope that it will be useful,
*but WITHOUT ANY WARRANTY; without even the implied warranty of
*MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
*GNU General Public License for more details.
*
*You should have received a copy of the GNU General Public License
*along with this program; if not, write to the Free Software
*Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:manifest="urn:oasis:names:tc:opendocument:xmlns:manifest:1.0">
<xsl:output method="xml" version="1.0" indent="yes" encoding="UTF-8" omit-xml-declaration="no"/>
<xsl:strip-space elements="*"/>
<xsl:template match="map">
<manifest:manifest xmlns:manifest="urn:oasis:names:tc:opendocument:xmlns:manifest:1.0">
<manifest:file-entry manifest:media-type="application/vnd.oasis.opendocument.text" manifest:full-path="/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/statusbar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/accelerator/current.xml"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/accelerator/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/floater/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/popupmenu/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/progressbar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/menubar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/toolbar/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/images/Bitmaps/"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Configurations2/images/"/>
<manifest:file-entry manifest:media-type="application/vnd.sun.xml.ui.configuration" manifest:full-path="Configurations2/"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="content.xml"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="styles.xml"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="meta.xml"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Thumbnails/thumbnail.png"/>
<manifest:file-entry manifest:media-type="" manifest:full-path="Thumbnails/"/>
<manifest:file-entry manifest:media-type="text/xml" manifest:full-path="settings.xml"/>
</manifest:manifest>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,540 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
/*FreeMind - A Program for creating and viewing Mindmaps
*Copyright (C) 2000-2008 Christian Foltin and others.
*
*See COPYING for Details
*
*This program is free software; you can redistribute it and/or
*modify it under the terms of the GNU General Public License
*as published by the Free Software Foundation; either version 2
*of the License, or (at your option) any later version.
*
*This program is distributed in the hope that it will be useful,
*but WITHOUT ANY WARRANTY; without even the implied warranty of
*MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
*GNU General Public License for more details.
*
*You should have received a copy of the GNU General Public License
*along with this program; if not, write to the Free Software
*Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
-->
<xsl:stylesheet version="1.0" xmlns="http://www.w3.org/1999/xhtml"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0"
xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0"
xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0"
xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0"
xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0"
xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0"
xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0"
xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0"
xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0"
xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0"
xmlns:math="http://www.w3.org/1998/Math/MathML"
xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0"
xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0"
xmlns:ooo="http://openoffice.org/2004/office"
xmlns:ooow="http://openoffice.org/2004/writer"
xmlns:oooc="http://openoffice.org/2004/calc"
xmlns:dom="http://www.w3.org/2001/xml-events"
xmlns:xforms="http://www.w3.org/2002/xforms"
xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance">
<xsl:output method="xml" version="1.0" indent="yes" encoding="UTF-8" omit-xml-declaration="no"/>
<xsl:strip-space elements="*"/>
<xsl:template match="map">
<office:document-content
xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0"
xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0"
xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0"
xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0"
xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0"
xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0"
xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0"
xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0"
xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0"
xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0"
xmlns:math="http://www.w3.org/1998/Math/MathML"
xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0"
xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0"
xmlns:ooo="http://openoffice.org/2004/office"
xmlns:ooow="http://openoffice.org/2004/writer"
xmlns:oooc="http://openoffice.org/2004/calc"
xmlns:dom="http://www.w3.org/2001/xml-events"
xmlns:xforms="http://www.w3.org/2002/xforms"
xmlns:xsd="http://www.w3.org/2001/XMLSchema"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
office:version="1.0">
<office:scripts />
<office:font-face-decls>
<style:font-face style:name="StarSymbol"
svg:font-family="StarSymbol" />
<style:font-face style:name="DejaVu Sans"
svg:font-family="&apos;DejaVu Sans&apos;"
style:font-family-generic="roman" style:font-pitch="variable" />
<style:font-face style:name="DejaVu Sans1"
svg:font-family="&apos;DejaVu Sans&apos;"
style:font-family-generic="swiss" style:font-pitch="variable" />
<style:font-face style:name="DejaVu Sans2"
svg:font-family="&apos;DejaVu Sans&apos;"
style:font-family-generic="system" style:font-pitch="variable" />
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph"
style:parent-style-name="Text_20_body" style:list-style-name="L1" />
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10"
text:style-name="Bullet_20_Symbols" style:num-suffix="."
text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm"
text:min-label-width="0.635cm" />
<style:text-properties style:font-name="StarSymbol" />
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false"
form:apply-design-mode="false" />
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0"
text:name="Illustration" />
<text:sequence-decl text:display-outline-level="0"
text:name="Table" />
<text:sequence-decl text:display-outline-level="0"
text:name="Text" />
<text:sequence-decl text:display-outline-level="0"
text:name="Drawing" />
</text:sequence-decls>
<xsl:apply-templates select="node"/>
</office:text>
</office:body>
</office:document-content>
</xsl:template>
<xsl:template match="node">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="$depth=0"><!-- Title -->
<xsl:call-template name="output-nodecontent">
<xsl:with-param name="style">Title</xsl:with-param>
</xsl:call-template>
<xsl:apply-templates select="hook|@LINK"/>
<xsl:call-template name="output-notecontent" />
<xsl:apply-templates select="node"/>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="ancestor::node[@FOLDED='true']">
<text:list text:style-name="L1">
<text:list-item>
<xsl:call-template
name="output-nodecontent">
<xsl:with-param name="style">Standard</xsl:with-param>
</xsl:call-template>
<xsl:apply-templates select="hook|@LINK"/>
<xsl:call-template name="output-notecontent" />
<xsl:apply-templates select="node"/>
</text:list-item>
</text:list>
</xsl:when>
<xsl:otherwise>
<xsl:variable name="heading_level"><xsl:text>Heading_20_</xsl:text><xsl:value-of
select="$depth"/></xsl:variable>
<xsl:element name="text:h">
<xsl:attribute name="text:style-name" ><!--
--><xsl:value-of select="$heading_level"/><!--
--></xsl:attribute>
<xsl:attribute name="text:outline-level"><xsl:value-of
select="$depth"/></xsl:attribute>
<xsl:call-template name="output-nodecontent">
<!--No Style for Headings.-->
<xsl:with-param name="style"></xsl:with-param>
</xsl:call-template>
</xsl:element>
<xsl:apply-templates select="hook|@LINK"/>
<xsl:call-template name="output-notecontent" />
<xsl:apply-templates select="node"/>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="hook"/>
<!-- <xsl:template match="hook[@NAME='accessories/plugins/NodeNote.properties']">
<xsl:choose>
<xsl:when test="./text">
<text:p text:style-name="Standard">
<xsl:value-of select="./text"/>
</text:p>
</xsl:when>
</xsl:choose>
</xsl:template>
<xsl:template match="node" mode="childoutputOrdered">
<xsl:param name="nodeText"></xsl:param>
<text:ordered-list text:style-name="L1"
text:continue-numbering="true">
<text:list-item>
<xsl:apply-templates select=".." mode="childoutputOrdered">
<xsl:with-param name="nodeText"><xsl:copy-of
select="$nodeText"/></xsl:with-param>
</xsl:apply-templates>
</text:list-item>
</text:ordered-list>
</xsl:template>
<xsl:template match="map" mode="childoutputOrdered">
<xsl:param name="nodeText"></xsl:param>
<xsl:copy-of select="$nodeText"/>
</xsl:template>
-->
<xsl:template match="node" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:apply-templates select=".." mode="depthMesurement">
<xsl:with-param name="depth" select="$depth + 1"/>
</xsl:apply-templates>
</xsl:template>
<xsl:template match="map" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:value-of select="$depth"/>
</xsl:template>
<!-- Give links out. -->
<xsl:template match="@LINK">
<text:p text:style-name="Standard">
<xsl:element name="text:a" namespace="text">
<xsl:attribute namespace="xlink" name="xlink:type">simple</xsl:attribute>
<xsl:attribute namespace="xlink" name="xlink:href">
<!-- Convert relative links, such that they start with "../".
This is due to the fact, that OOo calculates all relative links from the document itself! -->
<xsl:choose>
<xsl:when test="starts-with(.,'/') or contains(.,':')">
<!-- absolute link -->
<xsl:value-of select="."/>
</xsl:when>
<xsl:otherwise>
<!-- relative link, put "../" at the front -->
<xsl:text>../</xsl:text><xsl:value-of select="."/>
</xsl:otherwise>
</xsl:choose>
</xsl:attribute>
<xsl:value-of select="."/>
</xsl:element>
</text:p>
</xsl:template>
<xsl:template name="output-nodecontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:choose>
<xsl:when test="richcontent[@TYPE='NODE']">
<xsl:apply-templates select="richcontent[@TYPE='NODE']/html/body" mode="richcontent">
<xsl:with-param name="style" select="$style"/>
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$style = ''">
<!--no style for headings. -->
<xsl:call-template name="textnode" />
</xsl:when>
<xsl:otherwise>
<xsl:element name="text:p">
<xsl:attribute name="text:style-name"><xsl:value-of select="$style"/></xsl:attribute>
<xsl:call-template name="textnode" />
</xsl:element>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template> <!-- xsl:template name="output-nodecontent" -->
<xsl:template name="output-notecontent">
<xsl:if test="richcontent[@TYPE='NOTE']">
<xsl:apply-templates select="richcontent[@TYPE='NOTE']/html/body" mode="richcontent" >
<xsl:with-param name="style">Standard</xsl:with-param>
</xsl:apply-templates>
</xsl:if>
</xsl:template> <!-- xsl:template name="output-note" -->
<xsl:template name="textnode">
<xsl:call-template name="format_text">
<xsl:with-param name="nodetext">
<xsl:choose>
<xsl:when test="@TEXT = ''"><xsl:text> </xsl:text></xsl:when>
<xsl:otherwise><xsl:value-of select="@TEXT" /></xsl:otherwise>
</xsl:choose>
</xsl:with-param>
</xsl:call-template>
</xsl:template> <!-- xsl:template name="textnode" -->
<!-- replace ASCII line breaks through ODF line breaks (br) -->
<xsl:template name="format_text">
<xsl:param name="nodetext"></xsl:param>
<xsl:if test="string-length(substring-after($nodetext,'&#xa;')) = 0">
<xsl:value-of select="$nodetext" />
</xsl:if>
<xsl:if test="string-length(substring-after($nodetext,'&#xa;')) > 0">
<xsl:value-of select="substring-before($nodetext,'&#xa;')" />
<text:line-break/>
<xsl:call-template name="format_text">
<xsl:with-param name="nodetext">
<xsl:value-of select="substring-after($nodetext,'&#xa;')" />
</xsl:with-param>
</xsl:call-template>
</xsl:if>
</xsl:template> <!-- xsl:template name="format_text" -->
<xsl:template match="body" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<!-- <xsl:copy-of select="string(.)"/> -->
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</xsl:template>
<xsl:template match="text()" mode="richcontent"> <xsl:copy-of select="string(.)"/></xsl:template>
<xsl:template match="br" mode="richcontent">
<text:line-break/>
</xsl:template>
<xsl:template match="b" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:span text:style-name="T1">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:span>
</xsl:template>
<xsl:template match="p" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<xsl:choose>
<xsl:when test="$style = ''">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</xsl:when>
<xsl:when test="@style='text-align: center'">
<text:p text:style-name="P3">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:p>
</xsl:when>
<xsl:when test="@style='text-align: right'">
<text:p text:style-name="P4">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:p>
</xsl:when>
<xsl:when test="@style='text-align: justify'">
<text:p text:style-name="P5">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:p>
</xsl:when>
<xsl:otherwise>
<xsl:element name="text:p">
<xsl:attribute name="text:style-name"><xsl:value-of select="$style"/></xsl:attribute>
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</xsl:element>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template match="i" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:span text:style-name="T2">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:span>
</xsl:template>
<xsl:template match="u" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:span text:style-name="T3">
<xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:span>
</xsl:template>
<xsl:template match="ul" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:list text:style-name="L1">
<xsl:apply-templates select="text()|*" mode="richcontentul"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:list>
<text:p text:style-name="P3"/>
</xsl:template>
<xsl:template match="ol" mode="richcontent">
<xsl:param name="style">Standard</xsl:param>
<text:list text:style-name="L2">
<xsl:apply-templates select="text()|*" mode="richcontentol"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates>
</text:list>
<text:p text:style-name="P3"/>
</xsl:template>
<xsl:template match="li" mode="richcontentul">
<xsl:param name="style">Standard</xsl:param>
<text:list-item>
<text:p text:style-name="P1"><!--
--><xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates><!--
--></text:p>
</text:list-item>
</xsl:template>
<xsl:template match="li" mode="richcontentol">
<xsl:param name="style">Standard</xsl:param>
<text:list-item>
<text:p text:style-name="P2"><!--
--><xsl:apply-templates select="text()|*" mode="richcontent"><xsl:with-param name="style" select="$style"></xsl:with-param></xsl:apply-templates><!--
--></text:p>
</text:list-item>
</xsl:template>
<!--
<text:list-item>
<text:p text:style-name="P1">b
</text:list-item>
<text:list-item>
<text:p text:style-name="P1">c</text:p>
</text:list-item>
<text:p text:style-name="P2"/>
-->
<!--
<text:ordered-list text:style-name="L2">
<text:list-item>
<text:p text:style-name="P3">1</text:p>
</text:list-item>
<text:list-item>
<text:p text:style-name="P3">2</text:p>
</text:list-item>
<text:list-item>
<text:p text:style-name="P3">3</text:p>
</text:list-item>
</text:ordered-list>
<text:p text:style-name="P2"/>
-->
<!-- Table:
<table:table table:name="Table1" table:style-name="Table1">
<table:table-column table:style-name="Table1.A" table:number-columns-repeated="3"/>
<table:table-row>
<table:table-cell table:style-name="Table1.A1" table:value-type="string">
<text:p text:style-name="Table Contents">T11</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.A1" table:value-type="string">
<text:p text:style-name="Table Contents">T21</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.C1" table:value-type="string">
<text:p text:style-name="Table Contents">T31</text:p>
</table:table-cell>
</table:table-row>
<table:table-row>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T12</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T22</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.C2" table:value-type="string">
<text:p text:style-name="Table Contents">T32</text:p>
</table:table-cell>
</table:table-row>
<table:table-row>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T13</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.A2" table:value-type="string">
<text:p text:style-name="Table Contents">T23</text:p>
</table:table-cell>
<table:table-cell table:style-name="Table1.C2" table:value-type="string">
<text:p text:style-name="Table Contents">T32</text:p>
</table:table-cell>
</table:table-row>
</table:table>
-->
</xsl:stylesheet>

View File

@ -0,0 +1,275 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
/*FreeMind - A Program for creating and viewing Mindmaps
*Copyright (C) 2000-2008 Christian Foltin and others.
*
*See COPYING for Details
*
*This program is free software; you can redistribute it and/or
*modify it under the terms of the GNU General Public License
*as published by the Free Software Foundation; either version 2
*of the License, or (at your option) any later version.
*
*This program is distributed in the hope that it will be useful,
*but WITHOUT ANY WARRANTY; without even the implied warranty of
*MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
*GNU General Public License for more details.
*
*You should have received a copy of the GNU General Public License
*along with this program; if not, write to the Free Software
*Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*
*/
-->
<office:document-styles
xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0"
xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0"
xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0"
xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0"
xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0"
xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0"
xmlns:xlink="http://www.w3.org/1999/xlink"
xmlns:dc="http://purl.org/dc/elements/1.1/"
xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0"
xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0"
xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0"
xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0"
xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0"
xmlns:math="http://www.w3.org/1998/Math/MathML"
xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0"
xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0"
xmlns:ooo="http://openoffice.org/2004/office"
xmlns:ooow="http://openoffice.org/2004/writer"
xmlns:oooc="http://openoffice.org/2004/calc"
xmlns:dom="http://www.w3.org/2001/xml-events" office:version="1.0">
<office:font-face-decls>
<style:font-face style:name="StarSymbol"
svg:font-family="StarSymbol" />
<style:font-face style:name="DejaVu Sans"
svg:font-family="&apos;DejaVu Sans&apos;"
style:font-family-generic="roman" style:font-pitch="variable" />
<style:font-face style:name="DejaVu Sans1"
svg:font-family="&apos;DejaVu Sans&apos;"
style:font-family-generic="swiss" style:font-pitch="variable" />
<style:font-face style:name="DejaVu Sans2"
svg:font-family="&apos;DejaVu Sans&apos;"
style:font-family-generic="system" style:font-pitch="variable" />
</office:font-face-decls>
<office:styles>
<style:default-style style:family="graphic">
<style:graphic-properties draw:shadow-offset-x="0.3cm"
draw:shadow-offset-y="0.3cm"
draw:start-line-spacing-horizontal="0.283cm"
draw:start-line-spacing-vertical="0.283cm"
draw:end-line-spacing-horizontal="0.283cm"
draw:end-line-spacing-vertical="0.283cm"
style:flow-with-text="false" />
<style:paragraph-properties
style:text-autospace="ideograph-alpha" style:line-break="strict"
style:writing-mode="lr-tb"
style:font-independent-line-spacing="false">
<style:tab-stops />
</style:paragraph-properties>
<style:text-properties style:use-window-font-color="true"
fo:font-size="12pt"
style:font-size-asian="12pt" style:language-asian="de"
style:country-asian="DE" style:font-size-complex="12pt"
style:language-complex="de" style:country-complex="DE" />
</style:default-style>
<style:default-style style:family="paragraph">
<style:paragraph-properties
fo:hyphenation-ladder-count="no-limit"
style:text-autospace="ideograph-alpha"
style:punctuation-wrap="hanging" style:line-break="strict"
style:tab-stop-distance="1.251cm" style:writing-mode="page" />
<style:text-properties style:use-window-font-color="true"
style:font-name="DejaVu Sans" fo:font-size="12pt"
style:font-name-asian="DejaVu Sans2"
style:font-size-asian="12pt" style:language-asian="de"
style:country-asian="DE" style:font-name-complex="DejaVu Sans2"
style:font-size-complex="12pt" style:language-complex="de"
style:country-complex="DE" fo:hyphenate="false"
fo:hyphenation-remain-char-count="2"
fo:hyphenation-push-char-count="2" />
</style:default-style>
<style:default-style style:family="table">
<style:table-properties table:border-model="collapsing" />
</style:default-style>
<style:default-style style:family="table-row">
<style:table-row-properties fo:keep-together="auto" />
</style:default-style>
<style:style style:name="Standard" style:family="paragraph"
style:class="text" />
<style:style style:name="Text_20_body"
style:display-name="Text body" style:family="paragraph"
style:parent-style-name="Standard" style:class="text">
<style:paragraph-properties fo:margin-top="0cm"
fo:margin-bottom="0.212cm" />
</style:style>
<style:style style:name="Heading" style:family="paragraph"
style:parent-style-name="Standard"
style:next-style-name="Text_20_body" style:class="text">
<style:paragraph-properties fo:margin-top="0.423cm"
fo:margin-bottom="0.212cm" fo:keep-with-next="always" />
<style:text-properties style:font-name="DejaVu Sans1"
fo:font-size="14pt" style:font-name-asian="DejaVu Sans2"
style:font-size-asian="14pt" style:font-name-complex="DejaVu Sans2"
style:font-size-complex="14pt" />
</style:style>
<style:style style:name="Heading_20_1"
style:display-name="Heading 1" style:family="paragraph"
style:parent-style-name="Heading"
style:next-style-name="Text_20_body" style:class="text"
style:default-outline-level="1">
<style:text-properties fo:font-size="115%"
fo:font-weight="bold" style:font-size-asian="115%"
style:font-weight-asian="bold" style:font-size-complex="115%"
style:font-weight-complex="bold" />
</style:style>
<style:style style:name="Heading_20_2"
style:display-name="Heading 2" style:family="paragraph"
style:parent-style-name="Heading"
style:next-style-name="Text_20_body" style:class="text"
style:default-outline-level="2">
<style:text-properties fo:font-size="14pt"
fo:font-style="italic" fo:font-weight="bold"
style:font-size-asian="14pt" style:font-style-asian="italic"
style:font-weight-asian="bold" style:font-size-complex="14pt"
style:font-style-complex="italic" style:font-weight-complex="bold" />
</style:style>
<style:style style:name="Heading_20_3"
style:display-name="Heading 3" style:family="paragraph"
style:parent-style-name="Heading"
style:next-style-name="Text_20_body" style:class="text"
style:default-outline-level="3">
<style:text-properties fo:font-size="14pt"
fo:font-weight="bold" style:font-size-asian="14pt"
style:font-weight-asian="bold" style:font-size-complex="14pt"
style:font-weight-complex="bold" />
</style:style>
<style:style style:name="List" style:family="paragraph"
style:parent-style-name="Text_20_body" style:class="list" />
<style:style style:name="Caption" style:family="paragraph"
style:parent-style-name="Standard" style:class="extra">
<style:paragraph-properties fo:margin-top="0.212cm"
fo:margin-bottom="0.212cm" text:number-lines="false"
text:line-number="0" />
<style:text-properties fo:font-size="12pt"
fo:font-style="italic" style:font-size-asian="12pt"
style:font-style-asian="italic" style:font-size-complex="12pt"
style:font-style-complex="italic" />
</style:style>
<style:style style:name="Index" style:family="paragraph"
style:parent-style-name="Standard" style:class="index">
<style:paragraph-properties text:number-lines="false"
text:line-number="0" />
</style:style>
<style:style style:name="Title" style:family="paragraph"
style:parent-style-name="Heading" style:next-style-name="Subtitle"
style:class="chapter">
<style:paragraph-properties fo:text-align="center"
style:justify-single-word="false" />
<style:text-properties fo:font-size="18pt"
fo:font-weight="bold" style:font-size-asian="18pt"
style:font-weight-asian="bold" style:font-size-complex="18pt"
style:font-weight-complex="bold" />
</style:style>
<style:style style:name="Subtitle" style:family="paragraph"
style:parent-style-name="Heading"
style:next-style-name="Text_20_body" style:class="chapter">
<style:paragraph-properties fo:text-align="center"
style:justify-single-word="false" />
<style:text-properties fo:font-size="14pt"
fo:font-style="italic" style:font-size-asian="14pt"
style:font-style-asian="italic" style:font-size-complex="14pt"
style:font-style-complex="italic" />
</style:style>
<style:style style:name="Bullet_20_Symbols"
style:display-name="Bullet Symbols" style:family="text">
<style:text-properties style:font-name="StarSymbol"
fo:font-size="9pt" style:font-name-asian="StarSymbol"
style:font-size-asian="9pt" style:font-name-complex="StarSymbol"
style:font-size-complex="9pt" />
</style:style>
<text:outline-style>
<text:outline-level-style text:level="1"
style:num-format="1">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="2"
style:num-format="1" text:display-levels="2">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="3"
style:num-format="1" text:display-levels="3">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="4"
style:num-format="1" text:display-levels="4">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="5"
style:num-format="1" text:display-levels="5">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="6"
style:num-format="1" text:display-levels="6">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="7"
style:num-format="1" text:display-levels="7">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="8"
style:num-format="1" text:display-levels="8">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="9"
style:num-format="1" text:display-levels="9">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
<text:outline-level-style text:level="10"
style:num-format="1" text:display-levels="10">
<style:list-level-properties
text:min-label-distance="0.381cm" />
</text:outline-level-style>
</text:outline-style>
<text:notes-configuration text:note-class="footnote"
style:num-format="1" text:start-value="0"
text:footnotes-position="page" text:start-numbering-at="document" />
<text:notes-configuration text:note-class="endnote"
style:num-format="i" text:start-value="0" />
<text:linenumbering-configuration text:number-lines="false"
text:offset="0.499cm" style:num-format="1"
text:number-position="left" text:increment="5" />
</office:styles>
<office:automatic-styles>
<style:page-layout style:name="pm1">
<style:page-layout-properties fo:page-width="20.999cm"
fo:page-height="29.699cm" style:num-format="1"
style:print-orientation="portrait" fo:margin-top="2cm"
fo:margin-bottom="2cm" fo:margin-left="2cm" fo:margin-right="2cm"
style:writing-mode="lr-tb" style:footnote-max-height="0cm">
<style:footnote-sep style:width="0.018cm"
style:distance-before-sep="0.101cm"
style:distance-after-sep="0.101cm" style:adjustment="left"
style:rel-width="25%" style:color="#000000" />
</style:page-layout-properties>
<style:header-style />
<style:footer-style />
</style:page-layout>
</office:automatic-styles>
<office:master-styles>
<style:master-page style:name="Standard"
style:page-layout-name="pm1" />
</office:master-styles>
</office:document-styles>

View File

@ -0,0 +1,39 @@
<?xml version="1.0" encoding="UTF-8" ?>
<!--
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
Document : mm2text.xsl
Created on : 01 February 2004, 17:17
Author : joerg feuerhake joerg.feuerhake@free-penguin.org
Description: transforms freemind mm format to html, handles crossrefs and adds numbering. feel free to customize it while leaving the ancient authors
mentioned. thank you
ChangeLog:
See: http://freemind.sourceforge.net/
-->
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="text" indent="no" encoding="UTF-8"/>
<xsl:key name="refid" match="node" use="@ID"/>
<xsl:template match="/">
<xsl:apply-templates/>
</xsl:template>
<xsl:template match="node">
<xsl:variable name="thisid" select="@ID"/>
<xsl:variable name="target" select="arrowlink/@DESTINATION"/>
<xsl:number level="multiple" count="node" format="1"/>
<xsl:text> </xsl:text><xsl:value-of select="@TEXT"/>
<xsl:if test="arrowlink/@DESTINATION != ''">
<xsl:text> (see:</xsl:text>
<xsl:for-each select="key('refid', $target)">
<xsl:value-of select="@TEXT"/>
</xsl:for-each>
<xsl:text>)</xsl:text>
</xsl:if>
<xsl:apply-templates/>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,162 @@
<?xml version="1.0" encoding="iso-8859-1"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:xlink="http://www.w3.org/1999/xlink">
<xsl:output method="text" indent="no"/>
<xsl:strip-space elements="*"/>
<xsl:template match="map">
<xsl:apply-templates select="node"/>
</xsl:template>
<!-- NODE -->
<xsl:template match="node">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="$depth=0">
<xsl:text># FreeMind map "</xsl:text><xsl:value-of select="@TEXT"/><xsl:text>"&#xA;</xsl:text>
<xsl:apply-templates select="node"/>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$depth=1">
<xsl:if test="@TEXT='RESOURCES'">
<!--xsl:text> RESOURCES </xsl:text-->
<xsl:apply-templates select="node" mode="shift"/>
<xsl:apply-templates select="node" mode="resource"/>
</xsl:if>
</xsl:when>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- ATTRIBUTE -->
<xsl:template match="attribute">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="@NAME='resource'">
</xsl:when>
<xsl:when test="@NAME='shift' and position()=1">
</xsl:when>
<xsl:otherwise>
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:value-of select="@NAME"/>
<xsl:text> </xsl:text>
<xsl:value-of select="@VALUE"/>
<xsl:text>&#xA;</xsl:text>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- ATTRIBUTE RESOURCE_ID-->
<xsl:template match="attribute" mode="resource_id">
<xsl:if test="@NAME='resource'">
<xsl:if test="position()=1">
<xsl:value-of select="@VALUE"/>
</xsl:if>
</xsl:if>
</xsl:template>
<!-- NODE RESOURCE -->
<xsl:template match="node" mode="resource">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:variable name="resource_id">
<xsl:apply-templates select="attribute" mode="resource_id"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="@TEXT='#'">
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$resource_id!=''">
<xsl:text>&#xA;</xsl:text>
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:text>resource </xsl:text><xsl:value-of select="$resource_id"/><xsl:text> "</xsl:text><xsl:value-of select="@TEXT"/><xsl:text>" {&#xA;</xsl:text>
<xsl:apply-templates select="attribute"/>
<xsl:apply-templates select="node" mode="resource"/>
<!-- koniec task -->
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:text>}&#xA;</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select="node" mode="resource"/>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- ATTRIBUTE RESOURCE_ID-->
<xsl:template match="attribute" mode="shift_id">
<xsl:if test="@NAME='shift'">
<xsl:if test="position()=1">
<xsl:value-of select="@VALUE"/>
</xsl:if>
</xsl:if>
</xsl:template>
<xsl:template match="node" mode="shift">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:variable name="shift_id">
<xsl:apply-templates select="attribute" mode="shift_id"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="@TEXT='#'">
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$shift_id!=''">
<xsl:text>&#xA;</xsl:text>
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:text>shift </xsl:text><xsl:value-of select="$shift_id"/><xsl:text> "</xsl:text><xsl:value-of select="@TEXT"/><xsl:text>" {&#xA;</xsl:text>
<xsl:apply-templates select="attribute"/>
<xsl:apply-templates select="node" mode="shift"/>
<!-- koniec task -->
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:text>}&#xA;</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select="node" mode="shift"/>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- Node Depth Mesurement -->
<xsl:template match="node" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:apply-templates select=".." mode="depthMesurement">
<xsl:with-param name="depth" select="$depth + 1"/>
</xsl:apply-templates>
</xsl:template>
<!-- Map Depth Mesurement -->
<xsl:template match="map" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:value-of select="$depth"/>
</xsl:template>
<xsl:template name="spaces">
<xsl:param name="count" select="1"/>
<xsl:if test="$count > 0">
<xsl:text> </xsl:text>
<xsl:call-template name="spaces">
<xsl:with-param name="count" select="$count - 1"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,114 @@
<?xml version="1.0" encoding="iso-8859-1"?>
<xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:xlink="http://www.w3.org/1999/xlink">
<xsl:output method="text" indent="no"/>
<xsl:strip-space elements="*"/>
<xsl:template match="map">
<xsl:apply-templates select="node"/>
</xsl:template>
<!-- NODE -->
<xsl:template match="node">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="$depth=0">
<xsl:text># FreeMind map "</xsl:text><xsl:value-of select="@TEXT"/><xsl:text>"&#xA;</xsl:text>
<xsl:apply-templates select="node"/>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$depth=1">
<xsl:if test="@TEXT='TASKS'">
<!--xsl:text> TASK </xsl:text-->
<xsl:apply-templates select="node" mode="task"/>
</xsl:if>
</xsl:when>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- ATTRIBUTE -->
<xsl:template match="attribute">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="@NAME='task'">
</xsl:when>
<xsl:otherwise>
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:value-of select="@NAME"/>
<xsl:text> </xsl:text>
<xsl:value-of select="@VALUE"/>
<xsl:text>&#xA;</xsl:text>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- ATTRIBUTE TASK_ID-->
<xsl:template match="attribute" mode="task_id">
<xsl:if test="@NAME='task'">
<xsl:value-of select="@VALUE"/>
</xsl:if>
</xsl:template>
<!-- NODE TASK -->
<xsl:template match="node" mode="task">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:variable name="task_id">
<xsl:apply-templates select="attribute" mode="task_id"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="@TEXT='#'">
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="$task_id!=''">
<xsl:text>&#xA;</xsl:text>
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:text>task </xsl:text><xsl:value-of select="$task_id"/><xsl:text> "</xsl:text><xsl:value-of select="@TEXT"/><xsl:text>" {&#xA;</xsl:text>
<xsl:apply-templates select="attribute"/>
<xsl:apply-templates select="node" mode="task"/>
<!-- koniec task -->
<xsl:call-template name="spaces"><xsl:with-param name="count" select="($depth - 2) * 4"/></xsl:call-template>
<xsl:text>}&#xA;</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select="node" mode="task"/>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- Node Depth Mesurement -->
<xsl:template match="node" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:apply-templates select=".." mode="depthMesurement">
<xsl:with-param name="depth" select="$depth + 1"/>
</xsl:apply-templates>
</xsl:template>
<!-- Map Depth Mesurement -->
<xsl:template match="map" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:value-of select="$depth"/>
</xsl:template>
<xsl:template name="spaces">
<xsl:param name="count" select="1"/>
<xsl:if test="$count > 0">
<xsl:text> </xsl:text>
<xsl:call-template name="spaces">
<xsl:with-param name="count" select="$count - 1"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,77 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
Document : mm2tsk.xsl
Created on : 02 October 2010 - 22:14
Author : Giacomo Lacava toyg@users at sourceforge.net
Description: transforms freemind mm format to tsk, used by TaskCoach.
Note: this doesn't handle richtext nodes yet
* This program is free software; you can redistribute it and/or
* modify it under the terms of the GNU General Public License
* as published by the Free Software Foundation; either version 2
* of the License, or any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
Patches item #3080120, was opened at 2010-10-02 21:34
https://sourceforge.net/tracker/?func=detail&atid=307118&aid=3080120&group_id=7118
Summary: Export to TaskCoach
Initial Comment:
The attached XSL will convert a MM file to TSK, the format used by TaskCoach ( http://www.taskcoach.org ), a popular todo manager (FOSS).
At the moment it doesn't export richtext nodes properly -- surely you already have a good way to "flatten" them, but I can't find it. TaskCoach doesn't handle HTML, afaik.
TSK files require a date-time value in the "startdate" attribute of tasks; it has to be set in the past for nodes to be seen as "active". I don't know if your XSL parser handles XSLT 2.0 (many don't), so I used a 1.0 extension available online in order to do that -- I add the current timestamp, and since more than a second will always pass between the file being saved and the export being opened in TaskCoach, it seems to work.
Let me know if you need anything else.
-->
<xsl:stylesheet version="2.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:datetime="http://exslt.org/dates-and-times" exclude-result-prefixes="datetime">
<xsl:param name="datestr" select="datetime:dateTime()" />
<xsl:param name="date">
<xsl:value-of select="substring($datestr,0,5)" />
<xsl:text>-</xsl:text>
<xsl:value-of select="substring($datestr,6,2)" />
<xsl:text>-</xsl:text>
<xsl:value-of select="substring($datestr,9,2)" />
<xsl:text> </xsl:text>
<xsl:value-of select="substring($datestr,12,2)" />
<xsl:text>:</xsl:text>
<xsl:value-of select="substring($datestr,15,2)" />
<xsl:text>:</xsl:text>
<xsl:value-of select="substring($datestr,18,2)" />
</xsl:param>
<xsl:template match="/">
<xsl:processing-instruction name="taskcoach">release="1.1.4" tskversion="30"</xsl:processing-instruction>
<tasks>
<xsl:apply-templates />
</tasks>
</xsl:template>
<xsl:template match="node">
<task>
<xsl:attribute name="startdate">
<xsl:value-of select="$date"/>
</xsl:attribute>
<xsl:attribute name="status">1</xsl:attribute>
<xsl:attribute name="subject">
<xsl:value-of select="@TEXT"/>
</xsl:attribute>
<xsl:apply-templates />
</task>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,118 @@
<?xml version="1.0" encoding="iso-8859-1"?>
<!--
(c) by Stephen Fitch, 2005
This file is licensed under the GPL.
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns:xlink="http://www.w3.org/1999/xlink">
<xsl:output method="text" indent="no"/>
<xsl:strip-space elements="*"/>
<xsl:template match="map">
<xsl:apply-templates select="node"/>
</xsl:template>
<!-- match "node" -->
<xsl:template match="node">
<xsl:variable name="depth">
<xsl:apply-templates select=".." mode="depthMesurement"/>
</xsl:variable>
<xsl:choose>
<xsl:when test="$depth=0">
<xsl:choose>
<xsl:when test="@LINK">
<xsl:text>---+ [[</xsl:text><xsl:value-of select="@LINK"/><xsl:text> </xsl:text><xsl:value-of select="@TEXT"/><xsl:text>]]</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>---+ </xsl:text><xsl:value-of select="@TEXT"/>
</xsl:otherwise>
</xsl:choose>
<xsl:text>&#xA;</xsl:text>
<xsl:apply-templates select="hook"/>
<xsl:apply-templates select="node"/>
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="ancestor::node[@FOLDED='true']">
<xsl:apply-templates select=".." mode="childoutput">
<xsl:with-param name="nodeText">
<xsl:value-of select="@TEXT"/>
</xsl:with-param>
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select=".." mode="childoutput">
<xsl:with-param name="nodeText">
<xsl:if test="$depth=1">
<xsl:text>&#xA;</xsl:text>
</xsl:if>
<xsl:call-template name="spaces">
<xsl:with-param name="count"
select="$depth * 3"/>
</xsl:call-template>
<!-- Do we have text with a LINK attribute? -->
<xsl:choose>
<xsl:when test="@LINK">
<xsl:text>* [[</xsl:text><xsl:value-of select="@LINK"/><xsl:text> </xsl:text><xsl:value-of select="@TEXT"/><xsl:text>]]</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>* </xsl:text><xsl:value-of select="@TEXT"/>
</xsl:otherwise>
</xsl:choose>
<xsl:text>&#xA;</xsl:text>
</xsl:with-param>
</xsl:apply-templates>
</xsl:otherwise>
</xsl:choose>
<!-- <xsl:apply-templates select="hook|@LINK"/> -->
<xsl:apply-templates select="node"/>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template name="spaces">
<xsl:param name="count" select="1"/>
<xsl:if test="$count > 0">
<xsl:text> </xsl:text>
<xsl:call-template name="spaces">
<xsl:with-param name="count" select="$count - 1"/>
</xsl:call-template>
</xsl:if>
</xsl:template>
<!-- hook -->
<xsl:template match="hook"/>
<!-- hook -->
<xsl:template match="hook[@NAME='accessories/plugins/NodeNote.properties']">
<xsl:choose>
<xsl:when test="./text">
<xsl:value-of select="./text"/>
</xsl:when>
</xsl:choose>
</xsl:template>
<!-- Node - Output -->
<xsl:template match="node" mode="childoutput">
<xsl:param name="nodeText"></xsl:param>
<xsl:copy-of select="$nodeText"/>
</xsl:template>
<!-- Node Depth Mesurement -->
<xsl:template match="node" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:apply-templates select=".." mode="depthMesurement">
<xsl:with-param name="depth" select="$depth + 1"/>
</xsl:apply-templates>
</xsl:template>
<!-- Map Depth Mesurement -->
<xsl:template match="map" mode="depthMesurement">
<xsl:param name="depth" select=" '0' "/>
<xsl:value-of select="$depth"/>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,192 @@
<?xml version="1.0" encoding="iso-8859-1"?>
<!--
(c) by Stephen Fitch, 2005 This file is licensed under the GPL.
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform" xmlns:xlink="http://www.w3.org/1999/xlink">
<xsl:output method="text" indent="no" />
<xsl:strip-space elements="*" />
<xsl:template match="map">
<xsl:apply-templates select="node" />
</xsl:template>
<xsl:template match="font" />
<xsl:template match="@TEXT">
<xsl:value-of select="normalize-space(.)" />
</xsl:template>
<!-- match "node" -->
<xsl:template match="node">
<xsl:variable name="depth">
<xsl:apply-templates select=".."
mode="depthMesurement" />
</xsl:variable>
<xsl:choose>
<xsl:when test="$depth=0">
<xsl:text>&#xA;&#xA;%TOC%&#xA;&#xA;</xsl:text>
<xsl:choose>
<xsl:when test="@LINK">
<xsl:text>---+ [[</xsl:text>
<xsl:value-of select="@LINK" />
<xsl:text>][</xsl:text>
<xsl:apply-templates
select="richcontent/html/body|@TEXT" />
<xsl:text>]]</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>---+ </xsl:text>
<xsl:apply-templates
select="richcontent/html/body|@TEXT" />
</xsl:otherwise>
</xsl:choose>
<xsl:text>&#xA;&#xA;</xsl:text>
<xsl:apply-templates select="hook" />
<xsl:apply-templates select="node" />
</xsl:when>
<xsl:when test="$depth=1">
<xsl:text>&#xA;</xsl:text>
<xsl:choose>
<xsl:when test="@LINK">
<xsl:text>---++ [[</xsl:text>
<xsl:value-of select="@LINK" />
<xsl:text>][</xsl:text>
<xsl:apply-templates
select="richcontent/html/body|@TEXT" />
<xsl:text>]]</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>---++ </xsl:text>
<xsl:apply-templates
select="richcontent/html/body|@TEXT" />
</xsl:otherwise>
</xsl:choose>
<xsl:text>&#xA;&#xA;</xsl:text>
<xsl:apply-templates select="hook" />
<xsl:apply-templates select="node" />
</xsl:when>
<xsl:otherwise>
<xsl:choose>
<xsl:when test="ancestor::node[@FOLDED='true']">
<xsl:apply-templates select=".."
mode="childoutput">
<xsl:with-param name="nodeText">
<xsl:value-of select="@TEXT" />
</xsl:with-param>
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select=".."
mode="childoutput">
<xsl:with-param name="nodeText">
<xsl:if test="$depth=1">
<xsl:text>&#xA;</xsl:text>
</xsl:if>
<xsl:call-template
name="spaces">
<xsl:with-param name="count"
select="($depth -1) * 3" />
</xsl:call-template>
<!-- Do we have text with a LINK attribute? -->
<xsl:choose>
<xsl:when test="@LINK">
<xsl:text>* [[</xsl:text>
<xsl:value-of
select="@LINK" />
<xsl:text>][</xsl:text>
<xsl:apply-templates
select="richcontent/html/body|@TEXT" />
<xsl:text>]]</xsl:text>
</xsl:when>
<xsl:otherwise>
<xsl:text>* </xsl:text>
<xsl:apply-templates
select="richcontent/html/body|@TEXT" />
</xsl:otherwise>
</xsl:choose>
<xsl:text>&#xA;</xsl:text>
</xsl:with-param>
</xsl:apply-templates>
</xsl:otherwise>
</xsl:choose>
<!-- <xsl:apply-templates select="hook|@LINK"/> -->
<xsl:apply-templates select="node" />
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template name="spaces">
<xsl:param name="count" select="1" />
<xsl:if test="$count > 0">
<xsl:text> </xsl:text>
<xsl:call-template name="spaces">
<xsl:with-param name="count" select="$count - 1" />
</xsl:call-template>
</xsl:if>
</xsl:template>
<!-- hook -->
<xsl:template match="hook" />
<!-- hook -->
<xsl:template
match="hook[@NAME='accessories/plugins/NodeNote.properties']">
<xsl:choose>
<xsl:when test="./text">
<xsl:value-of select="./text" />
</xsl:when>
</xsl:choose>
</xsl:template>
<!-- Node - Output -->
<xsl:template match="node" mode="childoutput">
<xsl:param name="nodeText"></xsl:param>
<xsl:copy-of select="$nodeText" />
</xsl:template>
<!-- Node Depth Mesurement -->
<xsl:template match="node" mode="depthMesurement">
<xsl:param name="depth" select=" '0' " />
<xsl:apply-templates select=".."
mode="depthMesurement">
<xsl:with-param name="depth" select="$depth + 1" />
</xsl:apply-templates>
</xsl:template>
<!-- Map Depth Mesurement -->
<xsl:template match="map" mode="depthMesurement">
<xsl:param name="depth" select=" '0' " />
<xsl:value-of select="$depth" />
</xsl:template>
<xsl:template match="richcontent/html/body">
<xsl:apply-templates mode="html" />
</xsl:template>
<xsl:template match="text()" mode="html">
<xsl:value-of select="normalize-space(.)" />
</xsl:template>
<xsl:template match="li" mode="html">
<xsl:text> </xsl:text>
<xsl:apply-templates mode="html" />
</xsl:template>
<xsl:template match="p" mode="html">
<xsl:apply-templates mode="html" />
</xsl:template>
<xsl:template match="i|em" mode="html">
<xsl:text> _</xsl:text>
<xsl:apply-templates mode="html" />
<xsl:text>_ </xsl:text>
</xsl:template>
<xsl:template match="b|strong" mode="html">
<xsl:text> *</xsl:text>
<xsl:apply-templates mode="html" />
<xsl:text>* </xsl:text>
</xsl:template>
<xsl:template match="code" mode="html">
<xsl:text> =</xsl:text>
<xsl:copy-of select="." mode="html" />
<xsl:text>= </xsl:text>
</xsl:template>
<xsl:template match="pre" mode="html">
<xsl:text>&#xA;&lt;verbatim&gt;&#xA;</xsl:text>
<xsl:copy-of select="." mode="html"/>
<xsl:text>&#xA;&lt;/verbatim&gt;&#xA;</xsl:text>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,439 @@
<?xml version="1.0" encoding="UTF-8" ?>
<!--
(c) by Naoki Nose, 2006, and Eric Lavarde, 2008
This code is licensed under the GPLv2 or later.
(http://www.gnu.org/copyleft/gpl.html)
Check 'mm2wordml_utf8_TEMPLATE.mm' for detailed instructions on how to use
this sheet.
-->
<xsl:stylesheet version="1.0"
xmlns:w="http://schemas.microsoft.com/office/word/2003/wordml"
xmlns:v="urn:schemas-microsoft-com:vml"
xmlns:w10="urn:schemas-microsoft-com:office:word"
xmlns:sl="http://schemas.microsoft.com/schemaLibrary/2003/core"
xmlns:aml="http://schemas.microsoft.com/aml/2001/core"
xmlns:wx="http://schemas.microsoft.com/office/word/2003/auxHint"
xmlns:o="urn:schemas-microsoft-com:office:office"
xmlns:dt="uuid:C2F41010-65B3-11d1-A29F-00AA00C14882"
w:macrosPresent="no"
w:embeddedObjPresent="no"
w:ocxPresent="no"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:output method="xml" indent="yes" encoding="UTF-8" standalone="yes"/>
<!-- the variable to be used to determine the maximum level of headings,
it is defined by the attribute 'head-maxlevel' of the root node if it
exists, else it's the default 4 (maximum possible is 9) -->
<xsl:variable name="maxlevel">
<xsl:choose>
<xsl:when test="//map/node/attribute[@NAME='head-maxlevel']">
<xsl:value-of select="//map/node/attribute[@NAME='head-maxlevel']/@VALUE"/>
</xsl:when>
<xsl:otherwise>
<xsl:value-of select="'4'"/>
</xsl:otherwise>
</xsl:choose>
</xsl:variable>
<xsl:template match="/">
<xsl:processing-instruction name="mso-application">progid="Word.Document"</xsl:processing-instruction>
<w:wordDocument>
<xsl:apply-templates mode="DocumentProperties"/>
<xsl:call-template name="output-styles"/>
<w:body>
<wx:sect>
<xsl:apply-templates mode="heading"/>
</wx:sect>
</w:body>
</w:wordDocument>
</xsl:template>
<!-- the 2 following templates transform the doc-* attributes from the root
node into document properties -->
<xsl:template match="//map" mode="DocumentProperties">
<o:DocumentProperties>
<o:Title>
<xsl:value-of select="node/@TEXT"/>
</o:Title>
<xsl:apply-templates select="node/attribute">
<xsl:with-param name="prefix" select="'doc'"/>
</xsl:apply-templates>
</o:DocumentProperties>
</xsl:template>
<xsl:template match="attribute">
<xsl:param name="prefix"/>
<xsl:if test="starts-with(@NAME,concat($prefix,'-'))">
<xsl:element name="{concat('o:',substring-after(@NAME,concat($prefix,'-')))}">
<xsl:value-of select="@VALUE"/>
</xsl:element>
</xsl:if>
</xsl:template>
<!-- output each node as heading -->
<xsl:template match="node" mode="heading">
<xsl:param name="level" select="0"/>
<xsl:choose> <!-- we change our mind if the NoHeading attribute is present -->
<xsl:when test="attribute/@NAME = 'NoHeading'">
<xsl:apply-templates select="."/>
</xsl:when>
<xsl:otherwise>
<wx:sub-section>
<w:p>
<w:pPr>
<xsl:choose>
<xsl:when test="$level = 0">
<w:pStyle w:val="Title"/>
</xsl:when>
<xsl:otherwise>
<w:pStyle w:val="Heading{$level}"/>
</xsl:otherwise>
</xsl:choose>
</w:pPr>
<w:r>
<w:t>
<xsl:call-template name="output-node-text-as-text"/>
</w:t>
</w:r>
</w:p>
<xsl:call-template name="output-note-text-as-bodytext"/>
<!-- if the level is higher than maxlevel, or if the current node is
marked with LastHeading, we start outputting normal paragraphs,
else we loop back into the heading mode -->
<xsl:choose>
<xsl:when test="attribute/@NAME = 'LastHeading'">
<xsl:apply-templates select="node"/>
</xsl:when>
<xsl:when test="$level &lt; $maxlevel">
<xsl:apply-templates select="node" mode="heading">
<xsl:with-param name="level" select="$level + 1"/>
</xsl:apply-templates>
</xsl:when>
<xsl:otherwise>
<xsl:apply-templates select="node"/>
</xsl:otherwise>
</xsl:choose>
</wx:sub-section>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<!-- output each node as normal paragraph -->
<xsl:template match="node">
<w:p>
<w:pPr>
<w:pStyle w:val="Normal"/>
</w:pPr>
<w:r>
<w:t>
<xsl:call-template
name="output-node-text-as-text"/>
</w:t>
</w:r>
</w:p>
<xsl:call-template name="output-note-text-as-bodytext"/>
<xsl:apply-templates select="node"/>
</xsl:template>
<xsl:template name="output-node-text-as-text">
<xsl:choose>
<xsl:when test="@TEXT">
<xsl:value-of select="normalize-space(@TEXT)"/>
</xsl:when>
<xsl:when test="richcontent[@TYPE='NODE']">
<xsl:value-of
select="normalize-space(richcontent[@TYPE='NODE']/html/body)"/>
</xsl:when>
<xsl:otherwise>
<xsl:text></xsl:text>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
<xsl:template name="output-note-text-as-bodytext">
<xsl:if test="richcontent[@TYPE='NOTE']">
<w:p>
<w:pPr>
<w:pStyle w:val="BodyText"/>
</w:pPr>
<w:r>
<w:t>
<xsl:value-of
select="string(richcontent[@TYPE='NOTE']/html/body)"/>
</w:t>
</w:r>
</w:p>
</xsl:if>
</xsl:template>
<!-- The following is a very long template just to output the necessary styles,
this is the part you should edit if you'd like different default styles.
-->
<xsl:template name="output-styles">
<w:styles>
<w:versionOfBuiltInStylenames w:val="4"/>
<w:latentStyles w:defLockedState="off" w:latentStyleCount="156"/>
<w:style w:type="paragraph" w:default="on" w:styleId="Normal">
<w:name w:val="Normal"/>
<w:rsid w:val="00831C9D"/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:sz w:val="24"/>
<w:sz-cs w:val="24"/>
<w:lang w:val="EN-US" w:fareast="EN-US" w:bidi="AR-SA"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading1">
<w:name w:val="heading 1"/>
<wx:uiName wx:val="Heading 1"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading1"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="32"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading2">
<w:name w:val="heading 2"/>
<wx:uiName wx:val="Heading 2"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading2"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="1"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading3">
<w:name w:val="heading 3"/>
<wx:uiName wx:val="Heading 3"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading3"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="2"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading4">
<w:name w:val="heading 4"/>
<wx:uiName wx:val="Heading 4"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading4"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="3"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading5">
<w:name w:val="heading 5"/>
<wx:uiName wx:val="Heading 5"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading5"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="4"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading6">
<w:name w:val="heading 6"/>
<wx:uiName wx:val="Heading 6"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading6"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="5"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading7">
<w:name w:val="heading 7"/>
<wx:uiName wx:val="Heading 7"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading7"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="6"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading8">
<w:name w:val="heading 8"/>
<wx:uiName wx:val="Heading 8"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading8"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="7"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:i/>
<w:i-cs/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading9">
<w:name w:val="heading 9"/>
<wx:uiName wx:val="Heading 9"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading9"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="8"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="character" w:default="on" w:styleId="DefaultParagraphFont">
<w:name w:val="Default Paragraph Font"/>
<w:semiHidden/>
</w:style>
<w:style w:type="table" w:default="on" w:styleId="TableNormal">
<w:name w:val="Normal Table"/>
<wx:uiName wx:val="Table Normal"/>
<w:semiHidden/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
<w:tblPr>
<w:tblInd w:w="0" w:type="dxa"/>
<w:tblCellMar>
<w:top w:w="0" w:type="dxa"/>
<w:left w:w="108" w:type="dxa"/>
<w:bottom w:w="0" w:type="dxa"/>
<w:right w:w="108" w:type="dxa"/>
</w:tblCellMar>
</w:tblPr>
</w:style>
<w:style w:type="list" w:default="on" w:styleId="NoList">
<w:name w:val="No List"/>
<w:semiHidden/>
</w:style>
<w:style w:type="paragraph" w:styleId="Title">
<w:name w:val="Title"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Title"/>
<w:spacing w:before="240" w:after="60"/>
<w:jc w:val="center"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="28"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="BodyText">
<w:name w:val="Body Text"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="BodyText"/>
<w:spacing w:after="120"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
</w:styles>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,112 @@
<map version="0.9.0">
<!-- To view this file, download free mind mapping software FreeMind from http://freemind.sourceforge.net -->
<node CREATED="1216974513042" ID="ID_833600903" MODIFIED="1216991733257" TEXT="Example of map exportable to Word">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
The root node is exported as document title (with format &quot;Title&quot;).
</p>
<p>
Attributes of the root node are exported as document properties if they have the prefix &quot;doc-&quot; in their name. Acceptable names are Subject, Author, Manager, Keywords, Category, Company and Description.
</p>
<p>
The attribute &quot;header-maxlevel&quot; is used to define the maximum of nodes until which &quot;Heading N&quot; styles are used. If the attribute is not defined, the default value is 4. The maximum possible is 9.
</p>
</body>
</html></richcontent>
<attribute_layout NAME_WIDTH="91" VALUE_WIDTH="91"/>
<attribute NAME="doc-Subject" VALUE="TheSubject"/>
<attribute NAME="doc-Author" VALUE="TheAuthor"/>
<attribute NAME="doc-Manager" VALUE="TheManager"/>
<attribute NAME="doc-Keywords" VALUE="TheKeywords"/>
<attribute NAME="doc-Category" VALUE="TheCategory"/>
<attribute NAME="doc-Company" VALUE="TheCompany"/>
<attribute NAME="doc-Description" VALUE="TheDescription"/>
<attribute NAME="header-maxlevel" VALUE="4"/>
<node CREATED="1216974528086" ID="ID_1996762094" MODIFIED="1216974692827" POSITION="left" TEXT="Chapter 1">
<node CREATED="1216974536680" ID="ID_418841879" MODIFIED="1216974708501" TEXT="Chapter 1.1">
<node CREATED="1216974544352" ID="ID_1231871458" MODIFIED="1216991404490" TEXT="Chapter 1.1.1">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
This is a note belonging to Chapter 1.1.1, such notes are exported with style &quot;Body Text&quot; but any formatting,
</p>
<p>
or even new lines are lost. That's sad but that's reality.
</p>
</body>
</html></richcontent>
<node CREATED="1216974561800" ID="ID_35441158" MODIFIED="1216974730363" TEXT="Chapter 1.1.1.1">
<node CREATED="1216974620653" ID="ID_1657992058" MODIFIED="1216991329486" TEXT="Text wich is"/>
<node CREATED="1216974660607" ID="ID_1076025767" MODIFIED="1216991352258" TEXT="deeper than the"/>
<node CREATED="1216974664012" ID="ID_1612257345" MODIFIED="1216991345298" TEXT="header-maxlevel attribute"/>
<node CREATED="1216974667197" ID="ID_1877504467" MODIFIED="1216991366458" TEXT="is exported with &quot;Normal&quot; style."/>
</node>
<node CREATED="1216974674739" ID="ID_843043724" MODIFIED="1217604631678" TEXT="This nodes will be exported as a normal paragraph">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
By marking a node with the attribute 'NoHeading' (the value is not important), you make sure that this chapter will be exported as normal paragraph, together with all nodes below.
</p>
</body>
</html>
</richcontent>
<attribute_layout NAME_WIDTH="62" VALUE_WIDTH="91"/>
<attribute NAME="NoHeading" VALUE=""/>
<node CREATED="1217604758817" ID="ID_863632446" MODIFIED="1217604766680" TEXT="Like also this one"/>
</node>
</node>
</node>
<node CREATED="1216974696283" ID="ID_1342553402" MODIFIED="1217604572992" TEXT="Chapter 1.2 - mark a header as last heading">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
By marking a node with the attribute 'LastHeading' (the value is not important), you make sure that this chapter will be exported as the last heading in the hierarchy, i.e. all nodes below the chapter will be exported as normal paragraphs.
</p>
</body>
</html>
</richcontent>
<attribute_layout NAME_WIDTH="69" VALUE_WIDTH="91"/>
<attribute NAME="LastHeading" VALUE=""/>
<node CREATED="1217603132140" ID="ID_1323406791" MODIFIED="1217603515832" TEXT="this node becomes a normal paragraph&#xa;even though it&apos;s above the defaultlevel">
<node CREATED="1217603804767" ID="ID_630190221" MODIFIED="1217603812619" TEXT="And this one as well"/>
</node>
<node CREATED="1217603814001" ID="ID_1067471434" MODIFIED="1217603819328" TEXT="And also this one"/>
</node>
</node>
<node CREATED="1216991067197" ID="ID_334419387" MODIFIED="1216991070354" POSITION="left" TEXT="Chapter 2"/>
<node CREATED="1216809914482" ID="ID_1308741003" MODIFIED="1216991809773" POSITION="right" TEXT="Chapter 3 - how to export a mindmap to MS Word ?">
<node CREATED="1216809917636" ID="ID_199484608" MODIFIED="1216991907919" TEXT="Chapter 3.1 - create a map following the notes and hints expressed in this example map"/>
<node CREATED="1216809921221" ID="ID_1681718272" MODIFIED="1216991918173" TEXT="Chapter 3.2 - export the map using the File -&gt; Export -&gt; Using XSLT... menu">
<node CREATED="1216826868748" ID="ID_1660904657" MODIFIED="1216991964598" TEXT="Chapter 3.2.1 - select the mm2wordml_utf8.xsl XSL file from the accessories directory in the FreeMind base directory."/>
<node CREATED="1216826924521" ID="ID_1561412985" MODIFIED="1216991975934" TEXT="Chapter 3.2.2 - export to a file with a name ending in .doc (or .xml)"/>
</node>
<node CREATED="1216826940554" ID="ID_769680777" MODIFIED="1216991935017" TEXT="Chapter 3.3 - just double click in the Explorer on the newly created file and Microsoft Office Word should open the file properly.">
<richcontent TYPE="NOTE"><html>
<head>
</head>
<body>
<p>
You need a version of MS Project supporting XML, I think MS Project 2003 and later.
</p>
</body>
</html></richcontent>
</node>
<node CREATED="1216827072099" ID="ID_785390572" MODIFIED="1216991949417" TEXT="Chapter 3.4 - you&apos;re done, enjoy!"/>
</node>
<node CREATED="1216991668227" ID="ID_1657343694" MODIFIED="1216991670530" POSITION="right" TEXT="Chapter 4"/>
</node>
</map>

View File

@ -0,0 +1,54 @@
<?xml version="1.0" standalone="no" ?>
<!--
: mm2xbel.xsl
: XSL stylesheet to convert from Mindmap to XBEL
:
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
:
: William McVey <wam@cisco.com>
: September 11, 2003
:
: $Id: mm2xbel.xsl,v 1.1.34.1 2007/04/20 20:31:31 christianfoltin Exp $
:
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:strip-space elements="*" />
<xsl:output method="xml" indent="yes" encoding="UTF-8" />
<xsl:template match="/map/node">
<xbel version="1.0" folded="no">
<title><xsl:value-of select="@TEXT" /></title>
<xsl:for-each select="node">
<xsl:call-template name="node"/>
</xsl:for-each>
</xbel>
</xsl:template>
<xsl:template name="node">
<xsl:if test="string-length(@LINK) &gt; 0">
<bookmark>
<xsl:attribute name="href">
<xsl:value-of select="@LINK" />
</xsl:attribute>
<title>
<xsl:value-of select="@TEXT" />
</title>
</bookmark>
</xsl:if>
<xsl:if test="string-length(@LINK) = 0">
<folder>
<title>
<xsl:value-of select="@TEXT" />
</title>
<xsl:for-each select="node">
<xsl:call-template name="node"/>
</xsl:for-each>
</folder>
</xsl:if>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,116 @@
<?xml version="1.0" encoding="UTF-8"?>
<!--
(c) by Naoki Nose, Eric Lavarde 2006-2008
This code is licensed under the GPLv2 or later.
(http://www.gnu.org/copyleft/gpl.html)
Stylesheet to transform a FreeMind map into an Excel sheet, use menu point
File -> Export -> Using XSLT... to choose this XSL file, and name the
ExportFile Something.xls or Something.xml.
2006-12-10: added support for notes and attributes (EWL)
2008-10-23: corrected issue with ss namespace not being output (EWL)
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform"
xmlns="urn:schemas-microsoft-com:office:spreadsheet"
xmlns:o="urn:schemas-microsoft-com:office:office"
xmlns:x="urn:schemas-microsoft-com:office:excel"
xmlns:ss="urn:schemas-microsoft-com:office:spreadsheet"
xmlns:duss="urn:schemas-microsoft-com:office:dummyspreadsheet">
<xsl:output method="xml" indent="yes" encoding="UTF-8" standalone="yes"/>
<!-- the duss namespace alias is required in order to be able to output
ss:Data properly, Excel ignores the extraneous dummy namespace. -->
<xsl:namespace-alias stylesheet-prefix="duss" result-prefix="ss"/>
<xsl:template match="/map">
<xsl:processing-instruction name="mso-application"> progid="Excel.Sheet"</xsl:processing-instruction>
<Workbook>
<Styles>
<Style ss:ID="s16" ss:Name="attribute_cell">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
</Style>
<Style ss:ID="s17" ss:Name="attribute_header">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
<Font ss:Bold="1"/>
</Style>
</Styles>
<!-- we could probably put something more intelligent as worksheet name,
but it would require name mangling to avoid unallowed characters -->
<Worksheet ss:Name="FreeMind Sheet">
<Table>
<xsl:apply-templates select="node">
<xsl:with-param name="index" select="1" />
</xsl:apply-templates>
</Table>
</Worksheet>
</Workbook>
</xsl:template>
<xsl:template match="node">
<xsl:param name="index" />
<Row><Cell ss:Index="{$index}">
<xsl:call-template name="output-node-text-as-data" />
</Cell>
<xsl:if test="attribute">
<Cell ss:StyleID="s17">
<Data ss:Type="String">Names</Data></Cell>
<Cell ss:StyleID="s17">
<Data ss:Type="String">Values</Data></Cell>
</xsl:if>
</Row>
<xsl:apply-templates select="attribute">
<xsl:with-param name="index" select="$index + 1" />
</xsl:apply-templates>
<xsl:apply-templates select="node">
<xsl:with-param name="index" select="$index + 1" />
</xsl:apply-templates>
</xsl:template>
<xsl:template match="attribute">
<xsl:param name="index" />
<Row><Cell ss:Index="{$index}" ss:StyleID="s16">
<Data ss:Type="String"><xsl:value-of select="@NAME" /></Data>
</Cell>
<Cell ss:StyleID="s16">
<Data ss:Type="String"><xsl:value-of select="@VALUE" /></Data>
</Cell>
</Row>
</xsl:template>
<xsl:template name="output-node-text-as-data">
<xsl:choose>
<xsl:when test="richcontent[@TYPE='NODE']">
<!-- see comments about rich text and HTML format below -->
<duss:Data ss:Type="String" xmlns="http://www.w3.org/TR/REC-html40"><xsl:copy-of select="richcontent[@TYPE='NODE']/html/body/*" /></duss:Data>
</xsl:when>
<xsl:otherwise>
<Data ss:Type="String"><xsl:value-of select="@TEXT"/></Data>
<!-- xsl:value-of select="normalize-space(@TEXT)" / -->
</xsl:otherwise>
</xsl:choose>
<xsl:call-template name="output-note-text-as-comment" />
</xsl:template>
<!-- export of rich text in HTML format should work, but formatting is lost
because Excel understands only HTML tags in capitals, whereas
FreeMind exports in small caps. This can probably be solved but would
require some more tweaking -->
<xsl:template name="output-note-text-as-comment">
<xsl:if test="richcontent[@TYPE='NOTE']">
<Comment><duss:Data xmlns="http://www.w3.org/TR/REC-html40"><xsl:copy-of
select="richcontent[@TYPE='NOTE']/html/body/*" /></duss:Data></Comment>
</xsl:if>
</xsl:template>
</xsl:stylesheet>

View File

@ -0,0 +1,15 @@
<?xml version='1.0' encoding='ISO-8859-1'?>
<xsl:stylesheet version='1.0' xmlns:xsl='http://www.w3.org/1999/XSL/Transform' ><xsl:output media-type='text/xml' /><xsl:template match='/' ><map version='0.7.1' ><xsl:apply-templates select='opml' /></map>
</xsl:template><xsl:template match='opml' ><xsl:apply-templates select='body' /></xsl:template><xsl:template match='body' ><node><xsl:attribute name='COLOR' >#006633</xsl:attribute><xsl:attribute name='TEXT' ><xsl:value-of select='//title' /></xsl:attribute><xsl:attribute name='FOLDED' >true</xsl:attribute><font Name='SansSerif' SIZE='18' /><xsl:apply-templates select='outline' /></node>
</xsl:template><xsl:template match='outline' ><xsl:choose><xsl:when test='count(child::*)!=0' ><node><xsl:attribute name='COLOR' >#006633</xsl:attribute><xsl:attribute name='TEXT' ><xsl:value-of select='@text' /></xsl:attribute><xsl:attribute name='FOLDED' >true</xsl:attribute><font Name='SansSerif' SIZE='18' /><xsl:apply-templates select='outline' /></node>
</xsl:when><xsl:otherwise><xsl:choose><xsl:when test='@type=&apos;link&apos;' ><node><xsl:attribute name='COLOR' >#006633</xsl:attribute><xsl:attribute name='TEXT' ><xsl:value-of select='@text' /></xsl:attribute><xsl:attribute name='LINK' ><xsl:choose><xsl:when test='contains(@url,&apos;.opml&apos;) or contains(@url,&apos;.OPML&apos;)' ><xsl:value-of select='concat(@url,&apos;.mm&apos;)' /></xsl:when><xsl:otherwise><xsl:value-of select='@url' /></xsl:otherwise>
</xsl:choose>
</xsl:attribute><font Name='SansSerif' SIZE='16' /><xsl:apply-templates select='outline' /></node>
</xsl:when><xsl:when test='@type=&apos;img&apos;' ><node><xsl:attribute name='TEXT' ><xsl:value-of select='concat(&apos;&lt;html&gt;&lt;img src=&quot;&apos;,@url,&apos;&quot;&gt;&apos;)' /></xsl:attribute><font Name='SansSerif' SIZE='16' /><xsl:apply-templates select='outline' /></node>
</xsl:when><xsl:otherwise><node><xsl:attribute name='TEXT' ><xsl:value-of select='@text' /></xsl:attribute><font Name='SansSerif' SIZE='16' BOLD='true' /><xsl:apply-templates select='outline' /></node>
</xsl:otherwise>
</xsl:choose>
</xsl:otherwise>
</xsl:choose>
</xsl:template>
</xsl:stylesheet>

Binary file not shown.

After

Width:  |  Height:  |  Size: 1020 B

Binary file not shown.

After

Width:  |  Height:  |  Size: 216 B

View File

@ -0,0 +1,247 @@
body {
background-color: #eeeeee;
color: #000000;
font-family:sans-serif;
}
:link { color: #0000ff; text-decoration:none;}
:visited { color: #6666ff; text-decoration:none; }
a:active { color: #0000ff; text-decoration:none;}
a:hover {color: #0000ff; text-decoration:underline; }
div.basetext {
background-color:#ffffff;
margin-top:11px;
margin-bottom:11px;
margin-left:1%;
margin-right:1%;
padding-top:11px;
padding-left:11px;
padding-right:11px;
padding-bottom:11px;
text-align:left;
font-weight:normal;
border-width:thin;
border-style:solid;
border-color:#dddddd;
}
div.basetop {
position: fixed;
width:auto;
height:auto;
right:0em;
top:0em;
left:auto;
top:0;
background-color:#ffffff;
margin-top:0;
margin-bottom:0;
margin-left:1%;
margin-right:1%;
padding-top:2px;
padding-left:11px;
padding-right:11px;
padding-bottom:2px;
text-align:left;
font-weight:normal;
text-align:right;
border-width:thin;
border-style:solid;
border-color:#dddddd;
}
h1 {
text-align:center;
}
span.h2 {
font-family:sans-serif;
font-weight:bold;
}
div.year {
margin-right:2%;
background-color:#eeeeee;
}
div.form {
}
span.cpt {
color:#005500;
font-weight:bold;
}
span.cm {
color:#666666;
}
.fl {
color:#0000FF;
font-style:italic;
}
ul {
margin-top:1px;
margin-bottom:1px;
margin-left:0px;
padding-left:3%;
}
li {
list-style:outside;
margin-top:10px;
margin-bottom:10px;
}
ul li {
list-style:square;
font-family:sans-serif;
font-weight:normal;
}
li.basic {
list-style:square;
list-style-image:none;
margin-top:2px;
margin-bottom:2px;
}
span.links {
}
.sub { display: none; }
.subexp {display: block; }
.sub { display: none; }
.subexp {display: block; }
li.exp {
list-style-image:url("plus.png");
margin-top:10px;
margin-bottom:10px;
cursor:pointer;
}
li.col {
list-style-image:url("minus.png");
margin-top:10px;
margin-bottom:10px;
cursor:pointer;
}
li.exp_active {
list-style-image:url("plus.png");
margin-top:10px;
margin-bottom:10px;
background-color:#eeeeff;
cursor:pointer;
}
li.col_active {
list-style-image:url("minus.png");
margin-top:10px;
margin-bottom:10px;
background-color:#eeeeff;
cursor:pointer; /* if not included, bullets are not shown right in moz*/
}
li.basic_active {
list-style:square;
list-style-image:none;
background-color:#eeeeff;
margin-top:2px;
margin-bottom:2px;
}
/* the 'boxed' and 'attributes' styles are used to display notes and attributes
*/
.boxed,.nodecontent {display:inline;}
.boxed .note-and-attributes {display:none;}
.boxed:hover .note-and-attributes {
position:fixed; top:2em;right:10px;z-index:3;
display:block;
min-width:33%;
max-width:60%;
max-height:95%;
color:black;
background:#ffffff;
font:normal 16px courier, sans-serif;
border:1px solid black;
padding:10px;
}
.note:before {
content:"NOTE: ";
font-weight:bold;
}
table.attributes {
border-collapse:collapse;
empty-cells:show;
border:thin black solid;
}
table.attributes td,th {
border:thin black solid;
padding-top:2px;
padding-bottom:2px;
padding-left:3px;
padding-right:3px;
}
table.attributes th {
text-align:center;
}
table.attributes caption {
margin-top:1em;
font-style:italic;
text-align:center;
}
/* Thanks to wolfgangradke, https://sourceforge.net/forum/message.php?msg_id=5991663 */
div.nodecontent > p {
margin-top:0pt;
margin-bottom:0pt;
display:inline;
}
p + p {
margin-top: 0.5em !important;
display:block !important;
}
/* Thanks to erne100, https://sourceforge.net/tracker/?func=detail&atid=107118&aid=2747128&group_id=7118*/
table {
border-collapse:collapse;
empty-cells:show;
border:thin black solid;
}
table td {
border:thin black solid;
padding-top:2px;
padding-bottom:2px;
padding-left:3px;
padding-right:3px;
}
/* Thanks to erne100, https://sourceforge.net/tracker/?func=detail&atid=107118&aid=2747000&group_id=7118*/
ol {
margin-top:1px;
margin-bottom:1px;
margin-left:0px;
padding-left:3%;
}
ol li {
list-style:decimal;
font-family:sans-serif;
font-weight:normal;
}

View File

@ -0,0 +1,59 @@
<?xml version="1.0" standalone="no" ?>
<!--
: xbel2mm.xsl
: XSL stylesheet to convert from XBEL to Mindmap
:
: This code released under the GPL.
: (http://www.gnu.org/copyleft/gpl.html)
:
: William McVey <wam@wamber.net>
: September 11, 2003
:
: $Id: xbel2mm.xsl,v 1.1 2003/11/03 11:02:42 sviles Exp $
:
-->
<xsl:stylesheet version="1.0"
xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
<xsl:strip-space elements="*" />
<xsl:output method="xml" indent="yes" encoding="UTF-8" />
<xsl:template match="/xbel">
<map>
<node>
<xsl:attribute name="TEXT">
<xsl:value-of select="title" />
</xsl:attribute>
<xsl:apply-templates />
</node>
</map>
</xsl:template>
<xsl:template match="folder">
<node>
<xsl:attribute name="TEXT">
<xsl:value-of select="title" />
</xsl:attribute>
<xsl:attribute name="FOLDED">
<xsl:value-of select="@folded" />
</xsl:attribute>
<xsl:apply-templates />
</node>
</xsl:template>
<xsl:template match="bookmark">
<node>
<xsl:attribute name="TEXT">
<xsl:value-of select="title" />
</xsl:attribute>
<xsl:attribute name="LINK">
<xsl:value-of select="@href" />
</xsl:attribute>
</node>
</xsl:template>
<xsl:template match = "node()|@*" />
</xsl:stylesheet>

View File

@ -257,6 +257,12 @@ MINDMAP_OUTDATED_BY_YOU=It's not possible to save your changes because map is ou
MINDMAP_LOCKED=Map is being edited by {0} <{1}>. Map is opened in read only mode.
TUTORIAL_VIDEO=Tutorial Video
LOGIN_USING_OPENID=Do you already have an account on <b>GMail, Yahoo, AOL or other OpenId site</b> ?. Sign in in with it
XLS_EXPORT_FORMAT=Microsoft Excel Format
TXT_EXPORT_FORMAT=Plan Text Format
OPEN_OFFICE_EXPORT_FORMAT=OpenOffice Writer Format
XLS_EXPORT_FORMAT_DETAILS=Get your map as Microsoft Excel (XSL)
TXT_EXPORT_FORMAT_DETAILS=Get your map as a plan text format
OPEN_OFFICE_EXPORT_FORMAT_DETAILS=Get your map as OpenOffice Write Document

View File

@ -132,7 +132,7 @@ security.ldap.lastName.attribute=sn
security.ldap.firstName.attribute=givenName
# Enable OpenId Authentication.
security.openid.enabled=true
security.openid.enabled=false

View File

@ -61,6 +61,9 @@
<entry key="jpg" value="image/jpeg"/>
<entry key="svg" value="image/svg+xml"/>
<entry key="wxml" value="application/wisemapping+xml"/>
<entry key="txt" value="text/plain"/>
<entry key="xls" value="application/vnd.ms-excel"/>
<entry key="otd" value="application/vnd.oasis.opendocument.text"/>
</map>
</property>
<property name="viewResolvers">
@ -110,6 +113,23 @@
<constructor-arg ref="notificationService"/>
</bean>
<bean id="transformViewXls" class="com.wisemapping.rest.view.TransformView">
<constructor-arg value="application/vnd.ms-excel"/>
<constructor-arg ref="notificationService"/>
</bean>
<bean id="transformViewOdt" class="com.wisemapping.rest.view.TransformView">
<constructor-arg value="application/vnd.oasis.opendocument.text"/>
<constructor-arg ref="notificationService"/>
</bean>
<bean id="transformViewTxt" class="com.wisemapping.rest.view.TransformView">
<constructor-arg value="text/plain"/>
<constructor-arg ref="notificationService"/>
</bean>
<bean id="transformViewWise" class="com.wisemapping.rest.view.TransformView">
<constructor-arg value="application/wisemapping+xml"/>
<constructor-arg ref="notificationService"/>

View File

@ -11,16 +11,19 @@
<input name="svgXml" id="svgXml" value="" type="hidden"/>
<input name="download" type="hidden" value="mm"/>
<fieldset>
<label for="freemind">
<input type="radio" id="freemind" name="exportFormat" value="mm" checked="checked"/>
<strong><spring:message code="FREEMIND_EXPORT_FORMAT"/></strong><br/>
<spring:message code="FREEMIND_EXPORT_FORMAT_DETAILS"/>
</label>
<label for="wisemapping">
<input type="radio" id="wisemapping" name="exportFormat" value="wxml"/>
<strong><spring:message code="WISEMAPPING_EXPORT_FORMAT"/></strong><br/>
<spring:message code="WISEMAPPING_EXPORT_FORMAT_DETAILS"/>
</label>
<label for="svg">
<input type="radio" id="svg" name="exportFormat" value="svg"/>
<strong><spring:message code="SVG_EXPORT_FORMAT"/></strong><br/>
@ -43,6 +46,25 @@
<option value='jpg'>JPEG</option>
</select>
</label>
<label for="txt">
<input type="radio" name="exportFormat" value="txt" id="txt"/>
<strong><spring:message code="TXT_EXPORT_FORMAT"/></strong><br/>
<spring:message code="TXT_EXPORT_FORMAT_DETAILS"/>
</label>
<label for="xls">
<input type="radio" name="exportFormat" value="xls" id="xls"/>
<strong><spring:message code="XLS_EXPORT_FORMAT"/></strong><br/>
<spring:message code="XLS_EXPORT_FORMAT_DETAILS"/>
</label>
<label for="odt">
<input type="radio" name="exportFormat" value="odt" id="odt"/>
<strong><spring:message code="OPEN_OFFICE_EXPORT_FORMAT"/></strong><br/>
<spring:message code="OPEN_OFFICE_EXPORT_FORMAT_DETAILS"/>
</label>
</fieldset>
</form>
</div>
@ -58,13 +80,14 @@
// No way to obtain map svg. Hide panels..
if (window.location.pathname.indexOf('exportf') != -1) {
$('#exportInfo').hide();
$('#freemind,#pdf,#svg').click('click', function (event) {
$('#freemind,#pdf,#svg,#odt,#txt,#xls').click('click', function (event) {
$('#imgFormat').hide();
});
$('#img').click('click', function (event) {
$('#imgFormat').show();
});
$('#exportInfo').hide();
} else {
$('#pdf,#svg,#img').parent().hide();
}
@ -92,6 +115,7 @@
$('#svgXml').attr('value', svgXml);
}
$('#dialogMainForm input[name=download]').attr('value', formatType);
if (!differ) {
form.submit();

View File

@ -1,4 +1,4 @@
package com.wisemapping.test.freemind;
package com.wisemapping.test.export;
import com.wisemapping.exporter.ExportException;
import com.wisemapping.exporter.FreemindExporter;
@ -14,8 +14,8 @@ import org.testng.annotations.Test;
import java.io.*;
@Test
public class ExportTest {
private static final String DATA_DIR_PATH = "src/test/resources/data/wisemaps/";
public class ExportFreemindTest {
private static final String DATA_DIR_PATH = "src/test/resources/data/export/";
private static final String ENC_UTF_8 = "UTF-8";
private static final String ENC_LATIN1 = "iso-8859-1";

View File

@ -14,7 +14,7 @@ import javax.xml.parsers.ParserConfigurationException;
import java.io.*;
@Test
public class ExportTest {
public class ExportSVGBasedTest {
private static final String DATA_DIR_PATH = "src/test/resources/data/svg/";
@Test(dataProvider = "Data-Provider-Function")

View File

@ -0,0 +1,81 @@
package com.wisemapping.test.export;
import com.wisemapping.exporter.ExportException;
import com.wisemapping.exporter.ExportFormat;
import com.wisemapping.exporter.Exporter;
import com.wisemapping.exporter.XSLTExporter;
import com.wisemapping.importer.ImporterException;
import com.wisemapping.model.Mindmap;
import org.apache.commons.io.FileUtils;
import org.jetbrains.annotations.NotNull;
import org.testng.Assert;
import org.testng.annotations.DataProvider;
import org.testng.annotations.Test;
import java.io.*;
@Test
public class ExportXsltBasedTest {
private static final String DATA_DIR_PATH = "src/test/resources/data/export/";
private static final String ENC_UTF_8 = "UTF-8";
@Test(dataProvider = "Data-Provider-Function")
public void exportImportExportTest(@NotNull XSLTExporter.Type type, @NotNull final File wisemap, @NotNull final File recFile) throws ImporterException, IOException, ExportException {
final Exporter exporter = XSLTExporter.create(type);
byte[] wiseMapContent = FileUtils.readFileToByteArray(wisemap);
if (recFile.exists()) {
// Compare rec and file ...
final String recContent = FileUtils.readFileToString(recFile, ENC_UTF_8);
// Export mile content ...
final ByteArrayOutputStream bos = new ByteArrayOutputStream();
exporter.export(wiseMapContent, bos);
final String exportContent = new String(bos.toByteArray(), ENC_UTF_8);
Assert.assertEquals(exportContent, recContent);
} else {
final OutputStream fos = new FileOutputStream(recFile);
exporter.export(wiseMapContent, fos);
fos.close();
}
}
private Mindmap load(@NotNull File wisemap) throws IOException {
final byte[] recContent = FileUtils.readFileToByteArray(wisemap);
final Mindmap result = new Mindmap();
result.setXml(recContent);
return result;
}
//This function will provide the parameter data
@DataProvider(name = "Data-Provider-Function")
public Object[][] parameterIntTestProvider() {
final File dataDir = new File(DATA_DIR_PATH);
final File[] freeMindFiles = dataDir.listFiles(new FilenameFilter() {
public boolean accept(File dir, String name) {
return name.endsWith(".wxml");
}
});
final Object[][] result = new Object[freeMindFiles.length * 6][2];
for (int i = 0; i < freeMindFiles.length; i++) {
File freeMindFile = freeMindFiles[i];
final String name = freeMindFile.getName();
int pos = i * 6;
final String fileName = name.substring(0, name.lastIndexOf("."));
result[pos++] = new Object[]{XSLTExporter.Type.TEXT, freeMindFile, new File(DATA_DIR_PATH, fileName + "." + ExportFormat.TEXT.getFileExtension())};
result[pos++] = new Object[]{XSLTExporter.Type.CSV, freeMindFile, new File(DATA_DIR_PATH, fileName + ".csv")};
result[pos++] = new Object[]{XSLTExporter.Type.WORD, freeMindFile, new File(DATA_DIR_PATH, fileName + "." + ExportFormat.MICROSOFT_WORD.getFileExtension())};
result[pos++] = new Object[]{XSLTExporter.Type.LATEX, freeMindFile, new File(DATA_DIR_PATH, fileName + ".latex")};
result[pos++] = new Object[]{XSLTExporter.Type.MICROSOFT_EXCEL, freeMindFile, new File(DATA_DIR_PATH, fileName + "." + ExportFormat.MICROSOFT_EXCEL.getFileExtension())};
result[pos++] = new Object[]{XSLTExporter.Type.OPEN_OFFICE, freeMindFile, new File(DATA_DIR_PATH, fileName + "." + ExportFormat.OPEN_OFFICE_WRITER.getFileExtension())};
}
return result;
}
}

View File

@ -1,4 +1,4 @@
package com.wisemapping.test.freemind;
package com.wisemapping.test.importer;
import com.wisemapping.exporter.ExportException;
import com.wisemapping.exporter.FreemindExporter;
@ -16,13 +16,13 @@ import org.testng.annotations.Test;
import java.io.*;
@Test
public class ImportExportTest {
public class FreemindImportExportTest {
private static final String DATA_DIR_PATH = "src/test/resources/data/freemind/";
private static final String UTF_8 = "UTF-8";
final private Importer importer;
final private FreemindExporter exporter;
public ImportExportTest() throws ImporterException {
public FreemindImportExportTest() throws ImporterException {
ImporterFactory exporterFactory = ImporterFactory.getInstance();
importer = exporterFactory.getImporter(ImportFormat.FREEMIND);
exporter = new FreemindExporter();

View File

@ -0,0 +1,836 @@
corona
,
Modelo in world
,
,
International market protected Modelo from unstable peso
,
,
Fifth largest distributor in world
,
,
,
Can they sustain that trend
,
,
,
in 12 years
,
,
One of top 10 breweries in world
,
Carloz Fernandez CEO
,
,
CEO Since 1997
,
,
,
29 years old
,
,
,
,
working there since 13
,
,
vision: top five brewers
,
,
,
International Business model
,
,
,
,
experienced local distributors
,
,
,
,
Growing international demand
,
,
,
,
Capitalize on NAFTA
,
,
,
top 10 beer producers in world
,
,
,
,
7.8 % sales growth compounded over ten years
,
,
,
,
2005
,
,
,
,
,
12.3 % exports
,
,
,
,
,
4% increase domestically
,
,
,
,
,
export sales 30%
,
,
,
,
Corona Extra
,
,
,
,
,
worlds fourth best selling beer
,
,
,
,
,
56% shar of domestic market
,
,
,
,
,
Since 1997 #1 import in US
,
,
,
,
,
,
outsold competitor by 50%
,
,
Expanding production
,
,
,
renovate facility in Zacatecas
,
,
,
300 million investment
,
US Beer Market
,
,
2nd largest nest to China
,
,
Consumption six times higher per cap
,
,
Groth expectations reduced
,
,
80% of market
,
,
,
AB
,
,
,
,
75% of industry profits
,
,
,
adolf coors
,
,
,
Miller
,
,
dense network of regional craft brewing
,
,
volume main driver
,
Modelo in Mexico
,
,
History to 1970
,
,
,
formed in 1922
,
,
,
,
Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr
,
,
,
,
Iriarte died in 1932
,
,
,
,
Diez sole owner 1936
,
,
,
,
Fernandez Family Sole owner since 1936
,
,
,
focus on Mexico City
,
,
,
Modelo 1st Brand
,
,
,
Corona 2nd Brand
,
,
,
,
Clear Glass Customers preference
,
,
,
1940s period of strong growth
,
,
,
,
concentrate domesti¬cally
,
,
,
,
improve distribution methods and produc¬tion facilities
,
,
,
,
,
distribution: direct with profit sharing
,
,
,
bought the brands and assets of the Toluca y Mexico Brewery
,
,
,
,
1935
,
,
,
,
country's oldest brand of beer
,
,
1971, Antonino Fernandez was appointed CEO
,
,
,
Mexican Stock exchange in 1994
,
,
,
Anheuser-Busch 17.7 % of the equity
,
,
,
,
The 50.2 % represented 43.9% voting
,
,
Largest Beer producer and distrubutor in Mexico
,
,
,
corona 56% share
,
Modelo in US
,
,
History
,
,
,
1979
,
,
,
Amalgamated Distillery Products Inc. (
,
,
,
,
later renamed Barton Beers Ltd.
,
,
,
gained popularity in southern states
,
,
,
rapid growth 1980s
,
,
,
,
second most popular imported beer
,
,
,
1991
,
,
,
,
doubling of federal excise tax on beer
,
,
,
,
,
sales decrease of 15 percent
,
,
,
,
,
distributor absorb the tax 92
,
,
,
,
distributors took the loss
,
,
2007 5 beers to us
,
,
,
3 of top 8 beers in US
,
,
,
Heineken
,
,
,
,
Main Import Comptitor
,
,
,
131 million cases
,
,
Marketing
,
,
,
surfing mythology
,
,
,
not selling premium quality
,
,
,
not testosterone driven
,
,
,
found new following
,
,
,
beer for non beer drinkers
,
,
,
dependable second choise
,
,
,
Fun in the sun
,
,
,
,
Barton Beer's idea
,
,
,
,
escape
,
,
,
,
relaxation
,
,
,
1996ad budget
,
,
,
,
Corona 5.1 mil
,
,
,
,
Heiniken 15 mil
,
,
,
,
an bsch 192 mil
,
,
Us dist contracts
,
,
,
importer/distributors
,
,
,
,
Local Companies
,
,
,
,
Autonomous
,
,
,
,
competitive relationship
,
,
,
,
transportation
,
,
,
,
insurance
,
,
,
,
pricing
,
,
,
,
customs
,
,
,
,
advertixing
,
,
,
procermex inc
,
,
,
,
Modelo us subsidiary
,
,
,
,
Support
,
,
,
,
Supervise
,
,
,
,
Coordinate
,
,
,
Modelo had final say on brand image
,
,
,
production in Mexico
,
,
,
Chicago based Barton Beers 1st
,
,
,
,
largest importer in 25 western states
,
,
,
Gambrinus
,
,
,
,
1986
,
,
,
,
eastern dist
,
The Beer market
,
,
traditionally a clustered market
,
,
many local breweries
,
,
no means of transport
,
,
colsolition happened in 1800s
,
,
different countries had different tastes
,
,
90s national leaders expanded abroad
,
,
startup costs high
,
,
,
industry supported conectration
,
,
Interbrew
,
,
,
Belgian
,
,
,
aquired breweries in 20 countries
,
,
,
sales in 110 countries
,
,
,
local managers controlling brands
,
,
,
flagship brand: Stella Artois
,
,
2004 merger
,
,
,
#1 Interbrew
,
,
,
#5 Am Bev - Brazil
,
,
,
largest merge
,
,
,
,
worth 12.8 billion
,
,
2007
,
,
,
inbev
,
,
,
SAP Miller
,
,
,
Heineken
,
,
,
,
produces beer domestically
,
,
,
,
,
parent of local distributors
,
,
,
,
,
,
marketing
,
,
,
,
,
,
importing
,
,
,
,
,
,
,
import taxes passed on to consumer
,
,
,
,
,
,
distribution
,
,
,
,
marketing
,
,
,
,
,
premium beer
,
,
,
,
,
premium brand
,
,
,
,
,
no mythology
,
,
,
,
,
superior taste
,
,
,
,
,
2006 aggressive marketing campaign
,
,
,
,
,
,
Heineken Premium Light
,
,
,
,
reputation of top selling beer in world
,
,
,
,
Dutch
,
,
,
Anh Bush
,
,
,
,
produces in foreign markets
,
,
Beer Marketing
,
,
,
People drink marketing
,
,
Future
,
,
,
domestic and foreign threats
,
,
,
other merger talks
,
,
,
Inbev in talks with Anh Bush
,
,
,
,
Two biggest companies will create huge company
,
,
,
Sales were decreasing due to competitive media budgets
,
Mexico Industry
,
,
has most trade agreements in world
,
,
one of the largest domestic beer markets
,
,
imported beer only 1% sales
,
,
,
half were anh bcsh dist by modelo
,
,
modelo
,
,
,
NAFTA S.A. An Bucsh
,
,
,
62.8% of market
,
,
FEMSA
,
,
,
domestic market
,
,
,
,
37% of domestic market
,
,
,
,
production and distribution in Mexico: peso not a threat
,
,
,
,
Owns Oxxo C
,
,
,
,
,
CA largest chain of conv stores
,
,
,
,
leads domestic premium beer market
,
,
,
,
997 to 2004 taking domestic market share
,
,
,
,
NAFTA SACoca cola
,
,
,
,
,
Exclusive distributor
,
,
,
foriegn market
,
,
,
,
Partnership Heiniken
,
,
,
,
,
Distribution in US
,
,
,
,
90s entry to us market failed
,
,
,
,
Recently partnered with Heiniken for US market
,
,
,
,
,
2005 18.7% growth
1 corona
2 ,
3 Modelo in world
4 ,
5 ,
6 International market protected Modelo from unstable peso
7 ,
8 ,
9 Fifth largest distributor in world
10 ,
11 ,
12 ,
13 Can they sustain that trend
14 ,
15 ,
16 ,
17 in 12 years
18 ,
19 ,
20 One of top 10 breweries in world
21 ,
22 Carloz Fernandez CEO
23 ,
24 ,
25 CEO Since 1997
26 ,
27 ,
28 ,
29 29 years old
30 ,
31 ,
32 ,
33 ,
34 working there since 13
35 ,
36 ,
37 vision: top five brewers
38 ,
39 ,
40 ,
41 International Business model
42 ,
43 ,
44 ,
45 ,
46 experienced local distributors
47 ,
48 ,
49 ,
50 ,
51 Growing international demand
52 ,
53 ,
54 ,
55 ,
56 Capitalize on NAFTA
57 ,
58 ,
59 ,
60 top 10 beer producers in world
61 ,
62 ,
63 ,
64 ,
65 7.8 % sales growth compounded over ten years
66 ,
67 ,
68 ,
69 ,
70 2005
71 ,
72 ,
73 ,
74 ,
75 ,
76 12.3 % exports
77 ,
78 ,
79 ,
80 ,
81 ,
82 4% increase domestically
83 ,
84 ,
85 ,
86 ,
87 ,
88 export sales 30%
89 ,
90 ,
91 ,
92 ,
93 Corona Extra
94 ,
95 ,
96 ,
97 ,
98 ,
99 worlds fourth best selling beer
100 ,
101 ,
102 ,
103 ,
104 ,
105 56% shar of domestic market
106 ,
107 ,
108 ,
109 ,
110 ,
111 Since 1997 #1 import in US
112 ,
113 ,
114 ,
115 ,
116 ,
117 ,
118 outsold competitor by 50%
119 ,
120 ,
121 Expanding production
122 ,
123 ,
124 ,
125 renovate facility in Zacatecas
126 ,
127 ,
128 ,
129 300 million investment
130 ,
131 US Beer Market
132 ,
133 ,
134 2nd largest nest to China
135 ,
136 ,
137 Consumption six times higher per cap
138 ,
139 ,
140 Groth expectations reduced
141 ,
142 ,
143 80% of market
144 ,
145 ,
146 ,
147 AB
148 ,
149 ,
150 ,
151 ,
152 75% of industry profits
153 ,
154 ,
155 ,
156 adolf coors
157 ,
158 ,
159 ,
160 Miller
161 ,
162 ,
163 dense network of regional craft brewing
164 ,
165 ,
166 volume main driver
167 ,
168 Modelo in Mexico
169 ,
170 ,
171 History to 1970
172 ,
173 ,
174 ,
175 formed in 1922
176 ,
177 ,
178 ,
179 ,
180 Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr
181 ,
182 ,
183 ,
184 ,
185 Iriarte died in 1932
186 ,
187 ,
188 ,
189 ,
190 Diez sole owner 1936
191 ,
192 ,
193 ,
194 ,
195 Fernandez Family Sole owner since 1936
196 ,
197 ,
198 ,
199 focus on Mexico City
200 ,
201 ,
202 ,
203 Modelo 1st Brand
204 ,
205 ,
206 ,
207 Corona 2nd Brand
208 ,
209 ,
210 ,
211 ,
212 Clear Glass Customers preference
213 ,
214 ,
215 ,
216 1940s period of strong growth
217 ,
218 ,
219 ,
220 ,
221 concentrate domesti¬cally
222 ,
223 ,
224 ,
225 ,
226 improve distribution methods and produc¬tion facilities
227 ,
228 ,
229 ,
230 ,
231 ,
232 distribution: direct with profit sharing
233 ,
234 ,
235 ,
236 bought the brands and assets of the Toluca y Mexico Brewery
237 ,
238 ,
239 ,
240 ,
241 1935
242 ,
243 ,
244 ,
245 ,
246 country's oldest brand of beer
247 ,
248 ,
249 1971, Antonino Fernandez was appointed CEO
250 ,
251 ,
252 ,
253 Mexican Stock exchange in 1994
254 ,
255 ,
256 ,
257 Anheuser-Busch 17.7 % of the equity
258 ,
259 ,
260 ,
261 ,
262 The 50.2 % represented 43.9% voting
263 ,
264 ,
265 Largest Beer producer and distrubutor in Mexico
266 ,
267 ,
268 ,
269 corona 56% share
270 ,
271 Modelo in US
272 ,
273 ,
274 History
275 ,
276 ,
277 ,
278 1979
279 ,
280 ,
281 ,
282 Amalgamated Distillery Products Inc. (
283 ,
284 ,
285 ,
286 ,
287 later renamed Barton Beers Ltd.
288 ,
289 ,
290 ,
291 gained popularity in southern states
292 ,
293 ,
294 ,
295 rapid growth 1980s
296 ,
297 ,
298 ,
299 ,
300 second most popular imported beer
301 ,
302 ,
303 ,
304 1991
305 ,
306 ,
307 ,
308 ,
309 doubling of federal excise tax on beer
310 ,
311 ,
312 ,
313 ,
314 ,
315 sales decrease of 15 percent
316 ,
317 ,
318 ,
319 ,
320 ,
321 distributor absorb the tax 92
322 ,
323 ,
324 ,
325 ,
326 distributors took the loss
327 ,
328 ,
329 2007 5 beers to us
330 ,
331 ,
332 ,
333 3 of top 8 beers in US
334 ,
335 ,
336 ,
337 Heineken
338 ,
339 ,
340 ,
341 ,
342 Main Import Comptitor
343 ,
344 ,
345 ,
346 131 million cases
347 ,
348 ,
349 Marketing
350 ,
351 ,
352 ,
353 surfing mythology
354 ,
355 ,
356 ,
357 not selling premium quality
358 ,
359 ,
360 ,
361 not testosterone driven
362 ,
363 ,
364 ,
365 found new following
366 ,
367 ,
368 ,
369 beer for non beer drinkers
370 ,
371 ,
372 ,
373 dependable second choise
374 ,
375 ,
376 ,
377 Fun in the sun
378 ,
379 ,
380 ,
381 ,
382 Barton Beer's idea
383 ,
384 ,
385 ,
386 ,
387 escape
388 ,
389 ,
390 ,
391 ,
392 relaxation
393 ,
394 ,
395 ,
396 1996ad budget
397 ,
398 ,
399 ,
400 ,
401 Corona 5.1 mil
402 ,
403 ,
404 ,
405 ,
406 Heiniken 15 mil
407 ,
408 ,
409 ,
410 ,
411 an bsch 192 mil
412 ,
413 ,
414 Us dist contracts
415 ,
416 ,
417 ,
418 importer/distributors
419 ,
420 ,
421 ,
422 ,
423 Local Companies
424 ,
425 ,
426 ,
427 ,
428 Autonomous
429 ,
430 ,
431 ,
432 ,
433 competitive relationship
434 ,
435 ,
436 ,
437 ,
438 transportation
439 ,
440 ,
441 ,
442 ,
443 insurance
444 ,
445 ,
446 ,
447 ,
448 pricing
449 ,
450 ,
451 ,
452 ,
453 customs
454 ,
455 ,
456 ,
457 ,
458 advertixing
459 ,
460 ,
461 ,
462 procermex inc
463 ,
464 ,
465 ,
466 ,
467 Modelo us subsidiary
468 ,
469 ,
470 ,
471 ,
472 Support
473 ,
474 ,
475 ,
476 ,
477 Supervise
478 ,
479 ,
480 ,
481 ,
482 Coordinate
483 ,
484 ,
485 ,
486 Modelo had final say on brand image
487 ,
488 ,
489 ,
490 production in Mexico
491 ,
492 ,
493 ,
494 Chicago based Barton Beers 1st
495 ,
496 ,
497 ,
498 ,
499 largest importer in 25 western states
500 ,
501 ,
502 ,
503 Gambrinus
504 ,
505 ,
506 ,
507 ,
508 1986
509 ,
510 ,
511 ,
512 ,
513 eastern dist
514 ,
515 The Beer market
516 ,
517 ,
518 traditionally a clustered market
519 ,
520 ,
521 many local breweries
522 ,
523 ,
524 no means of transport
525 ,
526 ,
527 colsolition happened in 1800s
528 ,
529 ,
530 different countries had different tastes
531 ,
532 ,
533 90s national leaders expanded abroad
534 ,
535 ,
536 startup costs high
537 ,
538 ,
539 ,
540 industry supported conectration
541 ,
542 ,
543 Interbrew
544 ,
545 ,
546 ,
547 Belgian
548 ,
549 ,
550 ,
551 aquired breweries in 20 countries
552 ,
553 ,
554 ,
555 sales in 110 countries
556 ,
557 ,
558 ,
559 local managers controlling brands
560 ,
561 ,
562 ,
563 flagship brand: Stella Artois
564 ,
565 ,
566 2004 merger
567 ,
568 ,
569 ,
570 #1 Interbrew
571 ,
572 ,
573 ,
574 #5 Am Bev - Brazil
575 ,
576 ,
577 ,
578 largest merge
579 ,
580 ,
581 ,
582 ,
583 worth 12.8 billion
584 ,
585 ,
586 2007
587 ,
588 ,
589 ,
590 inbev
591 ,
592 ,
593 ,
594 SAP Miller
595 ,
596 ,
597 ,
598 Heineken
599 ,
600 ,
601 ,
602 ,
603 produces beer domestically
604 ,
605 ,
606 ,
607 ,
608 ,
609 parent of local distributors
610 ,
611 ,
612 ,
613 ,
614 ,
615 ,
616 marketing
617 ,
618 ,
619 ,
620 ,
621 ,
622 ,
623 importing
624 ,
625 ,
626 ,
627 ,
628 ,
629 ,
630 ,
631 import taxes passed on to consumer
632 ,
633 ,
634 ,
635 ,
636 ,
637 ,
638 distribution
639 ,
640 ,
641 ,
642 ,
643 marketing
644 ,
645 ,
646 ,
647 ,
648 ,
649 premium beer
650 ,
651 ,
652 ,
653 ,
654 ,
655 premium brand
656 ,
657 ,
658 ,
659 ,
660 ,
661 no mythology
662 ,
663 ,
664 ,
665 ,
666 ,
667 superior taste
668 ,
669 ,
670 ,
671 ,
672 ,
673 2006 aggressive marketing campaign
674 ,
675 ,
676 ,
677 ,
678 ,
679 ,
680 Heineken Premium Light
681 ,
682 ,
683 ,
684 ,
685 reputation of top selling beer in world
686 ,
687 ,
688 ,
689 ,
690 Dutch
691 ,
692 ,
693 ,
694 Anh Bush
695 ,
696 ,
697 ,
698 ,
699 produces in foreign markets
700 ,
701 ,
702 Beer Marketing
703 ,
704 ,
705 ,
706 People drink marketing
707 ,
708 ,
709 Future
710 ,
711 ,
712 ,
713 domestic and foreign threats
714 ,
715 ,
716 ,
717 other merger talks
718 ,
719 ,
720 ,
721 Inbev in talks with Anh Bush
722 ,
723 ,
724 ,
725 ,
726 Two biggest companies will create huge company
727 ,
728 ,
729 ,
730 Sales were decreasing due to competitive media budgets
731 ,
732 Mexico Industry
733 ,
734 ,
735 has most trade agreements in world
736 ,
737 ,
738 one of the largest domestic beer markets
739 ,
740 ,
741 imported beer only 1% sales
742 ,
743 ,
744 ,
745 half were anh bcsh dist by modelo
746 ,
747 ,
748 modelo
749 ,
750 ,
751 ,
752 NAFTA S.A. An Bucsh
753 ,
754 ,
755 ,
756 62.8% of market
757 ,
758 ,
759 FEMSA
760 ,
761 ,
762 ,
763 domestic market
764 ,
765 ,
766 ,
767 ,
768 37% of domestic market
769 ,
770 ,
771 ,
772 ,
773 production and distribution in Mexico: peso not a threat
774 ,
775 ,
776 ,
777 ,
778 Owns Oxxo C
779 ,
780 ,
781 ,
782 ,
783 ,
784 CA largest chain of conv stores
785 ,
786 ,
787 ,
788 ,
789 leads domestic premium beer market
790 ,
791 ,
792 ,
793 ,
794 997 to 2004 taking domestic market share
795 ,
796 ,
797 ,
798 ,
799 NAFTA SACoca cola
800 ,
801 ,
802 ,
803 ,
804 ,
805 Exclusive distributor
806 ,
807 ,
808 ,
809 foriegn market
810 ,
811 ,
812 ,
813 ,
814 Partnership Heiniken
815 ,
816 ,
817 ,
818 ,
819 ,
820 Distribution in US
821 ,
822 ,
823 ,
824 ,
825 90s entry to us market failed
826 ,
827 ,
828 ,
829 ,
830 Recently partnered with Heiniken for US market
831 ,
832 ,
833 ,
834 ,
835 ,
836 2005 18.7% growth

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,276 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">corona</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Modelo in world</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">International market protected Modelo from unstable peso</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Fifth largest distributor in world</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Can they sustain that trend</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">in 12 years</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">One of top 10 breweries in world</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Carloz Fernandez CEO</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">CEO Since 1997</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">29 years old</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">working there since 13</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">vision: top five brewers</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">International Business model</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">experienced local distributors</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growing international demand</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Capitalize on NAFTA</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">top 10 beer producers in world</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">7.8 % sales growth compounded over ten years</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">2005</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">12.3 % exports</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">4% increase domestically</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">export sales 30%</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Corona Extra</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">worlds fourth best selling beer</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">56% shar of domestic market</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Since 1997 #1 import in US</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">outsold competitor by 50%</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Expanding production </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">renovate facility in Zacatecas</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">300 million investment</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">US Beer Market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2nd largest nest to China</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Consumption six times higher per cap</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Groth expectations reduced</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">80% of market</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">AB</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">75% of industry profits</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">adolf coors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Miller</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">dense network of regional craft brewing</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">volume main driver</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Modelo in Mexico</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">History to 1970</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">formed in 1922</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Iriarte died in 1932</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Diez sole owner 1936</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Fernandez Family Sole owner since 1936</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">focus on Mexico City</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Modelo 1st Brand</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Corona 2nd Brand</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Clear Glass Customers preference</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1940s period of strong growth </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">concentrate domesti¬cally </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">improve distribution methods and produc¬tion facilities </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">distribution: direct with profit sharing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">bought the brands and assets of the Toluca y Mexico Brewery</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">1935</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">country's oldest brand of beer</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">1971, Antonino Fernandez was appointed CEO</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Mexican Stock exchange in 1994</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Anheuser-Busch 17.7 % of the equity</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">The 50.2 % represented 43.9% voting</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Largest Beer producer and distrubutor in Mexico</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">corona 56% share</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Modelo in US</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">History</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1979</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Amalgamated Distillery Products Inc. (</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">later renamed Barton Beers Ltd.</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">gained popularity in southern states</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">rapid growth 1980s</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">second most popular imported beer</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1991</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">doubling of federal excise tax on beer</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">sales decrease of 15 percent</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">distributor absorb the tax 92</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">distributors took the loss</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2007 5 beers to us</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">3 of top 8 beers in US</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Heineken</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Main Import Comptitor</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">131 million cases</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Marketing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">surfing mythology</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">not selling premium quality</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">not testosterone driven</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">found new following</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">beer for non beer drinkers</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">dependable second choise</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Fun in the sun</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Barton Beer's idea</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">escape</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">relaxation</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1996ad budget</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Corona 5.1 mil</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Heiniken 15 mil</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">an bsch 192 mil</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Us dist contracts</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">importer/distributors</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Local Companies</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Autonomous</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">competitive relationship</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">transportation</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">insurance</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">pricing</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">customs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">advertixing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">procermex inc</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Modelo us subsidiary</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Support</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Supervise</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Coordinate</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Modelo had final say on brand image</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">production in Mexico</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Chicago based Barton Beers 1st</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">largest importer in 25 western states</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Gambrinus</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">1986</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">eastern dist</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">The Beer market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">traditionally a clustered market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">many local breweries</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">no means of transport</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">colsolition happened in 1800s</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">different countries had different tastes</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">90s national leaders expanded abroad</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">startup costs high</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">industry supported conectration</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Interbrew</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Belgian</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">aquired breweries in 20 countries</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">sales in 110 countries</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">local managers controlling brands</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">flagship brand: Stella Artois</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2004 merger</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">#1 Interbrew</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">#5 Am Bev - Brazil</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">largest merge</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">worth 12.8 billion</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2007</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">inbev</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">SAP Miller</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Heineken</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">produces beer domestically</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">parent of local distributors</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">marketing</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">importing</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">import taxes passed on to consumer</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">distribution</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">marketing</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">premium beer</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">premium brand</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">no mythology</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">superior taste</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">2006 aggressive marketing campaign</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Heineken Premium Light</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">reputation of top selling beer in world</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Dutch</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Anh Bush</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">produces in foreign markets</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Beer Marketing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">People drink marketing</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Future</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">domestic and foreign threats</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">other merger talks</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Inbev in talks with Anh Bush</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Two biggest companies will create huge company</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Sales were decreasing due to competitive media budgets</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Mexico Industry</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">has most trade agreements in world</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">one of the largest domestic beer markets</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">imported beer only 1% sales</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">half were anh bcsh dist by modelo</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">modelo</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">NAFTA S.A. An Bucsh</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">62.8% of market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">FEMSA</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">domestic market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">37% of domestic market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">production and distribution in Mexico: peso not a threat</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Owns Oxxo C</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">CA largest chain of conv stores</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">leads domestic premium beer market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">997 to 2004 taking domestic market share</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">NAFTA SACoca cola</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Exclusive distributor</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">foriegn market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Partnership Heiniken</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Distribution in US</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">90s entry to us market failed</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Recently partnered with Heiniken for US market</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">2005 18.7% growth</text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,251 @@
\chapter{corona}\label{ID_null}
\section{Modelo in world}\label{ID_null}
\subsection{International market protected Modelo from unstable peso}\label{ID_null}
\subsection{Fifth largest distributor in world}\label{ID_null}
\subsubsection{Can they sustain that trend}\label{ID_null}
\subsubsection{in 12 years}\label{ID_null}
\subsection{One of top 10 breweries in world}\label{ID_null}
\section{Carloz Fernandez CEO}\label{ID_null}
\subsection{CEO Since 1997}\label{ID_null}
\subsubsection{29 years old}\label{ID_null}working there since 13\par
\subsection{vision: top five brewers}\label{ID_null}
\subsubsection{International Business model}\label{ID_null}\begin{itemize}
\item \label{ID_null}experienced local distributors\par
\item \label{ID_null}Growing international demand\par
\item \label{ID_null}Capitalize on NAFTA\par
\end{itemize}
\subsubsection{top 10 beer producers in world}\label{ID_null}\begin{itemize}
\item \label{ID_null}7.8 % sales growth compounded over ten years\par
\item \label{ID_null}2005\par
\begin{itemize}
\item \label{ID_null}12.3 % exports\par
\item \label{ID_null}4% increase domestically\par
\item \label{ID_null}export sales 30%\par
\end{itemize}
\item \label{ID_null}Corona Extra\par
\begin{itemize}
\item \label{ID_null}worlds fourth best selling beer\par
\item \label{ID_null}56% shar of domestic market\par
\item \label{ID_null}Since 1997 #1 import in US\par
outsold competitor by 50%\par
\end{itemize}
\end{itemize}
\subsection{Expanding production }\label{ID_null}
\subsubsection{renovate facility in Zacatecas}\label{ID_null}
\subsubsection{300 million investment}\label{ID_null}
\section{US Beer Market}\label{ID_null}
\subsection{2nd largest nest to China}\label{ID_null}
\subsection{Consumption six times higher per cap}\label{ID_null}
\subsection{Groth expectations reduced}\label{ID_null}
\subsection{80% of market}\label{ID_null}
\subsubsection{AB}\label{ID_null}75% of industry profits\par
\subsubsection{adolf coors}\label{ID_null}
\subsubsection{Miller}\label{ID_null}
\subsection{dense network of regional craft brewing}\label{ID_null}
\subsection{volume main driver}\label{ID_null}
\section{Modelo in Mexico}\label{ID_null}
\subsection{History to 1970}\label{ID_null}
\subsubsection{formed in 1922}\label{ID_null}\begin{itemize}
\item \label{ID_null}Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr\par
\item \label{ID_null}Iriarte died in 1932\par
\item \label{ID_null}Diez sole owner 1936\par
\item \label{ID_null}Fernandez Family Sole owner since 1936\par
\end{itemize}
\subsubsection{focus on Mexico City}\label{ID_null}
\subsubsection{Modelo 1st Brand}\label{ID_null}
\subsubsection{Corona 2nd Brand}\label{ID_null}Clear Glass Customers preference\par
\subsubsection{1940s period of strong growth }\label{ID_null}\begin{itemize}
\item \label{ID_null}concentrate domesti¬cally \par
\item \label{ID_null}improve distribution methods and produc¬tion facilities \par
distribution: direct with profit sharing\par
\end{itemize}
\subsubsection{bought the brands and assets of the Toluca y Mexico Brewery}\label{ID_null}\begin{itemize}
\item \label{ID_null}1935\par
\item \label{ID_null}country's oldest brand of beer\par
\end{itemize}
\subsection{1971, Antonino Fernandez was appointed CEO}\label{ID_null}
\subsubsection{Mexican Stock exchange in 1994}\label{ID_null}
\subsubsection{Anheuser-Busch 17.7 % of the equity}\label{ID_null}The 50.2 % represented 43.9% voting\par
\subsection{Largest Beer producer and distrubutor in Mexico}\label{ID_null}
\subsubsection{corona 56% share}\label{ID_null}
\section{Modelo in US}\label{ID_null}
\subsection{History}\label{ID_null}
\subsubsection{1979}\label{ID_null}
\subsubsection{Amalgamated Distillery Products Inc. (}\label{ID_null}later renamed Barton Beers Ltd.\par
\subsubsection{gained popularity in southern states}\label{ID_null}
\subsubsection{rapid growth 1980s}\label{ID_null}second most popular imported beer\par
\subsubsection{1991}\label{ID_null}\begin{itemize}
\item \label{ID_null}doubling of federal excise tax on beer\par
\begin{itemize}
\item \label{ID_null}sales decrease of 15 percent\par
\item \label{ID_null}distributor absorb the tax 92\par
\end{itemize}
\item \label{ID_null}distributors took the loss\par
\end{itemize}
\subsection{2007 5 beers to us}\label{ID_null}
\subsubsection{3 of top 8 beers in US}\label{ID_null}
\subsubsection{Heineken}\label{ID_null}Main Import Comptitor\par
\subsubsection{131 million cases}\label{ID_null}
\subsection{Marketing}\label{ID_null}
\subsubsection{surfing mythology}\label{ID_null}
\subsubsection{not selling premium quality}\label{ID_null}
\subsubsection{not testosterone driven}\label{ID_null}
\subsubsection{found new following}\label{ID_null}
\subsubsection{beer for non beer drinkers}\label{ID_null}
\subsubsection{dependable second choise}\label{ID_null}
\subsubsection{Fun in the sun}\label{ID_null}\begin{itemize}
\item \label{ID_null}Barton Beer's idea\par
\item \label{ID_null}escape\par
\item \label{ID_null}relaxation\par
\end{itemize}
\subsubsection{1996ad budget}\label{ID_null}\begin{itemize}
\item \label{ID_null}Corona 5.1 mil\par
\item \label{ID_null}Heiniken 15 mil\par
\item \label{ID_null}an bsch 192 mil\par
\end{itemize}
\subsection{Us dist contracts}\label{ID_null}
\subsubsection{importer/distributors}\label{ID_null}\begin{itemize}
\item \label{ID_null}Local Companies\par
\item \label{ID_null}Autonomous\par
\item \label{ID_null}competitive relationship\par
\item \label{ID_null}transportation\par
\item \label{ID_null}insurance\par
\item \label{ID_null}pricing\par
\item \label{ID_null}customs\par
\item \label{ID_null}advertixing\par
\end{itemize}
\subsubsection{procermex inc}\label{ID_null}\begin{itemize}
\item \label{ID_null}Modelo us subsidiary\par
\item \label{ID_null}Support\par
\item \label{ID_null}Supervise\par
\item \label{ID_null}Coordinate\par
\end{itemize}
\subsubsection{Modelo had final say on brand image}\label{ID_null}
\subsubsection{production in Mexico}\label{ID_null}
\subsubsection{Chicago based Barton Beers 1st}\label{ID_null}largest importer in 25 western states\par
\subsubsection{Gambrinus}\label{ID_null}\begin{itemize}
\item \label{ID_null}1986\par
\item \label{ID_null}eastern dist\par
\end{itemize}
\section{The Beer market}\label{ID_null}
\subsection{traditionally a clustered market}\label{ID_null}
\subsection{many local breweries}\label{ID_null}
\subsection{no means of transport}\label{ID_null}
\subsection{colsolition happened in 1800s}\label{ID_null}
\subsection{different countries had different tastes}\label{ID_null}
\subsection{90s national leaders expanded abroad}\label{ID_null}
\subsection{startup costs high}\label{ID_null}
\subsubsection{industry supported conectration}\label{ID_null}
\subsection{Interbrew}\label{ID_null}
\subsubsection{Belgian}\label{ID_null}
\subsubsection{aquired breweries in 20 countries}\label{ID_null}
\subsubsection{sales in 110 countries}\label{ID_null}
\subsubsection{local managers controlling brands}\label{ID_null}
\subsubsection{flagship brand: Stella Artois}\label{ID_null}
\subsection{2004 merger}\label{ID_null}
\subsubsection{#1 Interbrew}\label{ID_null}
\subsubsection{#5 Am Bev - Brazil}\label{ID_null}
\subsubsection{largest merge}\label{ID_null}worth 12.8 billion\par
\subsection{2007}\label{ID_null}
\subsubsection{inbev}\label{ID_null}
\subsubsection{SAP Miller}\label{ID_null}
\subsubsection{Heineken}\label{ID_null}\begin{itemize}
\item \label{ID_null}produces beer domestically\par
parent of local distributors\par
\begin{itemize}
\item \label{ID_null}marketing\par
\item \label{ID_null}importing\par
import taxes passed on to consumer\par
\item \label{ID_null}distribution\par
\end{itemize}
\item \label{ID_null}marketing\par
\begin{itemize}
\item \label{ID_null}premium beer\par
\item \label{ID_null}premium brand\par
\item \label{ID_null}no mythology\par
\item \label{ID_null}superior taste\par
\item \label{ID_null}2006 aggressive marketing campaign\par
Heineken Premium Light\par
\end{itemize}
\item \label{ID_null}reputation of top selling beer in world\par
\item \label{ID_null}Dutch\par
\end{itemize}
\subsubsection{Anh Bush}\label{ID_null}produces in foreign markets\par
\subsection{Beer Marketing}\label{ID_null}
\subsubsection{People drink marketing}\label{ID_null}
\subsection{Future}\label{ID_null}
\subsubsection{domestic and foreign threats}\label{ID_null}
\subsubsection{other merger talks}\label{ID_null}
\subsubsection{Inbev in talks with Anh Bush}\label{ID_null}Two biggest companies will create huge company\par
\subsubsection{Sales were decreasing due to competitive media budgets}\label{ID_null}
\section{Mexico Industry}\label{ID_null}
\subsection{has most trade agreements in world}\label{ID_null}
\subsection{one of the largest domestic beer markets}\label{ID_null}
\subsection{imported beer only 1% sales}\label{ID_null}
\subsubsection{half were anh bcsh dist by modelo}\label{ID_null}
\subsection{modelo}\label{ID_null}
\subsubsection{NAFTA S.A. An Bucsh}\label{ID_null}
\subsubsection{62.8% of market}\label{ID_null}
\subsection{FEMSA}\label{ID_null}
\subsubsection{domestic market}\label{ID_null}\begin{itemize}
\item \label{ID_null}37% of domestic market\par
\item \label{ID_null}production and distribution in Mexico: peso not a threat\par
\item \label{ID_null}Owns Oxxo C\par
CA largest chain of conv stores\par
\item \label{ID_null}leads domestic premium beer market\par
\item \label{ID_null}997 to 2004 taking domestic market share\par
\item \label{ID_null}NAFTA SACoca cola\par
Exclusive distributor\par
\end{itemize}
\subsubsection{foriegn market}\label{ID_null}\begin{itemize}
\item \label{ID_null}Partnership Heiniken\par
Distribution in US\par
\item \label{ID_null}90s entry to us market failed\par
\item \label{ID_null}Recently partnered with Heiniken for US market\par
2005 18.7% growth\par
\end{itemize}

View File

@ -0,0 +1,276 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">corona</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Modelo in world</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">International market protected Modelo from unstable peso</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Fifth largest distributor in world</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Can they sustain that trend</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">in 12 years</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">One of top 10 breweries in world</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Carloz Fernandez CEO</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">CEO Since 1997</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">29 years old</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">working there since 13</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">vision: top five brewers</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">International Business model</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">experienced local distributors</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growing international demand</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Capitalize on NAFTA</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">top 10 beer producers in world</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">7.8 % sales growth compounded over ten years</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">2005</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">12.3 % exports</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">4% increase domestically</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">export sales 30%</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Corona Extra</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">worlds fourth best selling beer</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">56% shar of domestic market</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Since 1997 #1 import in US</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">outsold competitor by 50%</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Expanding production </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">renovate facility in Zacatecas</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">300 million investment</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">US Beer Market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2nd largest nest to China</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Consumption six times higher per cap</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Groth expectations reduced</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">80% of market</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">AB</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">75% of industry profits</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">adolf coors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Miller</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">dense network of regional craft brewing</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">volume main driver</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Modelo in Mexico</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">History to 1970</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">formed in 1922</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Iriarte died in 1932</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Diez sole owner 1936</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Fernandez Family Sole owner since 1936</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">focus on Mexico City</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Modelo 1st Brand</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Corona 2nd Brand</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Clear Glass Customers preference</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1940s period of strong growth </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">concentrate domesti¬cally </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">improve distribution methods and produc¬tion facilities </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">distribution: direct with profit sharing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">bought the brands and assets of the Toluca y Mexico Brewery</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">1935</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">country's oldest brand of beer</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">1971, Antonino Fernandez was appointed CEO</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Mexican Stock exchange in 1994</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Anheuser-Busch 17.7 % of the equity</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">The 50.2 % represented 43.9% voting</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Largest Beer producer and distrubutor in Mexico</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">corona 56% share</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Modelo in US</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">History</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1979</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Amalgamated Distillery Products Inc. (</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">later renamed Barton Beers Ltd.</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">gained popularity in southern states</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">rapid growth 1980s</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">second most popular imported beer</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1991</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">doubling of federal excise tax on beer</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">sales decrease of 15 percent</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">distributor absorb the tax 92</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">distributors took the loss</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2007 5 beers to us</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">3 of top 8 beers in US</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Heineken</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Main Import Comptitor</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">131 million cases</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Marketing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">surfing mythology</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">not selling premium quality</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">not testosterone driven</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">found new following</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">beer for non beer drinkers</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">dependable second choise</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Fun in the sun</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Barton Beer's idea</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">escape</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">relaxation</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">1996ad budget</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Corona 5.1 mil</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Heiniken 15 mil</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">an bsch 192 mil</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Us dist contracts</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">importer/distributors</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Local Companies</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Autonomous</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">competitive relationship</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">transportation</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">insurance</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">pricing</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">customs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">advertixing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">procermex inc</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Modelo us subsidiary</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Support</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Supervise</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Coordinate</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Modelo had final say on brand image</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">production in Mexico</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Chicago based Barton Beers 1st</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">largest importer in 25 western states</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Gambrinus</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">1986</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">eastern dist</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">The Beer market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">traditionally a clustered market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">many local breweries</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">no means of transport</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">colsolition happened in 1800s</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">different countries had different tastes</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">90s national leaders expanded abroad</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">startup costs high</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">industry supported conectration</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Interbrew</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Belgian</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">aquired breweries in 20 countries</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">sales in 110 countries</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">local managers controlling brands</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">flagship brand: Stella Artois</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2004 merger</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">#1 Interbrew</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">#5 Am Bev - Brazil</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">largest merge</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">worth 12.8 billion</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">2007</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">inbev</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">SAP Miller</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Heineken</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">produces beer domestically</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">parent of local distributors</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">marketing</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">importing</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">import taxes passed on to consumer</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">distribution</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">marketing</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">premium beer</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">premium brand</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">no mythology</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">superior taste</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">2006 aggressive marketing campaign</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Heineken Premium Light</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">reputation of top selling beer in world</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Dutch</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Anh Bush</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">produces in foreign markets</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Beer Marketing</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">People drink marketing</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Future</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">domestic and foreign threats</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">other merger talks</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Inbev in talks with Anh Bush</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Two biggest companies will create huge company</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Sales were decreasing due to competitive media budgets</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Mexico Industry</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">has most trade agreements in world</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">one of the largest domestic beer markets</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">imported beer only 1% sales</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">half were anh bcsh dist by modelo</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">modelo</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">NAFTA S.A. An Bucsh</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">62.8% of market</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">FEMSA</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">domestic market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">37% of domestic market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">production and distribution in Mexico: peso not a threat</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Owns Oxxo C</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">CA largest chain of conv stores</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">leads domestic premium beer market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">997 to 2004 taking domestic market share</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">NAFTA SACoca cola</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Exclusive distributor</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">foriegn market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Partnership Heiniken</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Distribution in US</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">90s entry to us market failed</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Recently partnered with Heiniken for US market</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">2005 18.7% growth</text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,264 @@
WiseMapping Export
1 corona
1.1 Modelo in world
1.1.1 International market protected Modelo from unstable peso
1.1.2 Fifth largest distributor in world
1.1.2.1 Can they sustain that trend
1.1.2.2 in 12 years
1.1.3 One of top 10 breweries in world
1.2 Carloz Fernandez CEO
1.2.1 CEO Since 1997
1.2.1.1 29 years old
1.2.1.1.1 working there since 13
1.2.2 vision: top five brewers
1.2.2.1 International Business model
1.2.2.1.1 experienced local distributors
1.2.2.1.2 Growing international demand
1.2.2.1.3 Capitalize on NAFTA
1.2.2.2 top 10 beer producers in world
1.2.2.2.1 7.8 % sales growth compounded over ten years
1.2.2.2.2 2005
1.2.2.2.2.1 12.3 % exports
1.2.2.2.2.2 4% increase domestically
1.2.2.2.2.3 export sales 30%
1.2.2.2.3 Corona Extra
1.2.2.2.3.1 worlds fourth best selling beer
1.2.2.2.3.2 56% shar of domestic market
1.2.2.2.3.3 Since 1997 #1 import in US
1.2.2.2.3.3.1 outsold competitor by 50%
1.2.3 Expanding production
1.2.3.1 renovate facility in Zacatecas
1.2.3.2 300 million investment
1.3 US Beer Market
1.3.1 2nd largest nest to China
1.3.2 Consumption six times higher per cap
1.3.3 Groth expectations reduced
1.3.4 80% of market
1.3.4.1 AB
1.3.4.1.1 75% of industry profits
1.3.4.2 adolf coors
1.3.4.3 Miller
1.3.5 dense network of regional craft brewing
1.3.6 volume main driver
1.4 Modelo in Mexico
1.4.1 History to 1970
1.4.1.1 formed in 1922
1.4.1.1.1 Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr
1.4.1.1.2 Iriarte died in 1932
1.4.1.1.3 Diez sole owner 1936
1.4.1.1.4 Fernandez Family Sole owner since 1936
1.4.1.2 focus on Mexico City
1.4.1.3 Modelo 1st Brand
1.4.1.4 Corona 2nd Brand
1.4.1.4.1 Clear Glass Customers preference
1.4.1.5 1940s period of strong growth
1.4.1.5.1 concentrate domesti¬cally
1.4.1.5.2 improve distribution methods and produc¬tion facilities
1.4.1.5.2.1 distribution: direct with profit sharing
1.4.1.6 bought the brands and assets of the Toluca y Mexico Brewery
1.4.1.6.1 1935
1.4.1.6.2 country's oldest brand of beer
1.4.2 1971, Antonino Fernandez was appointed CEO
1.4.2.1 Mexican Stock exchange in 1994
1.4.2.2 Anheuser-Busch 17.7 % of the equity
1.4.2.2.1 The 50.2 % represented 43.9% voting
1.4.3 Largest Beer producer and distrubutor in Mexico
1.4.3.1 corona 56% share
1.5 Modelo in US
1.5.1 History
1.5.1.1 1979
1.5.1.2 Amalgamated Distillery Products Inc. (
1.5.1.2.1 later renamed Barton Beers Ltd.
1.5.1.3 gained popularity in southern states
1.5.1.4 rapid growth 1980s
1.5.1.4.1 second most popular imported beer
1.5.1.5 1991
1.5.1.5.1 doubling of federal excise tax on beer
1.5.1.5.1.1 sales decrease of 15 percent
1.5.1.5.1.2 distributor absorb the tax 92
1.5.1.5.2 distributors took the loss
1.5.2 2007 5 beers to us
1.5.2.1 3 of top 8 beers in US
1.5.2.2 Heineken
1.5.2.2.1 Main Import Comptitor
1.5.2.3 131 million cases
1.5.3 Marketing
1.5.3.1 surfing mythology
1.5.3.2 not selling premium quality
1.5.3.3 not testosterone driven
1.5.3.4 found new following
1.5.3.5 beer for non beer drinkers
1.5.3.6 dependable second choise
1.5.3.7 Fun in the sun
1.5.3.7.1 Barton Beer's idea
1.5.3.7.2 escape
1.5.3.7.3 relaxation
1.5.3.8 1996ad budget
1.5.3.8.1 Corona 5.1 mil
1.5.3.8.2 Heiniken 15 mil
1.5.3.8.3 an bsch 192 mil
1.5.4 Us dist contracts
1.5.4.1 importer/distributors
1.5.4.1.1 Local Companies
1.5.4.1.2 Autonomous
1.5.4.1.3 competitive relationship
1.5.4.1.4 transportation
1.5.4.1.5 insurance
1.5.4.1.6 pricing
1.5.4.1.7 customs
1.5.4.1.8 advertixing
1.5.4.2 procermex inc
1.5.4.2.1 Modelo us subsidiary
1.5.4.2.2 Support
1.5.4.2.3 Supervise
1.5.4.2.4 Coordinate
1.5.4.3 Modelo had final say on brand image
1.5.4.4 production in Mexico
1.5.4.5 Chicago based Barton Beers 1st
1.5.4.5.1 largest importer in 25 western states
1.5.4.6 Gambrinus
1.5.4.6.1 1986
1.5.4.6.2 eastern dist
1.6 The Beer market
1.6.1 traditionally a clustered market
1.6.2 many local breweries
1.6.3 no means of transport
1.6.4 colsolition happened in 1800s
1.6.5 different countries had different tastes
1.6.6 90s national leaders expanded abroad
1.6.7 startup costs high
1.6.7.1 industry supported conectration
1.6.8 Interbrew
1.6.8.1 Belgian
1.6.8.2 aquired breweries in 20 countries
1.6.8.3 sales in 110 countries
1.6.8.4 local managers controlling brands
1.6.8.5 flagship brand: Stella Artois
1.6.9 2004 merger
1.6.9.1 #1 Interbrew
1.6.9.2 #5 Am Bev - Brazil
1.6.9.3 largest merge
1.6.9.3.1 worth 12.8 billion
1.6.10 2007
1.6.10.1 inbev
1.6.10.2 SAP Miller
1.6.10.3 Heineken
1.6.10.3.1 produces beer domestically
1.6.10.3.1.1 parent of local distributors
1.6.10.3.1.1.1 marketing
1.6.10.3.1.1.2 importing
1.6.10.3.1.1.2.1 import taxes passed on to consumer
1.6.10.3.1.1.3 distribution
1.6.10.3.2 marketing
1.6.10.3.2.1 premium beer
1.6.10.3.2.2 premium brand
1.6.10.3.2.3 no mythology
1.6.10.3.2.4 superior taste
1.6.10.3.2.5 2006 aggressive marketing campaign
1.6.10.3.2.5.1 Heineken Premium Light
1.6.10.3.3 reputation of top selling beer in world
1.6.10.3.4 Dutch
1.6.10.4 Anh Bush
1.6.10.4.1 produces in foreign markets
1.6.11 Beer Marketing
1.6.11.1 People drink marketing
1.6.12 Future
1.6.12.1 domestic and foreign threats
1.6.12.2 other merger talks
1.6.12.3 Inbev in talks with Anh Bush
1.6.12.3.1 Two biggest companies will create huge company
1.6.12.4 Sales were decreasing due to competitive media budgets
1.7 Mexico Industry
1.7.1 has most trade agreements in world
1.7.2 one of the largest domestic beer markets
1.7.3 imported beer only 1% sales
1.7.3.1 half were anh bcsh dist by modelo
1.7.4 modelo
1.7.4.1 NAFTA S.A. An Bucsh
1.7.4.2 62.8% of market
1.7.5 FEMSA
1.7.5.1 domestic market
1.7.5.1.1 37% of domestic market
1.7.5.1.2 production and distribution in Mexico: peso not a threat
1.7.5.1.3 Owns Oxxo C
1.7.5.1.3.1 CA largest chain of conv stores
1.7.5.1.4 leads domestic premium beer market
1.7.5.1.5 997 to 2004 taking domestic market share
1.7.5.1.6 NAFTA SACoca cola
1.7.5.1.6.1 Exclusive distributor
1.7.5.2 foriegn market
1.7.5.2.1 Partnership Heiniken
1.7.5.2.1.1 Distribution in US
1.7.5.2.2 90s entry to us market failed
1.7.5.2.3 Recently partnered with Heiniken for US market
1.7.5.2.3.1 2005 18.7% growth

View File

@ -0,0 +1,991 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Excel.Sheet"?><Workbook xmlns:x="urn:schemas-microsoft-com:office:excel" xmlns:ss="urn:schemas-microsoft-com:office:spreadsheet" xmlns:duss="urn:schemas-microsoft-com:office:dummyspreadsheet" xmlns:o="urn:schemas-microsoft-com:office:office" xmlns="urn:schemas-microsoft-com:office:spreadsheet">
<Styles>
<Style ss:ID="s16" ss:Name="attribute_cell">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
</Style>
<Style ss:ID="s17" ss:Name="attribute_header">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
<Font ss:Bold="1"/>
</Style>
</Styles>
<Worksheet ss:Name="FreeMind Sheet">
<Table>
<Row>
<Cell ss:Index="1">
<Data ss:Type="String">corona</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Modelo in world</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">International market protected Modelo from unstable peso</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Fifth largest distributor in world</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Can they sustain that trend</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">in 12 years</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">One of top 10 breweries in world</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Carloz Fernandez CEO</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">CEO Since 1997</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">29 years old</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">working there since 13</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">vision: top five brewers</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">International Business model</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">experienced local distributors</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Growing international demand</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Capitalize on NAFTA</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">top 10 beer producers in world</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">7.8 % sales growth compounded over ten years</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">2005</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">12.3 % exports</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">4% increase domestically</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">export sales 30%</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Corona Extra</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">worlds fourth best selling beer</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">56% shar of domestic market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">Since 1997 #1 import in US</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="7">
<Data ss:Type="String">outsold competitor by 50%</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Expanding production </Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">renovate facility in Zacatecas</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">300 million investment</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">US Beer Market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">2nd largest nest to China</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Consumption six times higher per cap</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Groth expectations reduced</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">80% of market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">AB</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">75% of industry profits</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">adolf coors</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Miller</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">dense network of regional craft brewing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">volume main driver</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Modelo in Mexico</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">History to 1970</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">formed in 1922</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Pablo Diez Fernandez, Braulio Irare, Marin Oyamburr</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Iriarte died in 1932</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Diez sole owner 1936</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Fernandez Family Sole owner since 1936</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">focus on Mexico City</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Modelo 1st Brand</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Corona 2nd Brand</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Clear Glass Customers preference</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">1940s period of strong growth </Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">concentrate domesti¬cally </Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">improve distribution methods and produc¬tion facilities </Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">distribution: direct with profit sharing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">bought the brands and assets of the Toluca y Mexico Brewery</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">1935</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">country's oldest brand of beer</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">1971, Antonino Fernandez was appointed CEO</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Mexican Stock exchange in 1994</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Anheuser-Busch 17.7 % of the equity</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">The 50.2 % represented 43.9% voting</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Largest Beer producer and distrubutor in Mexico</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">corona 56% share</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Modelo in US</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">History</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">1979</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Amalgamated Distillery Products Inc. (</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">later renamed Barton Beers Ltd.</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">gained popularity in southern states</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">rapid growth 1980s</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">second most popular imported beer</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">1991</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">doubling of federal excise tax on beer</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">sales decrease of 15 percent</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">distributor absorb the tax 92</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">distributors took the loss</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">2007 5 beers to us</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">3 of top 8 beers in US</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Heineken</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Main Import Comptitor</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">131 million cases</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Marketing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">surfing mythology</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">not selling premium quality</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">not testosterone driven</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">found new following</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">beer for non beer drinkers</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">dependable second choise</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Fun in the sun</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Barton Beer's idea</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">escape</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">relaxation</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">1996ad budget</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Corona 5.1 mil</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Heiniken 15 mil</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">an bsch 192 mil</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Us dist contracts</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">importer/distributors</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Local Companies</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Autonomous</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">competitive relationship</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">transportation</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">insurance</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">pricing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">customs</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">advertixing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">procermex inc</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Modelo us subsidiary</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Support</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Supervise</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Coordinate</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Modelo had final say on brand image</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">production in Mexico</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Chicago based Barton Beers 1st</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">largest importer in 25 western states</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Gambrinus</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">1986</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">eastern dist</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">The Beer market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">traditionally a clustered market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">many local breweries</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">no means of transport</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">colsolition happened in 1800s</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">different countries had different tastes</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">90s national leaders expanded abroad</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">startup costs high</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">industry supported conectration</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Interbrew</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Belgian</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">aquired breweries in 20 countries</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">sales in 110 countries</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">local managers controlling brands</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">flagship brand: Stella Artois</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">2004 merger</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">#1 Interbrew</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">#5 Am Bev - Brazil</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">largest merge</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">worth 12.8 billion</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">2007</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">inbev</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">SAP Miller</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Heineken</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">produces beer domestically</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">parent of local distributors</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="7">
<Data ss:Type="String">marketing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="7">
<Data ss:Type="String">importing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="8">
<Data ss:Type="String">import taxes passed on to consumer</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="7">
<Data ss:Type="String">distribution</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">marketing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">premium beer</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">premium brand</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">no mythology</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">superior taste</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">2006 aggressive marketing campaign</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="7">
<Data ss:Type="String">Heineken Premium Light</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">reputation of top selling beer in world</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Dutch</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Anh Bush</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">produces in foreign markets</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Beer Marketing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">People drink marketing</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Future</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">domestic and foreign threats</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">other merger talks</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Inbev in talks with Anh Bush</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Two biggest companies will create huge company</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Sales were decreasing due to competitive media budgets</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Mexico Industry</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">has most trade agreements in world</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">one of the largest domestic beer markets</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">imported beer only 1% sales</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">half were anh bcsh dist by modelo</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">modelo</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">NAFTA S.A. An Bucsh</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">62.8% of market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">FEMSA</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">domestic market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">37% of domestic market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">production and distribution in Mexico: peso not a threat</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Owns Oxxo C</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">CA largest chain of conv stores</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">leads domestic premium beer market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">997 to 2004 taking domestic market share</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">NAFTA SACoca cola</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">Exclusive distributor</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">foriegn market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Partnership Heiniken</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">Distribution in US</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">90s entry to us market failed</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="5">
<Data ss:Type="String">Recently partnered with Heiniken for US market</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="6">
<Data ss:Type="String">2005 18.7% growth</Data>
</Cell>
</Row>
</Table>
</Worksheet>
</Workbook>

View File

@ -0,0 +1,79 @@
SaberMás
,
Utilización de medios de expresión artística, digitales y analógicos
,
Precio también limitado: 100-120?
,
Talleres temáticos
,
,
Naturaleza
,
,
,
Animales, Plantas, Piedras
,
,
Arqueología
,
,
Energía
,
,
Astronomía
,
,
Arquitectura
,
,
Cocina
,
,
Poesía
,
,
Culturas Antiguas
,
,
,
Egipto, Grecia, China...
,
,
Paleontología
,
Duración limitada: 5-6 semanas
,
Niños y niñas que quieren saber más
,
Alternativa a otras actividades de ocio
,
Uso de la tecnología durante todo el proceso de aprendizaje
,
Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas
,
Trabajo basado en la experimentación y en la investigación
,
De 8 a 12 años, sin separación por edades
,
Máximo 10/1 por taller
,
Actividades centradas en el contexto cercano
,
Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)
,
Complementamos el trabajo de la escuela
,
,
Cada uno va a su ritmo, y cada cual pone sus límites
,
,
Aprendemos todos de todos
,
,
Valoramos lo que hemos aprendido
,
,
SaberMás trabaja con, desde y para la motivación
,
,
Trabajamos en equipo en nuestros proyectos
1 SaberMás
2 ,
3 Utilización de medios de expresión artística, digitales y analógicos
4 ,
5 Precio también limitado: 100-120?
6 ,
7 Talleres temáticos
8 ,
9 ,
10 Naturaleza
11 ,
12 ,
13 ,
14 Animales, Plantas, Piedras
15 ,
16 ,
17 Arqueología
18 ,
19 ,
20 Energía
21 ,
22 ,
23 Astronomía
24 ,
25 ,
26 Arquitectura
27 ,
28 ,
29 Cocina
30 ,
31 ,
32 Poesía
33 ,
34 ,
35 Culturas Antiguas
36 ,
37 ,
38 ,
39 Egipto, Grecia, China...
40 ,
41 ,
42 Paleontología
43 ,
44 Duración limitada: 5-6 semanas
45 ,
46 Niños y niñas que quieren saber más
47 ,
48 Alternativa a otras actividades de ocio
49 ,
50 Uso de la tecnología durante todo el proceso de aprendizaje
51 ,
52 Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas
53 ,
54 Trabajo basado en la experimentación y en la investigación
55 ,
56 De 8 a 12 años, sin separación por edades
57 ,
58 Máximo 10/1 por taller
59 ,
60 Actividades centradas en el contexto cercano
61 ,
62 Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)
63 ,
64 Complementamos el trabajo de la escuela
65 ,
66 ,
67 Cada uno va a su ritmo, y cada cual pone sus límites
68 ,
69 ,
70 Aprendemos todos de todos
71 ,
72 ,
73 Valoramos lo que hemos aprendido
74 ,
75 ,
76 SaberMás trabaja con, desde y para la motivación
77 ,
78 ,
79 Trabajamos en equipo en nuestros proyectos

View File

@ -0,0 +1,582 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Word.Document"?><w:wordDocument xmlns:sl="http://schemas.microsoft.com/schemaLibrary/2003/core" xmlns:w="http://schemas.microsoft.com/office/word/2003/wordml" xmlns:v="urn:schemas-microsoft-com:vml" xmlns:w10="urn:schemas-microsoft-com:office:word" xmlns:dt="uuid:C2F41010-65B3-11d1-A29F-00AA00C14882" xmlns:aml="http://schemas.microsoft.com/aml/2001/core" xmlns:wx="http://schemas.microsoft.com/office/word/2003/auxHint" xmlns:o="urn:schemas-microsoft-com:office:office">
<o:DocumentProperties>
<o:Title>SaberMás</o:Title>
</o:DocumentProperties>
<w:styles>
<w:versionOfBuiltInStylenames w:val="4"/>
<w:latentStyles w:defLockedState="off" w:latentStyleCount="156"/>
<w:style w:type="paragraph" w:default="on" w:styleId="Normal">
<w:name w:val="Normal"/>
<w:rsid w:val="00831C9D"/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:sz w:val="24"/>
<w:sz-cs w:val="24"/>
<w:lang w:val="EN-US" w:fareast="EN-US" w:bidi="AR-SA"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading1">
<w:name w:val="heading 1"/>
<wx:uiName wx:val="Heading 1"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading1"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="32"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading2">
<w:name w:val="heading 2"/>
<wx:uiName wx:val="Heading 2"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading2"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="1"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading3">
<w:name w:val="heading 3"/>
<wx:uiName wx:val="Heading 3"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading3"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="2"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading4">
<w:name w:val="heading 4"/>
<wx:uiName wx:val="Heading 4"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading4"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="3"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading5">
<w:name w:val="heading 5"/>
<wx:uiName wx:val="Heading 5"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading5"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="4"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading6">
<w:name w:val="heading 6"/>
<wx:uiName wx:val="Heading 6"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading6"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="5"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading7">
<w:name w:val="heading 7"/>
<wx:uiName wx:val="Heading 7"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading7"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="6"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading8">
<w:name w:val="heading 8"/>
<wx:uiName wx:val="Heading 8"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading8"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="7"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:i/>
<w:i-cs/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading9">
<w:name w:val="heading 9"/>
<wx:uiName wx:val="Heading 9"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading9"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="8"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="character" w:default="on" w:styleId="DefaultParagraphFont">
<w:name w:val="Default Paragraph Font"/>
<w:semiHidden/>
</w:style>
<w:style w:type="table" w:default="on" w:styleId="TableNormal">
<w:name w:val="Normal Table"/>
<wx:uiName wx:val="Table Normal"/>
<w:semiHidden/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
<w:tblPr>
<w:tblInd w:w="0" w:type="dxa"/>
<w:tblCellMar>
<w:top w:w="0" w:type="dxa"/>
<w:left w:w="108" w:type="dxa"/>
<w:bottom w:w="0" w:type="dxa"/>
<w:right w:w="108" w:type="dxa"/>
</w:tblCellMar>
</w:tblPr>
</w:style>
<w:style w:type="list" w:default="on" w:styleId="NoList">
<w:name w:val="No List"/>
<w:semiHidden/>
</w:style>
<w:style w:type="paragraph" w:styleId="Title">
<w:name w:val="Title"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Title"/>
<w:spacing w:before="240" w:after="60"/>
<w:jc w:val="center"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="28"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="BodyText">
<w:name w:val="Body Text"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="BodyText"/>
<w:spacing w:after="120"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
</w:styles>
<w:body>
<wx:sect>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Title"/>
</w:pPr>
<w:r>
<w:t>SaberMás</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Utilización de medios de expresión artística, digitales y analógicos</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Precio también limitado: 100-120?</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Talleres temáticos</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Naturaleza</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading3"/>
</w:pPr>
<w:r>
<w:t>Animales, Plantas, Piedras</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Arqueología</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Energía</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Astronomía</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Arquitectura</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Cocina</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Poesía</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Culturas Antiguas</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading3"/>
</w:pPr>
<w:r>
<w:t>Egipto, Grecia, China...</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Paleontología</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Duración limitada: 5-6 semanas</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Niños y niñas que quieren saber más</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Alternativa a otras actividades de ocio</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Uso de la tecnología durante todo el proceso de aprendizaje</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Trabajo basado en la experimentación y en la investigación</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>De 8 a 12 años, sin separación por edades</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Máximo 10/1 por taller</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Actividades centradas en el contexto cercano</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Complementamos el trabajo de la escuela</w:t>
</w:r>
</w:p>
<w:p>
<w:pPr>
<w:pStyle w:val="BodyText"/>
</w:pPr>
<w:r>
<w:t>
Todos los contenidos de los talleres están relacionados con el currículo de la enseñanza básica.
A diferencia de la práctica tradicional, pretendemos ahondar en el conocimiento partiendo de lo que realmente interesa al niño o niña,
ayudándole a que encuentre respuesta a las preguntas que él o ella se plantea.
Por ese motivo, SaberMás proyecta estar al lado de los niños que necesitan una motivación extra para entender la escuela y fluir en ella,
y también al lado de aquellos a quienes la curiosidad y las ganas de saber les lleva más allá.
</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Cada uno va a su ritmo, y cada cual pone sus límites</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Aprendemos todos de todos</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Valoramos lo que hemos aprendido</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>SaberMás trabaja con, desde y para la motivación</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Trabajamos en equipo en nuestros proyectos</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
</wx:sub-section>
</wx:sect>
</w:body>
</w:wordDocument>

View File

@ -0,0 +1,120 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">SaberMás</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Utilización de medios de expresión artística, digitales y analógicos</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Precio también limitado: 100-120?</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Talleres temáticos</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Naturaleza</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Animales, Plantas, Piedras</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Arqueología</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Energía</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Astronomía</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Arquitectura</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Cocina</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Poesía</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Culturas Antiguas</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Egipto, Grecia, China...</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Paleontología</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Duración limitada: 5-6 semanas</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Niños y niñas que quieren saber más</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Alternativa a otras actividades de ocio</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Uso de la tecnología durante todo el proceso de aprendizaje</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas </text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Trabajo basado en la experimentación y en la investigación</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">De 8 a 12 años, sin separación por edades</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Máximo 10/1 por taller</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Actividades centradas en el contexto cercano</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Complementamos el trabajo de la escuela</text:h>
<text:p text:style-name="Standard">Todos los contenidos de los talleres están relacionados con el currículo de la enseñanza básica.</text:p>
<text:p text:style-name="Standard">A diferencia de la práctica tradicional, pretendemos ahondar en el conocimiento partiendo de lo que realmente interesa al niño o niña,</text:p>
<text:p text:style-name="Standard">ayudándole a que encuentre respuesta a las preguntas que él o ella se plantea.</text:p>
<text:p text:style-name="Standard"/>
<text:p text:style-name="Standard">Por ese motivo, SaberMás proyecta estar al lado de los niños que necesitan una motivación extra para entender la escuela y fluir en ella,</text:p>
<text:p text:style-name="Standard">y también al lado de aquellos a quienes la curiosidad y las ganas de saber les lleva más allá.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Cada uno va a su ritmo, y cada cual pone sus límites</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Aprendemos todos de todos</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Valoramos lo que hemos aprendido</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">SaberMás trabaja con, desde y para la motivación</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Trabajamos en equipo en nuestros proyectos </text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,32 @@
\chapter{SaberMás}\label{ID_1}
\section{Utilización de medios de expresión artística, digitales y analógicos}\label{ID_5}
\section{Precio también limitado: 100-120?}\label{ID_9}
\section{Talleres temáticos}\label{ID_2}
\subsection{Naturaleza}\label{ID_13}
\subsubsection{Animales, Plantas, Piedras}\label{ID_17}
\subsection{Arqueología}\label{ID_21}
\subsection{Energía}\label{ID_18}
\subsection{Astronomía}\label{ID_16}
\subsection{Arquitectura}\label{ID_20}
\subsection{Cocina}\label{ID_11}
\subsection{Poesía}\label{ID_24}
\subsection{Culturas Antiguas}\label{ID_25}
\subsubsection{Egipto, Grecia, China...}\label{ID_26}
\subsection{Paleontología}\label{ID_38}
\section{Duración limitada: 5-6 semanas}\label{ID_6}
\section{Niños y niñas que quieren saber más}\label{ID_7}
\section{Alternativa a otras actividades de ocio}\label{ID_8}
\section{Uso de la tecnología durante todo el proceso de aprendizaje}\label{ID_23}
\section{Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas }\label{ID_3}
\section{Trabajo basado en la experimentación y en la investigación}\label{ID_4}
\section{De 8 a 12 años, sin separación por edades}\label{ID_10}
\section{Máximo 10/1 por taller}\label{ID_19}
\section{Actividades centradas en el contexto cercano}\label{ID_37}
\section{Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)}\label{ID_22}
\section{Complementamos el trabajo de la escuela}\label{ID_27}Todos los contenidos de los talleres están relacionados con el currículo de la enseñanza básica.A diferencia de la práctica tradicional, pretendemos ahondar en el conocimiento partiendo de lo que realmente interesa al niño o niña,ayudándole a que encuentre respuesta a las preguntas que él o ella se plantea.Por ese motivo, SaberMás proyecta estar al lado de los niños que necesitan una motivación extra para entender la escuela y fluir en ella,y también al lado de aquellos a quienes la curiosidad y las ganas de saber les lleva más allá.
\subsection{Cada uno va a su ritmo, y cada cual pone sus límites}\label{ID_30}
\subsection{Aprendemos todos de todos}\label{ID_31}
\subsection{Valoramos lo que hemos aprendido}\label{ID_33}
\subsection{SaberMás trabaja con, desde y para la motivación}\label{ID_28}
\subsection{Trabajamos en equipo en nuestros proyectos }\label{ID_32}

View File

@ -0,0 +1,120 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">SaberMás</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Utilización de medios de expresión artística, digitales y analógicos</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Precio también limitado: 100-120?</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Talleres temáticos</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Naturaleza</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Animales, Plantas, Piedras</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Arqueología</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Energía</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Astronomía</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Arquitectura</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Cocina</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Poesía</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Culturas Antiguas</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Egipto, Grecia, China...</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Paleontología</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Duración limitada: 5-6 semanas</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Niños y niñas que quieren saber más</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Alternativa a otras actividades de ocio</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Uso de la tecnología durante todo el proceso de aprendizaje</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas </text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Trabajo basado en la experimentación y en la investigación</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">De 8 a 12 años, sin separación por edades</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Máximo 10/1 por taller</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Actividades centradas en el contexto cercano</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Complementamos el trabajo de la escuela</text:h>
<text:p text:style-name="Standard">Todos los contenidos de los talleres están relacionados con el currículo de la enseñanza básica.</text:p>
<text:p text:style-name="Standard">A diferencia de la práctica tradicional, pretendemos ahondar en el conocimiento partiendo de lo que realmente interesa al niño o niña,</text:p>
<text:p text:style-name="Standard">ayudándole a que encuentre respuesta a las preguntas que él o ella se plantea.</text:p>
<text:p text:style-name="Standard"/>
<text:p text:style-name="Standard">Por ese motivo, SaberMás proyecta estar al lado de los niños que necesitan una motivación extra para entender la escuela y fluir en ella,</text:p>
<text:p text:style-name="Standard">y también al lado de aquellos a quienes la curiosidad y las ganas de saber les lleva más allá.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Cada uno va a su ritmo, y cada cual pone sus límites</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Aprendemos todos de todos</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Valoramos lo que hemos aprendido</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">SaberMás trabaja con, desde y para la motivación</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Trabajamos en equipo en nuestros proyectos </text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,52 @@
WiseMapping Export
1 SaberMás
1.1 Utilización de medios de expresión artística, digitales y analógicos
1.2 Precio también limitado: 100-120?
1.3 Talleres temáticos
1.3.1 Naturaleza
1.3.1.1 Animales, Plantas, Piedras
1.3.2 Arqueología
1.3.3 Energía
1.3.4 Astronomía
1.3.5 Arquitectura
1.3.6 Cocina
1.3.7 Poesía
1.3.8 Culturas Antiguas
1.3.8.1 Egipto, Grecia, China...
1.3.9 Paleontología
1.4 Duración limitada: 5-6 semanas
1.5 Niños y niñas que quieren saber más
1.6 Alternativa a otras actividades de ocio
1.7 Uso de la tecnología durante todo el proceso de aprendizaje
1.8 Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas
1.9 Trabajo basado en la experimentación y en la investigación
1.10 De 8 a 12 años, sin separación por edades
1.11 Máximo 10/1 por taller
1.12 Actividades centradas en el contexto cercano
1.13 Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)
1.14 Complementamos el trabajo de la escuela
Todos los contenidos de los talleres están relacionados con el currículo de la enseñanza básica.
A diferencia de la práctica tradicional, pretendemos ahondar en el conocimiento partiendo de lo que realmente interesa al niño o niña,
ayudándole a que encuentre respuesta a las preguntas que él o ella se plantea.
Por ese motivo, SaberMás proyecta estar al lado de los niños que necesitan una motivación extra para entender la escuela y fluir en ella,
y también al lado de aquellos a quienes la curiosidad y las ganas de saber les lleva más allá.
1.14.1 Cada uno va a su ritmo, y cada cual pone sus límites
1.14.2 Aprendemos todos de todos
1.14.3 Valoramos lo que hemos aprendido
1.14.4 SaberMás trabaja con, desde y para la motivación
1.14.5 Trabajamos en equipo en nuestros proyectos

View File

@ -0,0 +1,191 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Excel.Sheet"?><Workbook xmlns:x="urn:schemas-microsoft-com:office:excel" xmlns:ss="urn:schemas-microsoft-com:office:spreadsheet" xmlns:duss="urn:schemas-microsoft-com:office:dummyspreadsheet" xmlns:o="urn:schemas-microsoft-com:office:office" xmlns="urn:schemas-microsoft-com:office:spreadsheet">
<Styles>
<Style ss:ID="s16" ss:Name="attribute_cell">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
</Style>
<Style ss:ID="s17" ss:Name="attribute_header">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
<Font ss:Bold="1"/>
</Style>
</Styles>
<Worksheet ss:Name="FreeMind Sheet">
<Table>
<Row>
<Cell ss:Index="1">
<Data ss:Type="String">SaberMás</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Utilización de medios de expresión artística, digitales y analógicos</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Precio también limitado: 100-120?</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Talleres temáticos</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Naturaleza</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Animales, Plantas, Piedras</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Arqueología</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Energía</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Astronomía</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Arquitectura</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Cocina</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Poesía</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Culturas Antiguas</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Egipto, Grecia, China...</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Paleontología</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Duración limitada: 5-6 semanas</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Niños y niñas que quieren saber más</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Alternativa a otras actividades de ocio</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Uso de la tecnología durante todo el proceso de aprendizaje</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Estructura PBL: aprendemos cuando buscamos respuestas a nuestras propias preguntas </Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Trabajo basado en la experimentación y en la investigación</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">De 8 a 12 años, sin separación por edades</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Máximo 10/1 por taller</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Actividades centradas en el contexto cercano</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Flexibilidad en el uso de las lenguas de trabajo (inglés, castellano, esukara?)</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Complementamos el trabajo de la escuela</Data>
<Comment>
<ss:Data xmlns="http://www.w3.org/TR/REC-html40">
<p>Todos los contenidos de los talleres están relacionados con el currículo de la enseñanza básica.</p>
<p>A diferencia de la práctica tradicional, pretendemos ahondar en el conocimiento partiendo de lo que realmente interesa al niño o niña,</p>
<p>ayudándole a que encuentre respuesta a las preguntas que él o ella se plantea.</p>
<p/>
<p>Por ese motivo, SaberMás proyecta estar al lado de los niños que necesitan una motivación extra para entender la escuela y fluir en ella,</p>
<p>y también al lado de aquellos a quienes la curiosidad y las ganas de saber les lleva más allá.</p>
</ss:Data>
</Comment>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Cada uno va a su ritmo, y cada cual pone sus límites</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Aprendemos todos de todos</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Valoramos lo que hemos aprendido</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">SaberMás trabaja con, desde y para la motivación</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Trabajamos en equipo en nuestros proyectos </Data>
</Cell>
</Row>
</Table>
</Worksheet>
</Workbook>

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,391 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">Indicator needs</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Which new measures</text:h>
<text:p text:style-name="Standard">Identifying new measures or investments that should be implemented.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Landscape of measures</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Diversity index of innovation support instruments in the region</text:h>
<text:p text:style-name="Standard">Number of different innovations policy instruments existing in the region as a share of a total number representing a full typology of instruments</text:p>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Existing investments in measures</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">What other regions do differently</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Balance of measure index</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Profile comparison with other regions</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Number of specific types of measures per capita</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">How to design &amp; implement measures</text:h>
<text:p text:style-name="Standard">Understanding how to design the details of a particular measure and how to implement them.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Good practices</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Diagnostics</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Internal business innovation factors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Return on investment to innovation</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Firm's turnover from (new to firm)product innovation (as a pecentage of total turnover)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the probability to innovate linked to ICT use(in product innovation, process innovation, organisational innovaton, marketing innovation)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Scientific articles by type of collaboration (per capita)(international co-authoriship, domestic co-authoriship, single author)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in a share of expenditures on technologicalinnovations in the total amount of regional firms expenditures, %</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of innovative companies with in-house R&amp;D</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in th number of innovative companies without in-house R&amp;D</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in th number of firms withinternational/national collaboration on innovation</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Highly cited scientific articles (as a percentage ofhighly cited scientific article in the whole Federation)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Patents filed by public research organisations(as a percentafe of patent application filed under PCT)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of international patents</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Start-up activity (as a percentage of start-up activity in the whole Federation)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of innovative companies to the number of students </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of innovative companies to the number of researchers </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Volume of license agreements to the volume of R&amp;D support from the regional budget </text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">How much effort: where &amp; how</text:h>
<text:p text:style-name="Standard">Understanding the level of effort the region needs to take to compete on innovation and where to put this effort</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">The bottom-line</text:h>
<text:p text:style-name="Standard">This is what policy makers care about in the end</text:p>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Wages</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Dynamics of real wages</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Average wage (compare to the Fed)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Productivity</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Labor productivity</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Labor productivity growth rate</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Jobs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of high-productive jobs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of creative industries jobs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Uneployment rate of university graduates</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Income</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">GRP per capita and its growth rate</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Influencing factors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Economy</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Economic structure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Volume of manufacturing production per capita </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Manufacturing value added per capita (non-natural resource-based)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">The enabling environment</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Ease of doing business</text:h>
<text:p text:style-name="Standard">WB</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Level of administrative barriers (number and cost of administrative procedures) </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Competition index</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Workforce</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Quality of education</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Inrease in the number of International students</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Quantity of education</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Participation in life-long learning</text:h>
<text:p text:style-name="Standard">per 100 population aged 25-64</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Increase in literarecy </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of university and colleaguestudents per 10 thousands population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of employees with higher education inthe total amount of population at the working age</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Increase in University students</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Government expenditure on General University Funding</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Access to training, information, and consulting support </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Science &amp; engineering workforce</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Availability of scientists and engineers</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of researches per 10 thousands population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Average wage of researches per average wage in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of researchers in the total number of employees in the region</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Government</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Total expenditure of general government as a percentage of GDP</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Government expenditure on Economic Development</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Access to finance</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Deals</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Venture capital investments for start-ups as a percentage of GDP</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amounts of business angel, pre-seed, seed and venture financing</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of public co-funding of business R&amp;D</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of startups received venture financing </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of companies received equity investments </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Available</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of matching grants available in the region for business R&amp;D</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of Business Angels</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">ICT</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">ICT use</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Broadband penetration </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Internet penetration</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Computer literacy </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Behavior of innovation actors</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Access to markets</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">FDI</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">foreign JVs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Inflow of foreign direct investments in high-technology industries</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Foreign direct investment jobs</text:h>
<text:p text:style-name="Standard">: the percentage of the workforce employed by foreign companies [%].</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">FDI as a share of regional non natural resource-based GRP </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of foreign subsidiaries operating in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of foreign controlled enterprises</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Exports</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Export intensity in manufacturing and services</text:h>
<text:p text:style-name="Standard">: exports as a share of total output in manufacturing and services [%].</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of high-technology export in the total volumeof production of goods, works and services</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of innovation production/serivces that goes for export,by zones (EU, US, CIS, other countries</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of high-technology products in government procurements</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Entrepreneurship culture</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Fear of failure rate</text:h>
<text:p text:style-name="Standard">GEM</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Entrepreneurship as desirable career choice</text:h>
<text:p text:style-name="Standard">GEM</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">High Status Successful Entrepreneurship</text:h>
<text:p text:style-name="Standard">GEM</text:p>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Collaboration &amp; partnerships</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of business contracts with foreign partners for R&amp;D collaboration</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of R&amp;D financed from foreign sources</text:h>
<text:p text:style-name="Standard">UNESCO</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Firms collaborating on innovation with organizations in other countries</text:h>
<text:p text:style-name="Standard">CIS</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of Innovative companies collaboratingwith research institutions on innovation</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of joint projects conducted by the local comapniesand local consulting/intermediary agencies</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">science and industry links</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Technology absorption</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Local supplier quality</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of expenditures on technological innovationsin the amount of sales</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of purchased new technologies</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Investments in ICT by asset (IT equipment,communication equipment, software)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Machinery and equipment</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Software and databases</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Level of energy efficiency of the regional economy(can be measured by sectors and for the whole region)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of wastes in the total volume of production (by sector)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Innovation activities in firms</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of innovative companies</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Business R&amp;D expenditures per GRP</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Factors hampering innovation</text:h>
<text:p text:style-name="Standard">CIS, BEEPS</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Expenditure on innovation by firm size</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">R&amp;D and other intellectl property products</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Growth of the number of innovative companies </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Outpus</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of new to Russian market production per GRP</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of new to world market production per total production</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Growth of the volume of production of innovative companies </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of innovation production per capita </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Entrepreneurial activities</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">New business density</text:h>
<text:p text:style-name="Standard">Number of new organizations per thousand working age population (WBI)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Volume of newly registered corporations </text:h>
<text:p text:style-name="Standard">(as a percentage of all registered corporations)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of gazelle companies in the total number of businesses</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">R&amp;D production</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Outputs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of domestically protected intellectualproperty per 1 mln. population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of PCT-applications per 1 mln. population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of domestic patent applications per R&amp;D expenditures</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of intellectual property exploited by regionalenterprises per 1 mln. population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Publication activity of regional scientists and researches</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Inputs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Regional and local budget expenditures on R&amp;D</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Government R&amp;D expenditure </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Public sector innovation</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of advanced ICT introduced in the budgetary organizations(regional power, municipal bodies, social and educational organizations)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">E-government index</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of management innovations introduced in the budgetary organizations(regional power, municipal bodies, social and educational organizations)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Supporting organizations</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Research institutions</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Collaboration</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of interactions between universitiesand large companies by university size</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Resources</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">R&amp;D expenditures per 1 researcher</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Average wage of researches per average wage in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">High education expenditure on R&amp;D</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Scientific outputs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Publications</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Impact of publications in the ISI database (h-index)</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Number of publications in international journals per worker per year</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Publications: Academic articles in international peer-reviewedjournals per 1,000 researchers [articles/1,000 researchers].</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of foreign patents granted per staff</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Supportive measures</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Diversity index of university entrepreneurship support measures</text:h>
<text:p text:style-name="Standard">Number of measures offered by the unversity within a preset range (NCET2 survey)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Commercialization</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Licensing</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Academic licenses: Number of licensesper 1,000 researchers.[licenses/researcher]</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Spin-offs</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Number of spin-offs with external private financingas a share of the institution's R&amp;D budget</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Industry contracts</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Industry revenue per staff </text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Foreign contracts: Number of contracts with foreign industrial companies at scientific and educational organizationsper 1,000 researchers [contracts/researchers]</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Share of industry income from foreign companies</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Revenue raised from industry R&amp;D as a fractionof total institutional budget (up to a cap)</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Difficulties faced by research organization in collaborating with SMEs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Private market</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of innovation &amp; IP services organizations</text:h>
<text:p text:style-name="Standard">(design firms, IP consultants, etc.)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of private innovation infrastructure organizations </text:h>
<text:p text:style-name="Standard">(e.g. accelerators, incubators)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Access to certification and licensing for specific activities </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Access to suppliers of equipment, production and engineering services </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Investments</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Public investment in innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Increase of government investment in innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6"> Number of Development institution projects performed in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of seed investments by the regional budget </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of venture financing from the regional budget </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Volume of state support per one company </text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">What to do about existing measures</text:h>
<text:p text:style-name="Standard">Understanding which measures should be strengthened, dropped or improved, and how.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Demand for measure</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Quality of beneficiaries</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth rates of employment in supported innovative firms</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth rates of employment in supported innovative firms</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Role of IP for tenants/clients</text:h>
<text:p text:style-name="Standard">WIPO SURVEY OF INTELLECTUAL PROPERTY SERVICES OF</text:p>
<text:p text:style-name="Standard">EUROPEAN TECHNOLOGY INCUBATORS</text:p>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of tenants with innovation activities</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Gazelle tenant: Share of tenants withannual revenue growth of more than 20%for each of the past four years or since formation [%]</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Globalization of tenants: Median share of tenantrevenues obtained from exports [%]</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Number of beneficiaries</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of projects conducted by companies in cooperation with innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Scope and intensity of use of services offered to firms</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of companies supported by the infrastructure (training, information, consultations, etc.)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of business applying for public support programmes (regional, federal, international) </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Degree of access</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Level of awareness</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Perception (opinion poll) of business managersregarding public support programmes</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Transparency</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Perception of business managers in termsof level of transparency of support measures in the region</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Description by regional business managers of the way theselect and apply for regional and federal support schemes</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Number of applicants</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of business applying for public support programmes</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of companies that know about a particular program</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of start-ups applying to receive VC investments</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of start-ups applying for a place in the incubators</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Inputs of measures</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Qualified staff</text:h>
<text:p text:style-name="Standard">JL: not sure how this would be measured</text:p>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Budget per beneficiary</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Performance of measure</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Implementation of measure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Target vs. actual KPIs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Intermediate outputs per budget</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Qualification of staff</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Output of measure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Opinion surveys</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Opinions of beneficiaries</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Hard metrics</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Output per headcount (e.g. staff, researchers)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Productivity analysis</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Impact of measure</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Opinion surveys</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Perception of support impact (opinion polls)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Perception of the activity of regional government by the regional companies </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Hard metrics</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in number of small innovation enterprises </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the total volume of salary in the supported companies (excluding inflation) </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of regional taxes paid by the supported companies </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of export at the supported companies </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of new products/projects at the companies that received support </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Impact assessment </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Average leverage of 1rub (there would beseveral programs with different leverage)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Volume of attracted money per one rubleof regional budget expenditures on innovation projects</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">What investments in innovative projects</text:h>
<text:p text:style-name="Standard">Understanding what investments should be made in innovative projects.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Competitive niches</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Clusters behavior</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Cluster EU star rating</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of value added of cluster enterprises in GRP</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of cluster products in the relevant world market segment </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of export in cluster total volume of sales</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of production in the cluster companies</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of production in the cluster companiesto the volume of state support for the cluster</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of innovation production in the cluster</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of export in cluster total volume of sales (by zones: US, EU, CIS, other countries) </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Internal behavior</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Median wage in the cluster</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Growth of the volume of R&amp;D in the cluster</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Cluster collaboration</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">R&amp;D</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Patent map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Publications map</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Industry</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">FDI map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Gazelle map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Business R&amp;D expenditures as a share of revenues by sector</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of regional products in the world market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Expenditure on innovation by firm size, by sector </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Entrepreneurship</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Startup map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Venture investment map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Attractiveness to public competitive funding</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Fed and regional seed fund investments</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">FASIE projects: Number of projects supportedby the FASIE per 1,000 workers [awards/worker]</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Competitiveness support factors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Private investment in innovation</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">How to improve image</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Rankings</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">macro indicators</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">meso-indicators</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Innovation investment climate</text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,438 @@
\chapter{Indicator needs}\label{ID_1}
\section{Which new measures}\label{ID_5}Identifying new measures or investments that should be implemented.
\subsection{Landscape of measures}\label{ID_56}
\subsubsection{Diversity index of innovation support instruments in the region}\label{ID_45}Number of different innovations policy instruments existing in the region as a share of a total number representing a full typology of instruments
\subsubsection{Existing investments in measures}\label{ID_57}
\subsection{What other regions do differently}\label{ID_38}
\subsubsection{Balance of measure index}\label{ID_46}
\subsubsection{Profile comparison with other regions}\label{ID_77}
\subsubsection{Number of specific types of measures per capita}\label{ID_112}
\section{How to design &amp; implement measures}\label{ID_6}Understanding how to design the details of a particular measure and how to implement them.
\subsection{Good practices}\label{ID_41}
\subsection{Diagnostics}\label{ID_80}
\subsubsection{Internal business innovation factors}\label{ID_81}
\subsubsection{Return on investment to innovation}\label{ID_359}\begin{itemize}
\item \label{ID_360}Firm's turnover from (new to firm)product innovation (as a pecentage of total turnover)\par
\item \label{ID_361}Increase in the probability to innovate linked to ICT use(in product innovation, process innovation, organisational innovaton, marketing innovation)\par
\item \label{ID_362}Scientific articles by type of collaboration (per capita)(international co-authoriship, domestic co-authoriship, single author)\par
\item \label{ID_363}Increase in a share of expenditures on technologicalinnovations in the total amount of regional firms expenditures, %\par
\item \label{ID_364}Increase in the number of innovative companies with in-house R&amp;D\par
\item \label{ID_365}Increase in th number of innovative companies without in-house R&amp;D\par
\item \label{ID_366}Increase in th number of firms withinternational/national collaboration on innovation\par
\item \label{ID_367}Highly cited scientific articles (as a percentage ofhighly cited scientific article in the whole Federation)\par
\item \label{ID_368}Patents filed by public research organisations(as a percentafe of patent application filed under PCT)\par
\item \label{ID_369}Number of international patents\par
\item \label{ID_370}Start-up activity (as a percentage of start-up activity in the whole Federation)\par
\item \label{ID_393}Number of innovative companies to the number of students \par
\item \label{ID_394}Number of innovative companies to the number of researchers \par
\item \label{ID_400}Volume of license agreements to the volume of R&amp;D support from the regional budget \par
\end{itemize}
\section{How much effort: where &amp; how}\label{ID_2}Understanding the level of effort the region needs to take to compete on innovation and where to put this effort
\subsection{The bottom-line}\label{ID_3}This is what policy makers care about in the end
\subsubsection{Wages}\label{ID_15}\begin{itemize}
\item \label{ID_12}Dynamics of real wages\par
\item \label{ID_14}Average wage (compare to the Fed)\par
\end{itemize}
\subsubsection{Productivity}\label{ID_86}\begin{itemize}
\item \label{ID_190}Labor productivity\par
\item \label{ID_191}Labor productivity growth rate\par
\end{itemize}
\subsubsection{Jobs}\label{ID_87}\begin{itemize}
\item \label{ID_13}Share of high-productive jobs\par
\item \label{ID_88}Share of creative industries jobs\par
\item \label{ID_336}Uneployment rate of university graduates\par
\end{itemize}
\subsubsection{Income}\label{ID_89}GRP per capita and its growth rate\par
\subsection{Influencing factors}\label{ID_8}
\subsubsection{Economy}\label{ID_55}\begin{itemize}
\item \label{ID_166}Economic structure\par
\item \label{ID_395}Volume of manufacturing production per capita \par
\item \label{ID_396}Manufacturing value added per capita (non-natural resource-based)\par
\end{itemize}
\subsubsection{The enabling environment}\label{ID_9}\begin{itemize}
\item \label{ID_16}Ease of doing business\par
Level of administrative barriers (number and cost of administrative procedures) \par
WB\item \label{ID_18}Competition index\par
GCR\item \label{ID_120}Workforce\par
\begin{itemize}
\item \label{ID_19}Quality of education\par
Inrease in the number of International students\par
GCR\item \label{ID_121}Quantity of education\par
\begin{itemize}
\item \label{ID_122}Participation in life-long learning\par
per 100 population aged 25-64\item \label{ID_333}Increase in literarecy \par
\item \label{ID_188}Amount of university and colleaguestudents per 10 thousands population\par
\item \label{ID_276}Share of employees with higher education inthe total amount of population at the working age\par
\item \label{ID_332}Increase in University students\par
\item \label{ID_351}Government expenditure on General University Funding\par
\item \label{ID_409}Access to training, information, and consulting support \par
\end{itemize}
\item \label{ID_285}Science &amp; engineering workforce\par
\begin{itemize}
\item \label{ID_147}Availability of scientists and engineers\par
GCR\item \label{ID_189}Amount of researches per 10 thousands population\par
\item \label{ID_284}Average wage of researches per average wage in the region\par
\item \label{ID_286}Share of researchers in the total number of employees in the region\par
\end{itemize}
\end{itemize}
\item \label{ID_132}Government\par
\begin{itemize}
\item \label{ID_134}Total expenditure of general government as a percentage of GDP\par
\item \label{ID_352}Government expenditure on Economic Development\par
\end{itemize}
\item \label{ID_342}Access to finance\par
\begin{itemize}
\item \label{ID_387}Deals\par
\begin{itemize}
\item \label{ID_345}Venture capital investments for start-ups as a percentage of GDP\par
\item \label{ID_344}Amounts of business angel, pre-seed, seed and venture financing\par
\item \label{ID_348}Amount of public co-funding of business R&amp;D\par
\item \label{ID_385}Number of startups received venture financing \par
\item \label{ID_386}Number of companies received equity investments \par
\end{itemize}
\item \label{ID_388}Available\par
\begin{itemize}
\item \label{ID_347}Amount of matching grants available in the region for business R&amp;D\par
\item \label{ID_346}Number of Business Angels\par
\end{itemize}
\end{itemize}
\item \label{ID_135}ICT\par
\begin{itemize}
\item \label{ID_17}ICT use\par
GCR\item \label{ID_136}Broadband penetration \par
\item \label{ID_334}Internet penetration\par
\item \label{ID_335}Computer literacy \par
\end{itemize}
\end{itemize}
\subsubsection{Behavior of innovation actors}\label{ID_10}\begin{itemize}
\item \label{ID_167}Access to markets\par
\begin{itemize}
\item \label{ID_97}FDI\par
\begin{itemize}
\item \label{ID_96}foreign JVs\par
\item \label{ID_157}Inflow of foreign direct investments in high-technology industries\par
\item \label{ID_158}Foreign direct investment jobs\par
: the percentage of the workforce employed by foreign companies [%].\item \label{ID_159}FDI as a share of regional non natural resource-based GRP \par
\item \label{ID_160}Number of foreign subsidiaries operating in the region\par
\item \label{ID_161}Share of foreign controlled enterprises\par
\end{itemize}
\item \label{ID_168}Exports\par
\begin{itemize}
\item \label{ID_169}Export intensity in manufacturing and services\par
: exports as a share of total output in manufacturing and services [%].\item \label{ID_375}Share of high-technology export in the total volumeof production of goods, works and services\par
\item \label{ID_377}Share of innovation production/serivces that goes for export,by zones (EU, US, CIS, other countries\par
\end{itemize}
\item \label{ID_338}Share of high-technology products in government procurements\par
\end{itemize}
\item \label{ID_34}Entrepreneurship culture\par
\begin{itemize}
\item \label{ID_150}Fear of failure rate\par
GEM\item \label{ID_151}Entrepreneurship as desirable career choice\par
GEM\item \label{ID_152}High Status Successful Entrepreneurship\par
\end{itemize}
GEM\item \label{ID_54}Collaboration &amp; partnerships\par
\begin{itemize}
\item \label{ID_163}Number of business contracts with foreign partners for R&amp;D collaboration\par
\item \label{ID_164}Share of R&amp;D financed from foreign sources\par
UNESCO\item \label{ID_165}Firms collaborating on innovation with organizations in other countries\par
CIS\item \label{ID_173}Share of Innovative companies collaboratingwith research institutions on innovation\par
\item \label{ID_174}Number of joint projects conducted by the local comapniesand local consulting/intermediary agencies\par
\item \label{ID_358}science and industry links\par
\end{itemize}
\item \label{ID_115}Technology absorption\par
\begin{itemize}
\item \label{ID_116}Local supplier quality\par
GCR\item \label{ID_127}Share of expenditures on technological innovationsin the amount of sales\par
\item \label{ID_129}Number of purchased new technologies\par
\item \label{ID_354}Investments in ICT by asset (IT equipment,communication equipment, software)\par
\item \label{ID_355}Machinery and equipment\par
\item \label{ID_356}Software and databases\par
\item \label{ID_373}Level of energy efficiency of the regional economy(can be measured by sectors and for the whole region)\par
\item \label{ID_374}Share of wastes in the total volume of production (by sector)\par
\end{itemize}
\item \label{ID_123}Innovation activities in firms\par
\begin{itemize}
\item \label{ID_35}Share of innovative companies\par
\item \label{ID_128}Business R&amp;D expenditures per GRP\par
\item \label{ID_145}Factors hampering innovation\par
CIS, BEEPS\item \label{ID_350}Expenditure on innovation by firm size\par
\item \label{ID_357}R&amp;D and other intellectl property products\par
\item \label{ID_390}Growth of the number of innovative companies \par
\item \label{ID_398}Outpus\par
\begin{itemize}
\item \label{ID_124}Volume of new to Russian market production per GRP\par
\item \label{ID_376}Volume of new to world market production per total production\par
\item \label{ID_389}Growth of the volume of production of innovative companies \par
\item \label{ID_397}Volume of innovation production per capita \par
\end{itemize}
\end{itemize}
\item \label{ID_148}Entrepreneurial activities\par
\begin{itemize}
\item \label{ID_117}New business density\par
Number of new organizations per thousand working age population (WBI)\item \label{ID_119}Volume of newly registered corporations \par
(as a percentage of all registered corporations)\item \label{ID_170}Share of gazelle companies in the total number of businesses\par
\end{itemize}
\item \label{ID_277}R&amp;D production\par
\begin{itemize}
\item \label{ID_280}Outputs\par
\begin{itemize}
\item \label{ID_279}Amount of domestically protected intellectualproperty per 1 mln. population\par
\item \label{ID_278}Amount of PCT-applications per 1 mln. population\par
\item \label{ID_281}Number of domestic patent applications per R&amp;D expenditures\par
\item \label{ID_282}Number of intellectual property exploited by regionalenterprises per 1 mln. population\par
\item \label{ID_283}Publication activity of regional scientists and researches\par
\end{itemize}
\item \label{ID_340}Inputs\par
\begin{itemize}
\item \label{ID_341}Regional and local budget expenditures on R&amp;D\par
\item \label{ID_349}Government R&amp;D expenditure \par
\end{itemize}
\end{itemize}
\item \label{ID_415}Public sector innovation\par
\begin{itemize}
\item \label{ID_416}Number of advanced ICT introduced in the budgetary organizations(regional power, municipal bodies, social and educational organizations)\par
\item \label{ID_418}E-government index\par
\item \label{ID_419}Number of management innovations introduced in the budgetary organizations(regional power, municipal bodies, social and educational organizations)\par
\end{itemize}
\end{itemize}
\subsubsection{Supporting organizations}\label{ID_113}\begin{itemize}
\item \label{ID_51}Research institutions\par
\begin{itemize}
\item \label{ID_171}Collaboration\par
Number of interactions between universitiesand large companies by university size\par
\item \label{ID_184}Resources\par
\begin{itemize}
\item \label{ID_137}R&amp;D expenditures per 1 researcher\par
\item \label{ID_146}Average wage of researches per average wage in the region\par
\item \label{ID_353}High education expenditure on R&amp;D\par
\end{itemize}
\item \label{ID_185}Scientific outputs\par
\begin{itemize}
\item \label{ID_306}Publications\par
\begin{itemize}
\item \label{ID_304}Impact of publications in the ISI database (h-index)\par
\item \label{ID_186}Number of publications in international journals per worker per year\par
\item \label{ID_303}Publications: Academic articles in international peer-reviewedjournals per 1,000 researchers [articles/1,000 researchers].\par
\end{itemize}
\item \label{ID_187}Number of foreign patents granted per staff\par
\end{itemize}
\item \label{ID_312}Supportive measures\par
Diversity index of university entrepreneurship support measures\par
Number of measures offered by the unversity within a preset range (NCET2 survey)\item \label{ID_299}Commercialization\par
\begin{itemize}
\item \label{ID_308}Licensing\par
Academic licenses: Number of licensesper 1,000 researchers.[licenses/researcher]\par
\item \label{ID_309}Spin-offs\par
Number of spin-offs with external private financingas a share of the institution's R&amp;D budget\par
\item \label{ID_310}Industry contracts\par
\begin{itemize}
\item \label{ID_297}Industry revenue per staff \par
\item \label{ID_305}Foreign contracts: Number of contracts with foreign industrial companies at scientific and educational organizationsper 1,000 researchers [contracts/researchers]\par
\item \label{ID_307}Share of industry income from foreign companies\par
\item \label{ID_90}Revenue raised from industry R&amp;D as a fractionof total institutional budget (up to a cap)\par
\item \label{ID_311}Difficulties faced by research organization in collaborating with SMEs\par
\end{itemize}
\end{itemize}
\end{itemize}
\item \label{ID_153}Private market\par
\begin{itemize}
\item \label{ID_154}Number of innovation &amp; IP services organizations\par
(design firms, IP consultants, etc.)\item \label{ID_155}Number of private innovation infrastructure organizations \par
(e.g. accelerators, incubators)\item \label{ID_410}Access to certification and licensing for specific activities \par
\item \label{ID_411}Access to suppliers of equipment, production and engineering services \par
\end{itemize}
\item \label{ID_114}Innovation infrastructure\par
\begin{itemize}
\item \label{ID_327}Investments\par
\begin{itemize}
\item \label{ID_315}Public investment in innovation infrastructure\par
\item \label{ID_328}Increase of government investment in innovation infrastructure\par
\item \label{ID_339} Number of Development institution projects performed in the region\par
\item \label{ID_391}Volume of seed investments by the regional budget \par
\item \label{ID_392}Volume of venture financing from the regional budget \par
\end{itemize}
\item \label{ID_413}Volume of state support per one company \par
\end{itemize}
\end{itemize}
\section{What to do about existing measures}\label{ID_4}Understanding which measures should be strengthened, dropped or improved, and how.
\subsection{Demand for measure}\label{ID_42}
\subsubsection{Quality of beneficiaries}\label{ID_50}\begin{itemize}
\item \label{ID_292}Growth rates of employment in supported innovative firms\par
\item \label{ID_293}Growth rates of employment in supported innovative firms\par
\item \label{ID_323}Role of IP for tenants/clients\par
WIPO SURVEY OF INTELLECTUAL PROPERTY SERVICES OFEUROPEAN TECHNOLOGY INCUBATORS\item \label{ID_326}Share of tenants with innovation activities\par
\item \label{ID_329}Gazelle tenant: Share of tenants withannual revenue growth of more than 20%for each of the past four years or since formation [%]\par
\item \label{ID_330}Globalization of tenants: Median share of tenantrevenues obtained from exports [%]\par
\end{itemize}
\subsubsection{Number of beneficiaries}\label{ID_78}\begin{itemize}
\item \label{ID_383}Number of projects conducted by companies in cooperation with innovation infrastructure\par
\item \label{ID_325}Scope and intensity of use of services offered to firms\par
\item \label{ID_384}Number of companies supported by the infrastructure (training, information, consultations, etc.)\par
\item \label{ID_401}Increase in the number of business applying for public support programmes (regional, federal, international) \par
\end{itemize}
\subsubsection{Degree of access}\label{ID_182}\begin{itemize}
\item \label{ID_52}Level of awareness\par
Perception (opinion poll) of business managersregarding public support programmes\par
\item \label{ID_53}Transparency\par
Perception of business managers in termsof level of transparency of support measures in the region\par
\item \label{ID_183}Description by regional business managers of the way theselect and apply for regional and federal support schemes\par
\end{itemize}
\subsubsection{Number of applicants}\label{ID_176}\begin{itemize}
\item \label{ID_177}Increase in the number of business applying for public support programmes\par
\item \label{ID_178}Number of companies that know about a particular program\par
\item \label{ID_179}Increase in the number of start-ups applying to receive VC investments\par
\item \label{ID_180}Increase in the number of start-ups applying for a place in the incubators\par
\end{itemize}
\subsection{Inputs of measures}\label{ID_109}
\subsubsection{Qualified staff}\label{ID_110}JL: not sure how this would be measured
\subsubsection{Budget per beneficiary}\label{ID_111}
\subsection{Performance of measure}\label{ID_48}
\subsubsection{Implementation of measure}\label{ID_47}\begin{itemize}
\item \label{ID_106}Target vs. actual KPIs\par
\item \label{ID_287}Intermediate outputs per budget\par
\item \label{ID_372}Qualification of staff\par
\end{itemize}
\subsubsection{Output of measure}\label{ID_58}\begin{itemize}
\item \label{ID_101}Opinion surveys\par
Opinions of beneficiaries\par
\item \label{ID_103}Hard metrics\par
\begin{itemize}
\item \label{ID_289}Output per headcount (e.g. staff, researchers)\par
\item \label{ID_288}Productivity analysis\par
\end{itemize}
\end{itemize}
\subsection{Impact of measure}\label{ID_49}
\subsubsection{Opinion surveys}\label{ID_79}\begin{itemize}
\item \label{ID_294}Perception of support impact (opinion polls)\par
\item \label{ID_404}Perception of the activity of regional government by the regional companies \par
\end{itemize}
\subsubsection{Hard metrics}\label{ID_104}\begin{itemize}
\item \label{ID_331}Increase in number of small innovation enterprises \par
\item \label{ID_402}Growth of the total volume of salary in the supported companies (excluding inflation) \par
\item \label{ID_403}Growth of the volume of regional taxes paid by the supported companies \par
\item \label{ID_405}Growth of the volume of export at the supported companies \par
\item \label{ID_406}Number of new products/projects at the companies that received support \par
\end{itemize}
\subsubsection{Impact assessment }\label{ID_290}
\subsubsection{}\label{ID_291}
\subsubsection{}\label{ID_296}
\section{What investments in innovative projects}\label{ID_7}Understanding what investments should be made in innovative projects.
\subsection{Competitive niches}\label{ID_61}
\subsubsection{Clusters behavior}\label{ID_59}\begin{itemize}
\item \label{ID_60}Cluster EU star rating\par
\item \label{ID_318}Share of value added of cluster enterprises in GRP\par
\item \label{ID_320}Share of cluster products in the relevant world market segment \par
\item \label{ID_321}Share of export in cluster total volume of sales\par
\item \label{ID_379}Growth of the volume of production in the cluster companies\par
\item \label{ID_380}Growth of the volume of production in the cluster companiesto the volume of state support for the cluster\par
\item \label{ID_381}Growth of the volume of innovation production in the cluster\par
\item \label{ID_407}Share of export in cluster total volume of sales (by zones: US, EU, CIS, other countries) \par
\item \label{ID_408}Internal behavior\par
\begin{itemize}
\item \label{ID_319}Median wage in the cluster\par
\item \label{ID_382}Growth of the volume of R&amp;D in the cluster\par
\item \label{ID_108}Cluster collaboration\par
\end{itemize}
\end{itemize}
\subsubsection{R&amp;D}\label{ID_66}\begin{itemize}
\item \label{ID_65}Patent map\par
\item \label{ID_371}Publications map\par
\end{itemize}
\subsubsection{Industry}\label{ID_67}\begin{itemize}
\item \label{ID_63}FDI map\par
\item \label{ID_62}Gazelle map\par
\item \label{ID_131}Business R&amp;D expenditures as a share of revenues by sector\par
\item \label{ID_378}Share of regional products in the world market\par
\item \label{ID_414}Expenditure on innovation by firm size, by sector \par
\end{itemize}
\subsubsection{Entrepreneurship}\label{ID_72}\begin{itemize}
\item \label{ID_73}Startup map\par
\item \label{ID_74}Venture investment map\par
\item \label{ID_317}Attractiveness to public competitive funding\par
\begin{itemize}
\item \label{ID_316}Fed and regional seed fund investments\par
\item \label{ID_314}FASIE projects: Number of projects supportedby the FASIE per 1,000 workers [awards/worker]\par
\end{itemize}
\end{itemize}
\subsection{Competitiveness support factors}\label{ID_64}
\subsubsection{Private investment in innovation}\label{ID_68}
\section{How to improve image}\label{ID_69}
\subsection{Rankings}\label{ID_75}
\subsubsection{macro indicators}\label{ID_70}
\subsubsection{meso-indicators}\label{ID_71}
\subsection{Innovation investment climate}\label{ID_76}

View File

@ -0,0 +1,391 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">Indicator needs</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Which new measures</text:h>
<text:p text:style-name="Standard">Identifying new measures or investments that should be implemented.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Landscape of measures</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Diversity index of innovation support instruments in the region</text:h>
<text:p text:style-name="Standard">Number of different innovations policy instruments existing in the region as a share of a total number representing a full typology of instruments</text:p>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Existing investments in measures</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">What other regions do differently</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Balance of measure index</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Profile comparison with other regions</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Number of specific types of measures per capita</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">How to design &amp; implement measures</text:h>
<text:p text:style-name="Standard">Understanding how to design the details of a particular measure and how to implement them.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Good practices</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Diagnostics</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Internal business innovation factors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Return on investment to innovation</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Firm's turnover from (new to firm)product innovation (as a pecentage of total turnover)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the probability to innovate linked to ICT use(in product innovation, process innovation, organisational innovaton, marketing innovation)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Scientific articles by type of collaboration (per capita)(international co-authoriship, domestic co-authoriship, single author)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in a share of expenditures on technologicalinnovations in the total amount of regional firms expenditures, %</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of innovative companies with in-house R&amp;D</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in th number of innovative companies without in-house R&amp;D</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in th number of firms withinternational/national collaboration on innovation</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Highly cited scientific articles (as a percentage ofhighly cited scientific article in the whole Federation)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Patents filed by public research organisations(as a percentafe of patent application filed under PCT)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of international patents</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Start-up activity (as a percentage of start-up activity in the whole Federation)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of innovative companies to the number of students </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of innovative companies to the number of researchers </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Volume of license agreements to the volume of R&amp;D support from the regional budget </text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">How much effort: where &amp; how</text:h>
<text:p text:style-name="Standard">Understanding the level of effort the region needs to take to compete on innovation and where to put this effort</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">The bottom-line</text:h>
<text:p text:style-name="Standard">This is what policy makers care about in the end</text:p>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Wages</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Dynamics of real wages</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Average wage (compare to the Fed)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Productivity</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Labor productivity</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Labor productivity growth rate</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Jobs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of high-productive jobs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of creative industries jobs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Uneployment rate of university graduates</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Income</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">GRP per capita and its growth rate</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Influencing factors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Economy</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Economic structure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Volume of manufacturing production per capita </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Manufacturing value added per capita (non-natural resource-based)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">The enabling environment</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Ease of doing business</text:h>
<text:p text:style-name="Standard">WB</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Level of administrative barriers (number and cost of administrative procedures) </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Competition index</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Workforce</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Quality of education</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Inrease in the number of International students</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Quantity of education</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Participation in life-long learning</text:h>
<text:p text:style-name="Standard">per 100 population aged 25-64</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Increase in literarecy </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of university and colleaguestudents per 10 thousands population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of employees with higher education inthe total amount of population at the working age</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Increase in University students</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Government expenditure on General University Funding</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Access to training, information, and consulting support </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Science &amp; engineering workforce</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Availability of scientists and engineers</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of researches per 10 thousands population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Average wage of researches per average wage in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of researchers in the total number of employees in the region</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Government</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Total expenditure of general government as a percentage of GDP</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Government expenditure on Economic Development</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Access to finance</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Deals</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Venture capital investments for start-ups as a percentage of GDP</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amounts of business angel, pre-seed, seed and venture financing</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of public co-funding of business R&amp;D</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of startups received venture financing </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of companies received equity investments </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Available</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of matching grants available in the region for business R&amp;D</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of Business Angels</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">ICT</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">ICT use</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Broadband penetration </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Internet penetration</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Computer literacy </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Behavior of innovation actors</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Access to markets</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">FDI</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">foreign JVs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Inflow of foreign direct investments in high-technology industries</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Foreign direct investment jobs</text:h>
<text:p text:style-name="Standard">: the percentage of the workforce employed by foreign companies [%].</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">FDI as a share of regional non natural resource-based GRP </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of foreign subsidiaries operating in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of foreign controlled enterprises</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Exports</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Export intensity in manufacturing and services</text:h>
<text:p text:style-name="Standard">: exports as a share of total output in manufacturing and services [%].</text:p>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of high-technology export in the total volumeof production of goods, works and services</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Share of innovation production/serivces that goes for export,by zones (EU, US, CIS, other countries</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of high-technology products in government procurements</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Entrepreneurship culture</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Fear of failure rate</text:h>
<text:p text:style-name="Standard">GEM</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Entrepreneurship as desirable career choice</text:h>
<text:p text:style-name="Standard">GEM</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">High Status Successful Entrepreneurship</text:h>
<text:p text:style-name="Standard">GEM</text:p>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Collaboration &amp; partnerships</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of business contracts with foreign partners for R&amp;D collaboration</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of R&amp;D financed from foreign sources</text:h>
<text:p text:style-name="Standard">UNESCO</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Firms collaborating on innovation with organizations in other countries</text:h>
<text:p text:style-name="Standard">CIS</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of Innovative companies collaboratingwith research institutions on innovation</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of joint projects conducted by the local comapniesand local consulting/intermediary agencies</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">science and industry links</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Technology absorption</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Local supplier quality</text:h>
<text:p text:style-name="Standard">GCR</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of expenditures on technological innovationsin the amount of sales</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of purchased new technologies</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Investments in ICT by asset (IT equipment,communication equipment, software)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Machinery and equipment</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Software and databases</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Level of energy efficiency of the regional economy(can be measured by sectors and for the whole region)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of wastes in the total volume of production (by sector)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Innovation activities in firms</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of innovative companies</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Business R&amp;D expenditures per GRP</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Factors hampering innovation</text:h>
<text:p text:style-name="Standard">CIS, BEEPS</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Expenditure on innovation by firm size</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">R&amp;D and other intellectl property products</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Growth of the number of innovative companies </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Outpus</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of new to Russian market production per GRP</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of new to world market production per total production</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Growth of the volume of production of innovative companies </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of innovation production per capita </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Entrepreneurial activities</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">New business density</text:h>
<text:p text:style-name="Standard">Number of new organizations per thousand working age population (WBI)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Volume of newly registered corporations </text:h>
<text:p text:style-name="Standard">(as a percentage of all registered corporations)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Share of gazelle companies in the total number of businesses</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">R&amp;D production</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Outputs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of domestically protected intellectualproperty per 1 mln. population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Amount of PCT-applications per 1 mln. population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of domestic patent applications per R&amp;D expenditures</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of intellectual property exploited by regionalenterprises per 1 mln. population</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Publication activity of regional scientists and researches</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Inputs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Regional and local budget expenditures on R&amp;D</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Government R&amp;D expenditure </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Public sector innovation</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of advanced ICT introduced in the budgetary organizations(regional power, municipal bodies, social and educational organizations)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">E-government index</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of management innovations introduced in the budgetary organizations(regional power, municipal bodies, social and educational organizations)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Supporting organizations</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Research institutions</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Collaboration</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of interactions between universitiesand large companies by university size</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Resources</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">R&amp;D expenditures per 1 researcher</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Average wage of researches per average wage in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">High education expenditure on R&amp;D</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Scientific outputs</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Publications</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Impact of publications in the ISI database (h-index)</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Number of publications in international journals per worker per year</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Publications: Academic articles in international peer-reviewedjournals per 1,000 researchers [articles/1,000 researchers].</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Number of foreign patents granted per staff</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Supportive measures</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Diversity index of university entrepreneurship support measures</text:h>
<text:p text:style-name="Standard">Number of measures offered by the unversity within a preset range (NCET2 survey)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Commercialization</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Licensing</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Academic licenses: Number of licensesper 1,000 researchers.[licenses/researcher]</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Spin-offs</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Number of spin-offs with external private financingas a share of the institution's R&amp;D budget</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Industry contracts</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Industry revenue per staff </text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Foreign contracts: Number of contracts with foreign industrial companies at scientific and educational organizationsper 1,000 researchers [contracts/researchers]</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Share of industry income from foreign companies</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Revenue raised from industry R&amp;D as a fractionof total institutional budget (up to a cap)</text:h>
<text:h text:style-name="Heading_20_7" text:outline-level="7">Difficulties faced by research organization in collaborating with SMEs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Private market</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of innovation &amp; IP services organizations</text:h>
<text:p text:style-name="Standard">(design firms, IP consultants, etc.)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Number of private innovation infrastructure organizations </text:h>
<text:p text:style-name="Standard">(e.g. accelerators, incubators)</text:p>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Access to certification and licensing for specific activities </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Access to suppliers of equipment, production and engineering services </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Investments</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Public investment in innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Increase of government investment in innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6"> Number of Development institution projects performed in the region</text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of seed investments by the regional budget </text:h>
<text:h text:style-name="Heading_20_6" text:outline-level="6">Volume of venture financing from the regional budget </text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Volume of state support per one company </text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">What to do about existing measures</text:h>
<text:p text:style-name="Standard">Understanding which measures should be strengthened, dropped or improved, and how.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Demand for measure</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Quality of beneficiaries</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth rates of employment in supported innovative firms</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth rates of employment in supported innovative firms</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Role of IP for tenants/clients</text:h>
<text:p text:style-name="Standard">WIPO SURVEY OF INTELLECTUAL PROPERTY SERVICES OF</text:p>
<text:p text:style-name="Standard">EUROPEAN TECHNOLOGY INCUBATORS</text:p>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of tenants with innovation activities</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Gazelle tenant: Share of tenants withannual revenue growth of more than 20%for each of the past four years or since formation [%]</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Globalization of tenants: Median share of tenantrevenues obtained from exports [%]</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Number of beneficiaries</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of projects conducted by companies in cooperation with innovation infrastructure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Scope and intensity of use of services offered to firms</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of companies supported by the infrastructure (training, information, consultations, etc.)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of business applying for public support programmes (regional, federal, international) </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Degree of access</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Level of awareness</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Perception (opinion poll) of business managersregarding public support programmes</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Transparency</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Perception of business managers in termsof level of transparency of support measures in the region</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Description by regional business managers of the way theselect and apply for regional and federal support schemes</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Number of applicants</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of business applying for public support programmes</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of companies that know about a particular program</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of start-ups applying to receive VC investments</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in the number of start-ups applying for a place in the incubators</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Inputs of measures</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Qualified staff</text:h>
<text:p text:style-name="Standard">JL: not sure how this would be measured</text:p>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Budget per beneficiary</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Performance of measure</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Implementation of measure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Target vs. actual KPIs</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Intermediate outputs per budget</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Qualification of staff</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Output of measure</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Opinion surveys</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Opinions of beneficiaries</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Hard metrics</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Output per headcount (e.g. staff, researchers)</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Productivity analysis</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Impact of measure</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Opinion surveys</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Perception of support impact (opinion polls)</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Perception of the activity of regional government by the regional companies </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Hard metrics</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Increase in number of small innovation enterprises </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the total volume of salary in the supported companies (excluding inflation) </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of regional taxes paid by the supported companies </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of export at the supported companies </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Number of new products/projects at the companies that received support </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Impact assessment </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Average leverage of 1rub (there would beseveral programs with different leverage)</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Volume of attracted money per one rubleof regional budget expenditures on innovation projects</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">What investments in innovative projects</text:h>
<text:p text:style-name="Standard">Understanding what investments should be made in innovative projects.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Competitive niches</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Clusters behavior</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Cluster EU star rating</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of value added of cluster enterprises in GRP</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of cluster products in the relevant world market segment </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of export in cluster total volume of sales</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of production in the cluster companies</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of production in the cluster companiesto the volume of state support for the cluster</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Growth of the volume of innovation production in the cluster</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of export in cluster total volume of sales (by zones: US, EU, CIS, other countries) </text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Internal behavior</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Median wage in the cluster</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Growth of the volume of R&amp;D in the cluster</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Cluster collaboration</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">R&amp;D</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Patent map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Publications map</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Industry</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">FDI map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Gazelle map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Business R&amp;D expenditures as a share of revenues by sector</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Share of regional products in the world market</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Expenditure on innovation by firm size, by sector </text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Entrepreneurship</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Startup map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Venture investment map</text:h>
<text:h text:style-name="Heading_20_4" text:outline-level="4">Attractiveness to public competitive funding</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">Fed and regional seed fund investments</text:h>
<text:h text:style-name="Heading_20_5" text:outline-level="5">FASIE projects: Number of projects supportedby the FASIE per 1,000 workers [awards/worker]</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Competitiveness support factors</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Private investment in innovation</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">How to improve image</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Rankings</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">macro indicators</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">meso-indicators</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Innovation investment climate</text:h>
</office:text>
</office:body>
</office:document-content>

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1 @@
Observation
1 Observation

View File

@ -0,0 +1,277 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Word.Document"?><w:wordDocument xmlns:sl="http://schemas.microsoft.com/schemaLibrary/2003/core" xmlns:w="http://schemas.microsoft.com/office/word/2003/wordml" xmlns:v="urn:schemas-microsoft-com:vml" xmlns:w10="urn:schemas-microsoft-com:office:word" xmlns:dt="uuid:C2F41010-65B3-11d1-A29F-00AA00C14882" xmlns:aml="http://schemas.microsoft.com/aml/2001/core" xmlns:wx="http://schemas.microsoft.com/office/word/2003/auxHint" xmlns:o="urn:schemas-microsoft-com:office:office">
<o:DocumentProperties>
<o:Title>Observation</o:Title>
</o:DocumentProperties>
<w:styles>
<w:versionOfBuiltInStylenames w:val="4"/>
<w:latentStyles w:defLockedState="off" w:latentStyleCount="156"/>
<w:style w:type="paragraph" w:default="on" w:styleId="Normal">
<w:name w:val="Normal"/>
<w:rsid w:val="00831C9D"/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:sz w:val="24"/>
<w:sz-cs w:val="24"/>
<w:lang w:val="EN-US" w:fareast="EN-US" w:bidi="AR-SA"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading1">
<w:name w:val="heading 1"/>
<wx:uiName wx:val="Heading 1"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading1"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="32"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading2">
<w:name w:val="heading 2"/>
<wx:uiName wx:val="Heading 2"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading2"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="1"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading3">
<w:name w:val="heading 3"/>
<wx:uiName wx:val="Heading 3"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading3"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="2"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading4">
<w:name w:val="heading 4"/>
<wx:uiName wx:val="Heading 4"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading4"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="3"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading5">
<w:name w:val="heading 5"/>
<wx:uiName wx:val="Heading 5"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading5"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="4"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading6">
<w:name w:val="heading 6"/>
<wx:uiName wx:val="Heading 6"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading6"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="5"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading7">
<w:name w:val="heading 7"/>
<wx:uiName wx:val="Heading 7"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading7"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="6"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading8">
<w:name w:val="heading 8"/>
<wx:uiName wx:val="Heading 8"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading8"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="7"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:i/>
<w:i-cs/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading9">
<w:name w:val="heading 9"/>
<wx:uiName wx:val="Heading 9"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading9"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="8"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="character" w:default="on" w:styleId="DefaultParagraphFont">
<w:name w:val="Default Paragraph Font"/>
<w:semiHidden/>
</w:style>
<w:style w:type="table" w:default="on" w:styleId="TableNormal">
<w:name w:val="Normal Table"/>
<wx:uiName wx:val="Table Normal"/>
<w:semiHidden/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
<w:tblPr>
<w:tblInd w:w="0" w:type="dxa"/>
<w:tblCellMar>
<w:top w:w="0" w:type="dxa"/>
<w:left w:w="108" w:type="dxa"/>
<w:bottom w:w="0" w:type="dxa"/>
<w:right w:w="108" w:type="dxa"/>
</w:tblCellMar>
</w:tblPr>
</w:style>
<w:style w:type="list" w:default="on" w:styleId="NoList">
<w:name w:val="No List"/>
<w:semiHidden/>
</w:style>
<w:style w:type="paragraph" w:styleId="Title">
<w:name w:val="Title"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Title"/>
<w:spacing w:before="240" w:after="60"/>
<w:jc w:val="center"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="28"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="BodyText">
<w:name w:val="Body Text"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="BodyText"/>
<w:spacing w:after="120"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
</w:styles>
<w:body>
<wx:sect>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Title"/>
</w:pPr>
<w:r>
<w:t>Observation</w:t>
</w:r>
</w:p>
<w:p>
<w:pPr>
<w:pStyle w:val="BodyText"/>
</w:pPr>
<w:r>
<w:t>
Always ask
</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sect>
</w:body>
</w:wordDocument>

View File

@ -0,0 +1,85 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">Observation</text:p>
<text:p text:style-name="Standard">Always ask</text:p>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,2 @@
\chapter{Observation}\label{ID_1}Always ask

View File

@ -0,0 +1,85 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">Observation</text:p>
<text:p text:style-name="Standard">Always ask</text:p>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,13 @@
WiseMapping Export
1 Observation
Always ask

View File

@ -0,0 +1,36 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Excel.Sheet"?><Workbook xmlns:x="urn:schemas-microsoft-com:office:excel" xmlns:ss="urn:schemas-microsoft-com:office:spreadsheet" xmlns:duss="urn:schemas-microsoft-com:office:dummyspreadsheet" xmlns:o="urn:schemas-microsoft-com:office:office" xmlns="urn:schemas-microsoft-com:office:spreadsheet">
<Styles>
<Style ss:ID="s16" ss:Name="attribute_cell">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
</Style>
<Style ss:ID="s17" ss:Name="attribute_header">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
<Font ss:Bold="1"/>
</Style>
</Styles>
<Worksheet ss:Name="FreeMind Sheet">
<Table>
<Row>
<Cell ss:Index="1">
<Data ss:Type="String">Observation</Data>
<Comment>
<ss:Data xmlns="http://www.w3.org/TR/REC-html40">
<p>Always ask</p>
</ss:Data>
</Comment>
</Cell>
</Row>
</Table>
</Worksheet>
</Workbook>

View File

@ -0,0 +1,68 @@
Artigos GF comentários interessantes
,
Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities
,
,
,
,
,
,
,
,
Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.
,
,
Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro
,
,
Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.
,
,
,
,
,
Chazdon 2010. Biotropica. 42(1): 3140
,
,
,
,
,
,
Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis.
,
,
,
,
,
,
,
,
,
,
,
,
,
,
,
Poorter 1999. Functional Ecology. 13:396-410
,
,
Espécies pioneiras crescem mais rápido do que as não pioneiras
,
,
,
Tolerância a sombra está relacionada com persistência e não com crescimento
1 Artigos GF comentários interessantes
2 ,
3 Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities
4 ,
5 ,
6
7 ,
8 ,
9
10 ,
11 ,
12
13 ,
14 ,
15 Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.
16 ,
17 ,
18 Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro
19 ,
20 ,
21 Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.
22 ,
23 ,
24
25 ,
26 ,
27
28 ,
29 Chazdon 2010. Biotropica. 42(1): 31–40
30 ,
31 ,
32
33 ,
34 ,
35
36 ,
37 ,
38 Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis.
39 ,
40 ,
41
42 ,
43 ,
44
45 ,
46 ,
47
48 ,
49 ,
50
51 ,
52 ,
53
54 ,
55 ,
56
57 ,
58 ,
59
60 ,
61 Poorter 1999. Functional Ecology. 13:396-410
62 ,
63 ,
64 Espécies pioneiras crescem mais rápido do que as não pioneiras
65 ,
66 ,
67 ,
68 Tolerância a sombra está relacionada com persistência e não com crescimento

View File

@ -0,0 +1,519 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Word.Document"?><w:wordDocument xmlns:sl="http://schemas.microsoft.com/schemaLibrary/2003/core" xmlns:w="http://schemas.microsoft.com/office/word/2003/wordml" xmlns:v="urn:schemas-microsoft-com:vml" xmlns:w10="urn:schemas-microsoft-com:office:word" xmlns:dt="uuid:C2F41010-65B3-11d1-A29F-00AA00C14882" xmlns:aml="http://schemas.microsoft.com/aml/2001/core" xmlns:wx="http://schemas.microsoft.com/office/word/2003/auxHint" xmlns:o="urn:schemas-microsoft-com:office:office">
<o:DocumentProperties>
<o:Title>Artigos GF comentários interessantes</o:Title>
</o:DocumentProperties>
<w:styles>
<w:versionOfBuiltInStylenames w:val="4"/>
<w:latentStyles w:defLockedState="off" w:latentStyleCount="156"/>
<w:style w:type="paragraph" w:default="on" w:styleId="Normal">
<w:name w:val="Normal"/>
<w:rsid w:val="00831C9D"/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:sz w:val="24"/>
<w:sz-cs w:val="24"/>
<w:lang w:val="EN-US" w:fareast="EN-US" w:bidi="AR-SA"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading1">
<w:name w:val="heading 1"/>
<wx:uiName wx:val="Heading 1"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading1"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="32"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading2">
<w:name w:val="heading 2"/>
<wx:uiName wx:val="Heading 2"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading2"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="1"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading3">
<w:name w:val="heading 3"/>
<wx:uiName wx:val="Heading 3"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading3"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="2"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading4">
<w:name w:val="heading 4"/>
<wx:uiName wx:val="Heading 4"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading4"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="3"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading5">
<w:name w:val="heading 5"/>
<wx:uiName wx:val="Heading 5"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading5"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="4"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading6">
<w:name w:val="heading 6"/>
<wx:uiName wx:val="Heading 6"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading6"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="5"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading7">
<w:name w:val="heading 7"/>
<wx:uiName wx:val="Heading 7"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading7"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="6"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading8">
<w:name w:val="heading 8"/>
<wx:uiName wx:val="Heading 8"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading8"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="7"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:i/>
<w:i-cs/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading9">
<w:name w:val="heading 9"/>
<wx:uiName wx:val="Heading 9"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading9"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="8"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="character" w:default="on" w:styleId="DefaultParagraphFont">
<w:name w:val="Default Paragraph Font"/>
<w:semiHidden/>
</w:style>
<w:style w:type="table" w:default="on" w:styleId="TableNormal">
<w:name w:val="Normal Table"/>
<wx:uiName wx:val="Table Normal"/>
<w:semiHidden/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
<w:tblPr>
<w:tblInd w:w="0" w:type="dxa"/>
<w:tblCellMar>
<w:top w:w="0" w:type="dxa"/>
<w:left w:w="108" w:type="dxa"/>
<w:bottom w:w="0" w:type="dxa"/>
<w:right w:w="108" w:type="dxa"/>
</w:tblCellMar>
</w:tblPr>
</w:style>
<w:style w:type="list" w:default="on" w:styleId="NoList">
<w:name w:val="No List"/>
<w:semiHidden/>
</w:style>
<w:style w:type="paragraph" w:styleId="Title">
<w:name w:val="Title"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Title"/>
<w:spacing w:before="240" w:after="60"/>
<w:jc w:val="center"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="28"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="BodyText">
<w:name w:val="Body Text"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="BodyText"/>
<w:spacing w:after="120"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
</w:styles>
<w:body>
<wx:sect>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Title"/>
</w:pPr>
<w:r>
<w:t>Artigos GF comentários interessantes</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Therecent growth of large functional trait data bases has been fuelled by standardized protocols forthe measurement of individual functional traits and intensive efforts to compile trait data(Cornelissen etal. 2003; Chave etal. 2009). Nonetheless, there remains no consensusfor the most appropriate sampling design so that traits can be scaled from the individuals on whom measurements are made to the community or ecosystem levels at which infer- ences are drawn (Swenson etal. 2006,2007,Reich,Wright &amp; Lusk 2007;Kraft,Valencia &amp; Ackerly 2008).</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>However, the fast pace of development of plant trait meta-analyses also suggests that trait acquisition in the field is a factor limiting the growth of plant trait data bases.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>We measured traits for every individual tree in nine 1-ha plots in tropical lowland rainforest (N = 4709). Each plant was sampled for 10 functional traits related to wood and leaf morphology and ecophysiology. Here, we contrast the trait means and variances obtained with a full sampling strategy with those of other sampling designs used in the recent literature, which we obtain by simulation. We assess the differences in community- level estimates of functional trait means and variances among design types and sampling intensities. We then contrast the relative costs of these designs and discuss the appropriateness of different sampling designs and intensities for different questions and systems.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>With regard to estimating mean trait values, strategies alternative to BRIDGE were consistently cost-effective. On the other hand, strategies alternative to BRIDGE clearly failed to accurately estimate the variance of trait values. This indicates that in situations where accurate estimation of plotlevel variance is desired, complete censuses are essential.</w:t>
</w:r>
</w:p>
<w:p>
<w:pPr>
<w:pStyle w:val="BodyText"/>
</w:pPr>
<w:r>
<w:t>
Isso significa que estudos de característica de história de vida compensam? Ver nos m&amp;m.
</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>We suggest that, in these studies, the investment in complete sampling may be worthwhile for at least some traits.</w:t>
</w:r>
</w:p>
<w:p>
<w:pPr>
<w:pStyle w:val="BodyText"/>
</w:pPr>
<w:r>
<w:t>
Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.
</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Chazdon 2010. Biotropica. 42(1): 3140</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Here, we develop a new approach that links functional attributes of tree species with studies of forest recovery and regional land-use transitions (Chazdon et al. 2007). Grouping species according to their functional attributes or demographic rates provides insight into both applied and theoretical questions, such as selecting species for reforestation programs, assessing ecosystem services, and understanding community assembly processes in tropical forests (Diaz et al. 2007, Kraft et al. 2008).</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Since we have data on leaf and wood functional traits for only a subset of the species in our study sites, we based our functional type classification on information for a large number of tree species obtained through vegetation monitoring studies.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Our approach avoided preconceived notions of successional behavior or shade tolerance of tree species by developing an objective and independent classification of functional types based on vegetation monitoring data from permanent sample plots in mature and secondary forests of northeastern Costa Rica (Finegan et al. 1999, Chazdon et al. 2007).We apply an independent, prior classification of 293 tree species from our study region into five functional types, based on two species attributes: canopy strata and diameter growth rates for individuals Z10 cm dbh (Finegan et al. 1999, Salgado- Negret 2007).</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Our results demonstrate strong linkages between functional types defined by adult height and growth rates of large trees and colonization groups based on the timing of seedling, sapling, and tree recruitment in secondary forests.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>These results allow us to move beyond earlier conceptual frameworks of tropical forest secondary succession developed by Finegan (1996) and Chazdon (2008) based on subjective groupings, such as pioneers and shade-tolerant species (Swaine &amp; Whitmore 1988).</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Reproductive traits, such as dispersal mode, pollination mode, and sexual system, were ultimately not useful in delimiting tree functional types for the tree species examined here (Salgado-Negret 2007). Thus, although reproductive traits do vary quantitatively in abundance between secondary and mature forests in our landscape (Chazdon et al. 2003), they do not seem to be important drivers of successional dynamics of trees Z10 cm dbh. For seedlings, however, dispersal mode and seed size are likely to play an important role in community dynamics during succession (Dalling&amp;Hubbell 2002).</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Our classification of colonization groups defies the traditional dichotomy between late successional shade-tolerant and early successional pioneer species. Many tree species, classified here as regenerating pioneers on the basis of their population structure in secondary forests, are common in both young secondary forest and mature forests in this region (Guariguata et al. 1997), and many are important timber species (Vilchez et al. 2008). These generalists are by far the most abundant species of seedlings and saplings, conferring a high degree of resilience in the wet tropical forests of NE Costa Rica (Norden et al. 2009, Letcher &amp; Chazdon 2009). The high abundance of regenerating pioneers in seedling and sapling size classes clearly shows that species with shade-tolerant seedlings can also recruit as trees early in succession. For these species, early tree colonization enhances seedling and sapling recruitment during the first 2030 yr of succession, due to local seed rain. Species abundance and size distribution depend strongly on chance colonization events early in succession (Chazdon 2008). Other studies have shown that mature forest species are able to colonize early in succession (Finegan 1996, van Breugel et al. 2007, Franklin &amp; Rey 2007, Ochoa-Gaona et al. 2007), emphasizing the importance of initial floristic composition in the determination of successional pathways and rates of forest regrowth. On the other hand, significant numbers of species in our sites (40% overall and the majority of rare species) colonized only after canopy closure, and these species may not occur as mature individuals until decades after agricultural abandonment.</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Classifying functional types based on functional traits with low plasticity, such as wood density and seed size, could potentially serve as robust proxies for demographic variables (Poorter et al. 2008, Zhang et al. 2008).</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>CONDIT, R., S. P. HUBBELL, AND R. B. FOSTER. 1996. Assessing the response of plant functional types in tropical forests to climatic change. J. Veg. Sci. 7: 405416. DALLING, J. S., AND S. P. HUBBELL. 2002. Seed size, growth rate and gap microsite conditions as determinants of recruitment success for pioneer species. J. Ecol. 90: 557568. FINEGAN, B. 1996. Pattern and process in neotropical secondary forests: The first 100 years of succession. Trends Ecol. Evol. 11: 119124. POORTER, L., S. J. WRIGHT, H. PAZ, D. D. ACKERLY, R. CONDIT, G. IBARRA-MANRI´QUEZ, K. E. HARMS, J. C. LICONA, M.MARTI´NEZ-RAMOS, S. J. MAZER, H. C. MULLER-LANDAU, M. PEN˜ A-CLAROS, C. O. WEBB, AND I. J. WRIGHT. 2008. Are functional traits good predictors of demographic rates? Evidence from five Neotropical forests. Ecology 89: 19081920. ZHANG, Z. D., R. G. ZANG, AND Y. D. QI. 2008. Spatiotemporal patterns and dynamics of species richness and abundance of woody plant functional groups in a tropical forest landscape of Hainan Island, South China. J. Integr. Plant Biol. 50: 547558.</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Poorter 1999. Functional Ecology. 13:396-410</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading2"/>
</w:pPr>
<w:r>
<w:t>Espécies pioneiras crescem mais rápido do que as não pioneiras</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading3"/>
</w:pPr>
<w:r>
<w:t>Tolerância a sombra está relacionada com persistência e não com crescimento</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
</wx:sub-section>
</wx:sub-section>
</wx:sect>
</w:body>
</w:wordDocument>

View File

@ -0,0 +1,111 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">Artigos GF comentários interessantes</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Therecent growth of large functional trait databases has been fuelled by standardized protocols forthemeasurement of individual functional traits and intensiveefforts to compile trait data(Cornelissen etal. 2003; Chave etal. 2009). Nonetheless, there remains no consensusforthe most appropriate sampling design so that traits can bescaled from the individuals on whom measurements aremade to the community or ecosystem levels at which infer-ences are drawn (Swenson etal. 2006,2007,Reich,Wright&amp; Lusk 2007;Kraft,Valencia &amp; Ackerly 2008).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">However, the fast pace ofdevelopment of plant trait meta-analyses also suggests thattrait acquisition in the field is a factor limiting the growth ofplant trait data bases.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">We measuredtraits for every individual tree in nine 1-ha plots in tropicallowland rainforest (N = 4709). Each plant was sampled for10 functional traits related to wood and leaf morphology andecophysiology. Here, we contrast the trait means and variancesobtained with a full sampling strategy with those ofother sampling designs used in the recent literature, which weobtain by simulation. We assess the differences in community-level estimates of functional trait means and variancesamong design types and sampling intensities. We then contrastthe relative costs of these designs and discuss the appropriatenessof different sampling designs and intensities fordifferent questions and systems.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">With regard to estimating mean trait values, strategiesalternative to BRIDGE were consistently cost-effective. Onthe other hand, strategies alternative to BRIDGE clearlyfailed to accurately estimate the variance of trait values. Thisindicates that in situations where accurate estimation of plotlevelvariance is desired, complete censuses are essential.</text:h>
<text:p text:style-name="Standard"/>
<text:p text:style-name="Standard">Isso significa que estudos de característica de história de vida compensam? Ver nos m&amp;m.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">We suggest that, in these studies,the investment in complete sampling may be worthwhilefor at least some traits.</text:h>
<text:p text:style-name="Standard"/>
<text:p text:style-name="Standard">Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Chazdon 2010. Biotropica. 42(1): 3140</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Here, we develop a new approach that links functional attributesof tree species with studies of forest recovery and regionalland-use transitions (Chazdon et al. 2007). Grouping species accordingto their functional attributes or demographic rates providesinsight into both applied and theoretical questions, such as selectingspecies for reforestation programs, assessing ecosystem services, andunderstanding community assembly processes in tropical forests(Diaz et al. 2007, Kraft et al. 2008).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Since we have data on leafand wood functional traits for only a subset of the species in ourstudy sites, we based our functional type classification on informationfor a large number of tree species obtained through vegetationmonitoring studies.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis. </text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Our approach avoided preconceived notions of successionalbehavior or shade tolerance of tree species by developing an objectiveand independent classification of functional types based on vegetationmonitoring data from permanent sample plots in mature andsecondary forests of northeastern Costa Rica (Finegan et al. 1999,Chazdon et al. 2007).We apply an independent, prior classificationof 293 tree species from our study region into five functional types, based on two species attributes: canopy strata and diameter growthrates for individuals Z10 cm dbh (Finegan et al. 1999, Salgado-Negret 2007).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Our results demonstrate strong linkages between functionaltypes defined by adult height and growth rates of large trees andcolonization groups based on the timing of seedling, sapling, andtree recruitment in secondary forests.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">These results allow us to move beyond earlier conceptualframeworks of tropical forest secondary succession developedby Finegan (1996) and Chazdon (2008) based on subjective groupings,such as pioneers and shade-tolerant species (Swaine &amp;Whitmore 1988).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Reproductive traits, such as dispersal mode, pollination mode,and sexual system, were ultimately not useful in delimiting treefunctional types for the tree species examined here (Salgado-Negret2007). Thus, although reproductive traits do vary quantitatively inabundance between secondary and mature forests in our landscape(Chazdon et al. 2003), they do not seem to be important drivers ofsuccessional dynamics of trees Z10 cm dbh. For seedlings, however,dispersal mode and seed size are likely to play an importantrole in community dynamics during succession (Dalling&amp;Hubbell2002).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Our classification of colonization groups defies the traditionaldichotomy between late successional shade-tolerant and early successionalpioneer species. Many tree species, classified here asregenerating pioneers on the basis of their population structure insecondary forests, are common in both young secondary forest andmature forests in this region (Guariguata et al. 1997), and many areimportant timber species (Vilchez et al. 2008). These generalists areby far the most abundant species of seedlings and saplings, conferringa high degree of resilience in the wet tropical forests of NECosta Rica (Norden et al. 2009, Letcher &amp; Chazdon 2009). Thehigh abundance of regenerating pioneers in seedling and saplingsize classes clearly shows that species with shade-tolerant seedlingscan also recruit as trees early in succession. For these species, earlytree colonization enhances seedling and sapling recruitment duringthe first 2030 yr of succession, due to local seed rain. Speciesabundance and size distribution depend strongly on chance colonizationevents early in succession (Chazdon 2008). Other studieshave shown that mature forest species are able to colonize early insuccession (Finegan 1996, van Breugel et al. 2007, Franklin &amp; Rey2007, Ochoa-Gaona et al. 2007), emphasizing the importance ofinitial floristic composition in the determination of successionalpathways and rates of forest regrowth. On the other hand, significantnumbers of species in our sites (40% overall and the majorityof rare species) colonized only after canopy closure, and these speciesmay not occur as mature individuals until decades after agriculturalabandonment.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Classifying functional typesbased on functional traits with low plasticity, such as wood densityand seed size, could potentially serve as robust proxies for demographicvariables (Poorter et al. 2008, Zhang et al. 2008).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">CONDIT, R., S. P. HUBBELL, AND R. B. FOSTER. 1996. Assessing the response ofplant functional types in tropical forests to climatic change. J. Veg. Sci.7: 405416.DALLING, J. S., AND S. P. HUBBELL. 2002. Seed size, growth rate and gap micrositeconditions as determinants of recruitment success for pioneer species.J. Ecol. 90: 557568.FINEGAN, B. 1996. Pattern and process in neotropical secondary forests: The first100 years of succession. Trends Ecol. Evol. 11: 119124.POORTER, L., S. J. WRIGHT, H. PAZ, D. D. ACKERLY, R. CONDIT, G.IBARRA-MANRI´QUEZ, K. E. HARMS, J. C. LICONA, M.MARTI´NEZ-RAMOS,S. J. MAZER, H. C. MULLER-LANDAU, M. PEN˜ A-CLAROS, C. O. WEBB,AND I. J. WRIGHT. 2008. Are functional traits good predictors of demographicrates? Evidence from five Neotropical forests. Ecology 89:19081920.ZHANG, Z. D., R. G. ZANG, AND Y. D. QI. 2008. Spatiotemporal patterns anddynamics of species richness and abundance of woody plant functionalgroups in a tropical forest landscape of Hainan Island, South China.J. Integr. Plant Biol. 50: 547558.</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Poorter 1999. Functional Ecology. 13:396-410</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Espécies pioneiras crescem mais rápido do que as não pioneiras</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Tolerância a sombra está relacionada com persistência e não com crescimento</text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,25 @@
\chapter{Artigos GF comentários interessantes}\label{ID_1}
\section{Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities}\label{ID_5}
\subsection{}\label{ID_6}
\subsection{}\label{ID_7}
\subsection{}\label{ID_8}
\subsection{Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.}\label{ID_9}
\subsection{Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro}\label{ID_12}
\subsection{Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.}\label{ID_13}
\subsection{}\label{ID_14}Isso significa que estudos de característica de história de vida compensam? Ver nos m&amp;m.
\subsection{}\label{ID_15}Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.
\section{Chazdon 2010. Biotropica. 42(1): 3140}\label{ID_17}
\subsection{}\label{ID_22}
\subsection{}\label{ID_23}
\subsection{Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis. }\label{ID_24}
\subsection{}\label{ID_25}
\subsection{}\label{ID_26}
\subsection{}\label{ID_27}
\subsection{}\label{ID_28}
\subsection{}\label{ID_29}
\subsection{}\label{ID_30}
\subsection{}\label{ID_31}
\section{Poorter 1999. Functional Ecology. 13:396-410}\label{ID_2}
\subsection{Espécies pioneiras crescem mais rápido do que as não pioneiras}\label{ID_3}
\subsubsection{Tolerância a sombra está relacionada com persistência e não com crescimento}\label{ID_4}

View File

@ -0,0 +1,111 @@
<?xml version="1.0" encoding="UTF-8"?><office:document-content office:version="1.0" xmlns:number="urn:oasis:names:tc:opendocument:xmlns:datastyle:1.0" xmlns:form="urn:oasis:names:tc:opendocument:xmlns:form:1.0" xmlns:math="http://www.w3.org/1998/Math/MathML" xmlns:dr3d="urn:oasis:names:tc:opendocument:xmlns:dr3d:1.0" xmlns:ooow="http://openoffice.org/2004/writer" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:fo="urn:oasis:names:tc:opendocument:xmlns:xsl-fo-compatible:1.0" xmlns:office="urn:oasis:names:tc:opendocument:xmlns:office:1.0" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:draw="urn:oasis:names:tc:opendocument:xmlns:drawing:1.0" xmlns:meta="urn:oasis:names:tc:opendocument:xmlns:meta:1.0" xmlns:text="urn:oasis:names:tc:opendocument:xmlns:text:1.0" xmlns:chart="urn:oasis:names:tc:opendocument:xmlns:chart:1.0" xmlns:svg="urn:oasis:names:tc:opendocument:xmlns:svg-compatible:1.0" xmlns:oooc="http://openoffice.org/2004/calc" xmlns:dom="http://www.w3.org/2001/xml-events" xmlns:style="urn:oasis:names:tc:opendocument:xmlns:style:1.0" xmlns:ooo="http://openoffice.org/2004/office" xmlns:table="urn:oasis:names:tc:opendocument:xmlns:table:1.0" xmlns:dc="http://purl.org/dc/elements/1.1/" xmlns:script="urn:oasis:names:tc:opendocument:xmlns:script:1.0" xmlns:xforms="http://www.w3.org/2002/xforms" xmlns="http://www.w3.org/1999/xhtml">
<office:scripts/>
<office:font-face-decls>
<style:font-face style:name="StarSymbol" svg:font-family="StarSymbol"/>
<style:font-face style:name="DejaVu Sans" svg:font-family="'DejaVu Sans'" style:font-family-generic="roman" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans1" svg:font-family="'DejaVu Sans'" style:font-family-generic="swiss" style:font-pitch="variable"/>
<style:font-face style:name="DejaVu Sans2" svg:font-family="'DejaVu Sans'" style:font-family-generic="system" style:font-pitch="variable"/>
</office:font-face-decls>
<office:automatic-styles>
<style:style style:name="P1" style:family="paragraph" style:parent-style-name="Text_20_body" style:list-style-name="L1"/>
<style:style style:name="P3" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="center" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P4" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="end" style:justify-single-word="false"/>
</style:style>
<style:style style:name="P5" style:family="paragraph" style:parent-style-name="Standard">
<style:paragraph-properties fo:text-align="justify" style:justify-single-word="false"/>
</style:style>
<style:style style:name="T1" style:family="text">
<style:text-properties fo:font-weight="bold" style:font-weight-asian="bold" style:font-weight-complex="bold"/>
</style:style>
<style:style style:name="T2" style:family="text">
<style:text-properties fo:font-style="italic" style:font-style-asian="italic" style:font-style-complex="italic"/>
</style:style>
<style:style style:name="T3" style:family="text">
<style:text-properties style:text-underline-style="solid" style:text-underline-width="auto" style:text-underline-color="font-color"/>
</style:style>
<text:list-style style:name="L1">
<text:list-level-style-bullet text:level="1" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="0.635cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="2" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="1.27cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="3" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="1.905cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="4" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="2.54cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="5" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="3.175cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="6" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="3.81cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="7" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="4.445cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="8" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="○">
<style:list-level-properties text:space-before="5.08cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="9" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="■">
<style:list-level-properties text:space-before="5.715cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
<text:list-level-style-bullet text:level="10" text:style-name="Bullet_20_Symbols" style:num-suffix="." text:bullet-char="●">
<style:list-level-properties text:space-before="6.35cm" text:min-label-width="0.635cm"/>
<style:text-properties style:font-name="StarSymbol"/>
</text:list-level-style-bullet>
</text:list-style>
</office:automatic-styles>
<office:body>
<office:text>
<office:forms form:automatic-focus="false" form:apply-design-mode="false"/>
<text:sequence-decls>
<text:sequence-decl text:display-outline-level="0" text:name="Illustration"/>
<text:sequence-decl text:display-outline-level="0" text:name="Table"/>
<text:sequence-decl text:display-outline-level="0" text:name="Text"/>
<text:sequence-decl text:display-outline-level="0" text:name="Drawing"/>
</text:sequence-decls>
<text:p text:style-name="Title">Artigos GF comentários interessantes</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Therecent growth of large functional trait databases has been fuelled by standardized protocols forthemeasurement of individual functional traits and intensiveefforts to compile trait data(Cornelissen etal. 2003; Chave etal. 2009). Nonetheless, there remains no consensusforthe most appropriate sampling design so that traits can bescaled from the individuals on whom measurements aremade to the community or ecosystem levels at which infer-ences are drawn (Swenson etal. 2006,2007,Reich,Wright&amp; Lusk 2007;Kraft,Valencia &amp; Ackerly 2008).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">However, the fast pace ofdevelopment of plant trait meta-analyses also suggests thattrait acquisition in the field is a factor limiting the growth ofplant trait data bases.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">We measuredtraits for every individual tree in nine 1-ha plots in tropicallowland rainforest (N = 4709). Each plant was sampled for10 functional traits related to wood and leaf morphology andecophysiology. Here, we contrast the trait means and variancesobtained with a full sampling strategy with those ofother sampling designs used in the recent literature, which weobtain by simulation. We assess the differences in community-level estimates of functional trait means and variancesamong design types and sampling intensities. We then contrastthe relative costs of these designs and discuss the appropriatenessof different sampling designs and intensities fordifferent questions and systems.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">With regard to estimating mean trait values, strategiesalternative to BRIDGE were consistently cost-effective. Onthe other hand, strategies alternative to BRIDGE clearlyfailed to accurately estimate the variance of trait values. Thisindicates that in situations where accurate estimation of plotlevelvariance is desired, complete censuses are essential.</text:h>
<text:p text:style-name="Standard"/>
<text:p text:style-name="Standard">Isso significa que estudos de característica de história de vida compensam? Ver nos m&amp;m.</text:p>
<text:h text:style-name="Heading_20_2" text:outline-level="2">We suggest that, in these studies,the investment in complete sampling may be worthwhilefor at least some traits.</text:h>
<text:p text:style-name="Standard"/>
<text:p text:style-name="Standard">Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.</text:p>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Chazdon 2010. Biotropica. 42(1): 3140</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Here, we develop a new approach that links functional attributesof tree species with studies of forest recovery and regionalland-use transitions (Chazdon et al. 2007). Grouping species accordingto their functional attributes or demographic rates providesinsight into both applied and theoretical questions, such as selectingspecies for reforestation programs, assessing ecosystem services, andunderstanding community assembly processes in tropical forests(Diaz et al. 2007, Kraft et al. 2008).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Since we have data on leafand wood functional traits for only a subset of the species in ourstudy sites, we based our functional type classification on informationfor a large number of tree species obtained through vegetationmonitoring studies.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis. </text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Our approach avoided preconceived notions of successionalbehavior or shade tolerance of tree species by developing an objectiveand independent classification of functional types based on vegetationmonitoring data from permanent sample plots in mature andsecondary forests of northeastern Costa Rica (Finegan et al. 1999,Chazdon et al. 2007).We apply an independent, prior classificationof 293 tree species from our study region into five functional types, based on two species attributes: canopy strata and diameter growthrates for individuals Z10 cm dbh (Finegan et al. 1999, Salgado-Negret 2007).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Our results demonstrate strong linkages between functionaltypes defined by adult height and growth rates of large trees andcolonization groups based on the timing of seedling, sapling, andtree recruitment in secondary forests.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">These results allow us to move beyond earlier conceptualframeworks of tropical forest secondary succession developedby Finegan (1996) and Chazdon (2008) based on subjective groupings,such as pioneers and shade-tolerant species (Swaine &amp;Whitmore 1988).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Reproductive traits, such as dispersal mode, pollination mode,and sexual system, were ultimately not useful in delimiting treefunctional types for the tree species examined here (Salgado-Negret2007). Thus, although reproductive traits do vary quantitatively inabundance between secondary and mature forests in our landscape(Chazdon et al. 2003), they do not seem to be important drivers ofsuccessional dynamics of trees Z10 cm dbh. For seedlings, however,dispersal mode and seed size are likely to play an importantrole in community dynamics during succession (Dalling&amp;Hubbell2002).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Our classification of colonization groups defies the traditionaldichotomy between late successional shade-tolerant and early successionalpioneer species. Many tree species, classified here asregenerating pioneers on the basis of their population structure insecondary forests, are common in both young secondary forest andmature forests in this region (Guariguata et al. 1997), and many areimportant timber species (Vilchez et al. 2008). These generalists areby far the most abundant species of seedlings and saplings, conferringa high degree of resilience in the wet tropical forests of NECosta Rica (Norden et al. 2009, Letcher &amp; Chazdon 2009). Thehigh abundance of regenerating pioneers in seedling and saplingsize classes clearly shows that species with shade-tolerant seedlingscan also recruit as trees early in succession. For these species, earlytree colonization enhances seedling and sapling recruitment duringthe first 2030 yr of succession, due to local seed rain. Speciesabundance and size distribution depend strongly on chance colonizationevents early in succession (Chazdon 2008). Other studieshave shown that mature forest species are able to colonize early insuccession (Finegan 1996, van Breugel et al. 2007, Franklin &amp; Rey2007, Ochoa-Gaona et al. 2007), emphasizing the importance ofinitial floristic composition in the determination of successionalpathways and rates of forest regrowth. On the other hand, significantnumbers of species in our sites (40% overall and the majorityof rare species) colonized only after canopy closure, and these speciesmay not occur as mature individuals until decades after agriculturalabandonment.</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Classifying functional typesbased on functional traits with low plasticity, such as wood densityand seed size, could potentially serve as robust proxies for demographicvariables (Poorter et al. 2008, Zhang et al. 2008).</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">CONDIT, R., S. P. HUBBELL, AND R. B. FOSTER. 1996. Assessing the response ofplant functional types in tropical forests to climatic change. J. Veg. Sci.7: 405416.DALLING, J. S., AND S. P. HUBBELL. 2002. Seed size, growth rate and gap micrositeconditions as determinants of recruitment success for pioneer species.J. Ecol. 90: 557568.FINEGAN, B. 1996. Pattern and process in neotropical secondary forests: The first100 years of succession. Trends Ecol. Evol. 11: 119124.POORTER, L., S. J. WRIGHT, H. PAZ, D. D. ACKERLY, R. CONDIT, G.IBARRA-MANRI´QUEZ, K. E. HARMS, J. C. LICONA, M.MARTI´NEZ-RAMOS,S. J. MAZER, H. C. MULLER-LANDAU, M. PEN˜ A-CLAROS, C. O. WEBB,AND I. J. WRIGHT. 2008. Are functional traits good predictors of demographicrates? Evidence from five Neotropical forests. Ecology 89:19081920.ZHANG, Z. D., R. G. ZANG, AND Y. D. QI. 2008. Spatiotemporal patterns anddynamics of species richness and abundance of woody plant functionalgroups in a tropical forest landscape of Hainan Island, South China.J. Integr. Plant Biol. 50: 547558.</text:h>
<text:h text:style-name="Heading_20_1" text:outline-level="1">Poorter 1999. Functional Ecology. 13:396-410</text:h>
<text:h text:style-name="Heading_20_2" text:outline-level="2">Espécies pioneiras crescem mais rápido do que as não pioneiras</text:h>
<text:h text:style-name="Heading_20_3" text:outline-level="3">Tolerância a sombra está relacionada com persistência e não com crescimento</text:h>
</office:text>
</office:body>
</office:document-content>

View File

@ -0,0 +1,291 @@
WiseMapping Export
1 Artigos GF comentários interessantes
1.1 Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities
1.1.1
Therecent growth of large functional trait data
bases has been fuelled by standardized protocols forthe
measurement of individual functional traits and intensive
efforts to compile trait data(Cornelissen etal. 2003; Chave etal. 2009). Nonetheless, there remains no consensusfor
the most appropriate sampling design so that traits can be
scaled from the individuals on whom measurements are
made to the community or ecosystem levels at which infer-
ences are drawn (Swenson etal. 2006,2007,Reich,Wright
& Lusk 2007;Kraft,Valencia & Ackerly 2008).
1.1.2
However, the fast pace of
development of plant trait meta-analyses also suggests that
trait acquisition in the field is a factor limiting the growth of
plant trait data bases.
1.1.3
We measured
traits for every individual tree in nine 1-ha plots in tropical
lowland rainforest (N = 4709). Each plant was sampled for
10 functional traits related to wood and leaf morphology and
ecophysiology. Here, we contrast the trait means and variances
obtained with a full sampling strategy with those of
other sampling designs used in the recent literature, which we
obtain by simulation. We assess the differences in community-
level estimates of functional trait means and variances
among design types and sampling intensities. We then contrast
the relative costs of these designs and discuss the appropriateness
of different sampling designs and intensities for
different questions and systems.
1.1.4 Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.
1.1.5 Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro
1.1.6 Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.
1.1.7
With regard to estimating mean trait values, strategies
alternative to BRIDGE were consistently cost-effective. On
the other hand, strategies alternative to BRIDGE clearly
failed to accurately estimate the variance of trait values. This
indicates that in situations where accurate estimation of plotlevel
variance is desired, complete censuses are essential.
Isso significa que estudos de característica de história de vida compensam? Ver nos m&m.
1.1.8
We suggest that, in these studies,
the investment in complete sampling may be worthwhile
for at least some traits.
Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.
1.2 Chazdon 2010. Biotropica. 42(1): 3140
1.2.1
Here, we develop a new approach that links functional attributes
of tree species with studies of forest recovery and regional
land-use transitions (Chazdon et al. 2007). Grouping species according
to their functional attributes or demographic rates provides
insight into both applied and theoretical questions, such as selecting
species for reforestation programs, assessing ecosystem services, and
understanding community assembly processes in tropical forests
(Diaz et al. 2007, Kraft et al. 2008).
1.2.2
Since we have data on leaf
and wood functional traits for only a subset of the species in our
study sites, we based our functional type classification on information
for a large number of tree species obtained through vegetation
monitoring studies.
1.2.3 Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis.
1.2.4
Our approach avoided preconceived notions of successional
behavior or shade tolerance of tree species by developing an objective
and independent classification of functional types based on vegetation
monitoring data from permanent sample plots in mature and
secondary forests of northeastern Costa Rica (Finegan et al. 1999,
Chazdon et al. 2007).We apply an independent, prior classification
of 293 tree species from our study region into five functional types, based on two species attributes: canopy strata and diameter growth
rates for individuals Z10 cm dbh (Finegan et al. 1999, Salgado-
Negret 2007).
1.2.5
Our results demonstrate strong linkages between functional
types defined by adult height and growth rates of large trees and
colonization groups based on the timing of seedling, sapling, and
tree recruitment in secondary forests.
1.2.6
These results allow us to move beyond earlier conceptual
frameworks of tropical forest secondary succession developed
by Finegan (1996) and Chazdon (2008) based on subjective groupings,
such as pioneers and shade-tolerant species (Swaine &
Whitmore 1988).
1.2.7
Reproductive traits, such as dispersal mode, pollination mode,
and sexual system, were ultimately not useful in delimiting tree
functional types for the tree species examined here (Salgado-Negret
2007). Thus, although reproductive traits do vary quantitatively in
abundance between secondary and mature forests in our landscape
(Chazdon et al. 2003), they do not seem to be important drivers of
successional dynamics of trees Z10 cm dbh. For seedlings, however,
dispersal mode and seed size are likely to play an important
role in community dynamics during succession (Dalling&Hubbell
2002).
1.2.8
Our classification of colonization groups defies the traditional
dichotomy between late successional shade-tolerant and early successional
pioneer species. Many tree species, classified here as
regenerating pioneers on the basis of their population structure in
secondary forests, are common in both young secondary forest and
mature forests in this region (Guariguata et al. 1997), and many are
important timber species (Vilchez et al. 2008). These generalists are
by far the most abundant species of seedlings and saplings, conferring
a high degree of resilience in the wet tropical forests of NE
Costa Rica (Norden et al. 2009, Letcher & Chazdon 2009). The
high abundance of regenerating pioneers in seedling and sapling
size classes clearly shows that species with shade-tolerant seedlings
can also recruit as trees early in succession. For these species, early
tree colonization enhances seedling and sapling recruitment during
the first 2030 yr of succession, due to local seed rain. Species
abundance and size distribution depend strongly on chance colonization
events early in succession (Chazdon 2008). Other studies
have shown that mature forest species are able to colonize early in
succession (Finegan 1996, van Breugel et al. 2007, Franklin & Rey
2007, Ochoa-Gaona et al. 2007), emphasizing the importance of
initial floristic composition in the determination of successional
pathways and rates of forest regrowth. On the other hand, significant
numbers of species in our sites (40% overall and the majority
of rare species) colonized only after canopy closure, and these species
may not occur as mature individuals until decades after agricultural
abandonment.
1.2.9
Classifying functional types
based on functional traits with low plasticity, such as wood density
and seed size, could potentially serve as robust proxies for demographic
variables (Poorter et al. 2008, Zhang et al. 2008).
1.2.10
CONDIT, R., S. P. HUBBELL, AND R. B. FOSTER. 1996. Assessing the response of
plant functional types in tropical forests to climatic change. J. Veg. Sci.
7: 405416.
DALLING, J. S., AND S. P. HUBBELL. 2002. Seed size, growth rate and gap microsite
conditions as determinants of recruitment success for pioneer species.
J. Ecol. 90: 557568.
FINEGAN, B. 1996. Pattern and process in neotropical secondary forests: The first
100 years of succession. Trends Ecol. Evol. 11: 119124.
POORTER, L., S. J. WRIGHT, H. PAZ, D. D. ACKERLY, R. CONDIT, G.
IBARRA-MANRI´QUEZ, K. E. HARMS, J. C. LICONA, M.MARTI´NEZ-RAMOS,
S. J. MAZER, H. C. MULLER-LANDAU, M. PEN˜ A-CLAROS, C. O. WEBB,
AND I. J. WRIGHT. 2008. Are functional traits good predictors of demographic
rates? Evidence from five Neotropical forests. Ecology 89:
19081920.
ZHANG, Z. D., R. G. ZANG, AND Y. D. QI. 2008. Spatiotemporal patterns and
dynamics of species richness and abundance of woody plant functional
groups in a tropical forest landscape of Hainan Island, South China.
J. Integr. Plant Biol. 50: 547558.
1.3 Poorter 1999. Functional Ecology. 13:396-410
1.3.1 Espécies pioneiras crescem mais rápido do que as não pioneiras
1.3.1.1 Tolerância a sombra está relacionada com persistência e não com crescimento

View File

@ -0,0 +1,296 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Excel.Sheet"?><Workbook xmlns:x="urn:schemas-microsoft-com:office:excel" xmlns:ss="urn:schemas-microsoft-com:office:spreadsheet" xmlns:duss="urn:schemas-microsoft-com:office:dummyspreadsheet" xmlns:o="urn:schemas-microsoft-com:office:office" xmlns="urn:schemas-microsoft-com:office:spreadsheet">
<Styles>
<Style ss:ID="s16" ss:Name="attribute_cell">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
</Style>
<Style ss:ID="s17" ss:Name="attribute_header">
<Borders>
<Border ss:Position="Bottom" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Left" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Right" ss:LineStyle="Continuous" ss:Weight="1"/>
<Border ss:Position="Top" ss:LineStyle="Continuous" ss:Weight="1"/>
</Borders>
<Font ss:Bold="1"/>
</Style>
</Styles>
<Worksheet ss:Name="FreeMind Sheet">
<Table>
<Row>
<Cell ss:Index="1">
<Data ss:Type="String">Artigos GF comentários interessantes</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Therecent growth of large functional trait data</p>
<p>bases has been fuelled by standardized protocols forthe</p>
<p>measurement of individual functional traits and intensive</p>
<p>efforts to compile trait data(Cornelissen etal. 2003; Chave etal. 2009). Nonetheless, there remains no consensusfor</p>
<p>the most appropriate sampling design so that traits can be</p>
<p>scaled from the individuals on whom measurements are</p>
<p>made to the community or ecosystem levels at which infer-</p>
<p>ences are drawn (Swenson etal. 2006,2007,Reich,Wright</p>
<p>&amp; Lusk 2007;Kraft,Valencia &amp; Ackerly 2008).</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>However, the fast pace of</p>
<p>development of plant trait meta-analyses also suggests that</p>
<p>trait acquisition in the field is a factor limiting the growth of</p>
<p>plant trait data bases.</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>We measured</p>
<p>traits for every individual tree in nine 1-ha plots in tropical</p>
<p>lowland rainforest (N = 4709). Each plant was sampled for</p>
<p>10 functional traits related to wood and leaf morphology and</p>
<p>ecophysiology. Here, we contrast the trait means and variances</p>
<p>obtained with a full sampling strategy with those of</p>
<p>other sampling designs used in the recent literature, which we</p>
<p>obtain by simulation. We assess the differences in community-</p>
<p>level estimates of functional trait means and variances</p>
<p>among design types and sampling intensities. We then contrast</p>
<p>the relative costs of these designs and discuss the appropriateness</p>
<p>of different sampling designs and intensities for</p>
<p>different questions and systems.</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Falar que a escolha das categorias de sucessão e dos parâmetros ou característica dos indivíduos que serão utilizadas dependera da facilidade de coleta dos dados e do custo monetário e temporal.</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Ver se classifica sucessão por densidade de tronco para citar no artigo como exemplo de outros atributos além de germinação e ver se e custoso no tempo e em dinheiro</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Intensas amostragens de experimentos simples tem maior retorno em acurácia de estimativa e de custo tb.</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>With regard to estimating mean trait values, strategies</p>
<p>alternative to BRIDGE were consistently cost-effective. On</p>
<p>the other hand, strategies alternative to BRIDGE clearly</p>
<p>failed to accurately estimate the variance of trait values. This</p>
<p>indicates that in situations where accurate estimation of plotlevel</p>
<p>variance is desired, complete censuses are essential.</p>
</ss:Data>
<Comment>
<ss:Data xmlns="http://www.w3.org/TR/REC-html40">
<p/>
<p>Isso significa que estudos de característica de história de vida compensam? Ver nos m&amp;m.</p>
</ss:Data>
</Comment>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>We suggest that, in these studies,</p>
<p>the investment in complete sampling may be worthwhile</p>
<p>for at least some traits.</p>
</ss:Data>
<Comment>
<ss:Data xmlns="http://www.w3.org/TR/REC-html40">
<p/>
<p>Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.</p>
</ss:Data>
</Comment>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Chazdon 2010. Biotropica. 42(1): 3140</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Here, we develop a new approach that links functional attributes</p>
<p>of tree species with studies of forest recovery and regional</p>
<p>land-use transitions (Chazdon et al. 2007). Grouping species according</p>
<p>to their functional attributes or demographic rates provides</p>
<p>insight into both applied and theoretical questions, such as selecting</p>
<p>species for reforestation programs, assessing ecosystem services, and</p>
<p>understanding community assembly processes in tropical forests</p>
<p>(Diaz et al. 2007, Kraft et al. 2008).</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Since we have data on leaf</p>
<p>and wood functional traits for only a subset of the species in our</p>
<p>study sites, we based our functional type classification on information</p>
<p>for a large number of tree species obtained through vegetation</p>
<p>monitoring studies.</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Falar no artigo que esse trabalho fala que é inadequada a divisão entre pioneira e não pioneira devido a grande variação que há entre elas. Além de terem descoberto que durante a ontogenia a resposta a luminosidade muda dentro de uma mesma espécie. Porém recomendar que essa classificação continue sendo usada em curto prazo enquanto não há informações confiáveis suficiente para esta simples classificação. Outras classificações como esta do artigo são bem vinda, contanto que tenham dados confiáveis. Porém dados estáticos já são difíceis de se obter, dados temporais, como taxa de crescimento em diâmetro ou altura, são mais difíceis ainda. Falar que vários tipos de classificações podem ser utilizadas e quanto mais detalhe melhor, porém os dados é que são mais limitantes. Se focarmos em dados de germinação e crescimento limitantes, como sugerem sainete e whitmore, da uma idéia maismrápida e a curto prazo da classificação destas espécies. Depois com o tempo conseguiremos construir classificações mais detalhadas e com mais dados confiáveis. </Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Our approach avoided preconceived notions of successional</p>
<p>behavior or shade tolerance of tree species by developing an objective</p>
<p>and independent classification of functional types based on vegetation</p>
<p>monitoring data from permanent sample plots in mature and</p>
<p>secondary forests of northeastern Costa Rica (Finegan et al. 1999,</p>
<p>Chazdon et al. 2007).We apply an independent, prior classification</p>
<p>of 293 tree species from our study region into five functional types, based on two species attributes: canopy strata and diameter growth</p>
<p>rates for individuals Z10 cm dbh (Finegan et al. 1999, Salgado-</p>
<p>Negret 2007).</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Our results demonstrate strong linkages between functional</p>
<p>types defined by adult height and growth rates of large trees and</p>
<p>colonization groups based on the timing of seedling, sapling, and</p>
<p>tree recruitment in secondary forests.</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>These results allow us to move beyond earlier conceptual</p>
<p>frameworks of tropical forest secondary succession developed</p>
<p>by Finegan (1996) and Chazdon (2008) based on subjective groupings,</p>
<p>such as pioneers and shade-tolerant species (Swaine &amp;</p>
<p>Whitmore 1988).</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Reproductive traits, such as dispersal mode, pollination mode,</p>
<p>and sexual system, were ultimately not useful in delimiting tree</p>
<p>functional types for the tree species examined here (Salgado-Negret</p>
<p>2007). Thus, although reproductive traits do vary quantitatively in</p>
<p>abundance between secondary and mature forests in our landscape</p>
<p>(Chazdon et al. 2003), they do not seem to be important drivers of</p>
<p>successional dynamics of trees Z10 cm dbh. For seedlings, however,</p>
<p>dispersal mode and seed size are likely to play an important</p>
<p>role in community dynamics during succession (Dalling&amp;Hubbell</p>
<p>2002).</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Our classification of colonization groups defies the traditional</p>
<p>dichotomy between late successional shade-tolerant and early successional</p>
<p>pioneer species. Many tree species, classified here as</p>
<p>regenerating pioneers on the basis of their population structure in</p>
<p>secondary forests, are common in both young secondary forest and</p>
<p>mature forests in this region (Guariguata et al. 1997), and many are</p>
<p>important timber species (Vilchez et al. 2008). These generalists are</p>
<p>by far the most abundant species of seedlings and saplings, conferring</p>
<p>a high degree of resilience in the wet tropical forests of NE</p>
<p>Costa Rica (Norden et al. 2009, Letcher &amp; Chazdon 2009). The</p>
<p>high abundance of regenerating pioneers in seedling and sapling</p>
<p>size classes clearly shows that species with shade-tolerant seedlings</p>
<p>can also recruit as trees early in succession. For these species, early</p>
<p>tree colonization enhances seedling and sapling recruitment during</p>
<p>the first 2030 yr of succession, due to local seed rain. Species</p>
<p>abundance and size distribution depend strongly on chance colonization</p>
<p>events early in succession (Chazdon 2008). Other studies</p>
<p>have shown that mature forest species are able to colonize early in</p>
<p>succession (Finegan 1996, van Breugel et al. 2007, Franklin &amp; Rey</p>
<p>2007, Ochoa-Gaona et al. 2007), emphasizing the importance of</p>
<p>initial floristic composition in the determination of successional</p>
<p>pathways and rates of forest regrowth. On the other hand, significant</p>
<p>numbers of species in our sites (40% overall and the majority</p>
<p>of rare species) colonized only after canopy closure, and these species</p>
<p>may not occur as mature individuals until decades after agricultural</p>
<p>abandonment.</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>Classifying functional types</p>
<p>based on functional traits with low plasticity, such as wood density</p>
<p>and seed size, could potentially serve as robust proxies for demographic</p>
<p>variables (Poorter et al. 2008, Zhang et al. 2008).</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<ss:Data xmlns="http://www.w3.org/TR/REC-html40" ss:Type="String">
<p>CONDIT, R., S. P. HUBBELL, AND R. B. FOSTER. 1996. Assessing the response of</p>
<p>plant functional types in tropical forests to climatic change. J. Veg. Sci.</p>
<p>7: 405416.</p>
<p>DALLING, J. S., AND S. P. HUBBELL. 2002. Seed size, growth rate and gap microsite</p>
<p>conditions as determinants of recruitment success for pioneer species.</p>
<p>J. Ecol. 90: 557568.</p>
<p>FINEGAN, B. 1996. Pattern and process in neotropical secondary forests: The first</p>
<p>100 years of succession. Trends Ecol. Evol. 11: 119124.</p>
<p>POORTER, L., S. J. WRIGHT, H. PAZ, D. D. ACKERLY, R. CONDIT, G.</p>
<p>IBARRA-MANRI´QUEZ, K. E. HARMS, J. C. LICONA, M.MARTI´NEZ-RAMOS,</p>
<p>S. J. MAZER, H. C. MULLER-LANDAU, M. PEN˜ A-CLAROS, C. O. WEBB,</p>
<p>AND I. J. WRIGHT. 2008. Are functional traits good predictors of demographic</p>
<p>rates? Evidence from five Neotropical forests. Ecology 89:</p>
<p>19081920.</p>
<p>ZHANG, Z. D., R. G. ZANG, AND Y. D. QI. 2008. Spatiotemporal patterns and</p>
<p>dynamics of species richness and abundance of woody plant functional</p>
<p>groups in a tropical forest landscape of Hainan Island, South China.</p>
<p>J. Integr. Plant Biol. 50: 547558.</p>
</ss:Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="2">
<Data ss:Type="String">Poorter 1999. Functional Ecology. 13:396-410</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="3">
<Data ss:Type="String">Espécies pioneiras crescem mais rápido do que as não pioneiras</Data>
</Cell>
</Row>
<Row>
<Cell ss:Index="4">
<Data ss:Type="String">Tolerância a sombra está relacionada com persistência e não com crescimento</Data>
</Cell>
</Row>
</Table>
</Worksheet>
</Workbook>

View File

@ -0,0 +1,7 @@
i18n
,
Este es un é con acento
,
Este es una ñ
,
這是一個樣本 Japanise。
1 i18n
2 ,
3 Este es un é con acento
4 ,
5 Este es una ñ
6 ,
7 這是一個樣本 Japanise。

View File

@ -0,0 +1,297 @@
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<?mso-application progid="Word.Document"?><w:wordDocument xmlns:sl="http://schemas.microsoft.com/schemaLibrary/2003/core" xmlns:w="http://schemas.microsoft.com/office/word/2003/wordml" xmlns:v="urn:schemas-microsoft-com:vml" xmlns:w10="urn:schemas-microsoft-com:office:word" xmlns:dt="uuid:C2F41010-65B3-11d1-A29F-00AA00C14882" xmlns:aml="http://schemas.microsoft.com/aml/2001/core" xmlns:wx="http://schemas.microsoft.com/office/word/2003/auxHint" xmlns:o="urn:schemas-microsoft-com:office:office">
<o:DocumentProperties>
<o:Title>i18n</o:Title>
</o:DocumentProperties>
<w:styles>
<w:versionOfBuiltInStylenames w:val="4"/>
<w:latentStyles w:defLockedState="off" w:latentStyleCount="156"/>
<w:style w:type="paragraph" w:default="on" w:styleId="Normal">
<w:name w:val="Normal"/>
<w:rsid w:val="00831C9D"/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:sz w:val="24"/>
<w:sz-cs w:val="24"/>
<w:lang w:val="EN-US" w:fareast="EN-US" w:bidi="AR-SA"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading1">
<w:name w:val="heading 1"/>
<wx:uiName wx:val="Heading 1"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading1"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="32"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading2">
<w:name w:val="heading 2"/>
<wx:uiName wx:val="Heading 2"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading2"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="1"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading3">
<w:name w:val="heading 3"/>
<wx:uiName wx:val="Heading 3"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading3"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="2"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading4">
<w:name w:val="heading 4"/>
<wx:uiName wx:val="Heading 4"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading4"/>
<w:keepNext/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="3"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="28"/>
<w:sz-cs w:val="28"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading5">
<w:name w:val="heading 5"/>
<wx:uiName wx:val="Heading 5"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading5"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="4"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:i/>
<w:i-cs/>
<w:sz w:val="26"/>
<w:sz-cs w:val="26"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading6">
<w:name w:val="heading 6"/>
<wx:uiName wx:val="Heading 6"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading6"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="5"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:b/>
<w:b-cs/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading7">
<w:name w:val="heading 7"/>
<wx:uiName wx:val="Heading 7"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading7"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="6"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading8">
<w:name w:val="heading 8"/>
<wx:uiName wx:val="Heading 8"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading8"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="7"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
<w:i/>
<w:i-cs/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="Heading9">
<w:name w:val="heading 9"/>
<wx:uiName wx:val="Heading 9"/>
<w:basedOn w:val="Normal"/>
<w:next w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Heading9"/>
<w:spacing w:before="240" w:after="60"/>
<w:outlineLvl w:val="8"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:sz w:val="22"/>
<w:sz-cs w:val="22"/>
</w:rPr>
</w:style>
<w:style w:type="character" w:default="on" w:styleId="DefaultParagraphFont">
<w:name w:val="Default Paragraph Font"/>
<w:semiHidden/>
</w:style>
<w:style w:type="table" w:default="on" w:styleId="TableNormal">
<w:name w:val="Normal Table"/>
<wx:uiName wx:val="Table Normal"/>
<w:semiHidden/>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
<w:tblPr>
<w:tblInd w:w="0" w:type="dxa"/>
<w:tblCellMar>
<w:top w:w="0" w:type="dxa"/>
<w:left w:w="108" w:type="dxa"/>
<w:bottom w:w="0" w:type="dxa"/>
<w:right w:w="108" w:type="dxa"/>
</w:tblCellMar>
</w:tblPr>
</w:style>
<w:style w:type="list" w:default="on" w:styleId="NoList">
<w:name w:val="No List"/>
<w:semiHidden/>
</w:style>
<w:style w:type="paragraph" w:styleId="Title">
<w:name w:val="Title"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="Title"/>
<w:spacing w:before="240" w:after="60"/>
<w:jc w:val="center"/>
<w:outlineLvl w:val="0"/>
</w:pPr>
<w:rPr>
<w:rFonts w:ascii="Arial" w:h-ansi="Arial" w:cs="Arial"/>
<wx:font wx:val="Arial"/>
<w:b/>
<w:b-cs/>
<w:kern w:val="28"/>
<w:sz w:val="32"/>
<w:sz-cs w:val="32"/>
</w:rPr>
</w:style>
<w:style w:type="paragraph" w:styleId="BodyText">
<w:name w:val="Body Text"/>
<w:basedOn w:val="Normal"/>
<w:rsid w:val="00BA7540"/>
<w:pPr>
<w:pStyle w:val="BodyText"/>
<w:spacing w:after="120"/>
</w:pPr>
<w:rPr>
<wx:font wx:val="Times New Roman"/>
</w:rPr>
</w:style>
</w:styles>
<w:body>
<wx:sect>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Title"/>
</w:pPr>
<w:r>
<w:t>i18n</w:t>
</w:r>
</w:p>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Este es un é con acento</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>Este es una ñ</w:t>
</w:r>
</w:p>
</wx:sub-section>
<wx:sub-section>
<w:p>
<w:pPr>
<w:pStyle w:val="Heading1"/>
</w:pPr>
<w:r>
<w:t>這是一個樣本 Japanise。</w:t>
</w:r>
</w:p>
</wx:sub-section>
</wx:sub-section>
</wx:sect>
</w:body>
</w:wordDocument>

Some files were not shown because too many files have changed in this diff Show More