mirror of
https://bitbucket.org/wisemapping/wisemapping-frontend.git
synced 2024-11-13 02:37:57 +01:00
Add support for MD export
This commit is contained in:
parent
5dbbd779a4
commit
b7c793daa7
98
packages/mindplot/src/components/export/MDExporter.ts
Normal file
98
packages/mindplot/src/components/export/MDExporter.ts
Normal file
@ -0,0 +1,98 @@
|
||||
/*
|
||||
* Copyright [2021] [wisemapping]
|
||||
*
|
||||
* Licensed under WiseMapping Public License, Version 1.0 (the "License").
|
||||
* It is basically the Apache License, Version 2.0 (the "License") plus the
|
||||
* "powered by wisemapping" text requirement on every single page;
|
||||
* you may not use this file except in compliance with the License.
|
||||
* You may obtain a copy of the license at
|
||||
*
|
||||
* http://www.wisemapping.org/license
|
||||
*
|
||||
* Unless required by applicable law or agreed to in writing, software
|
||||
* distributed under the License is distributed on an "AS IS" BASIS,
|
||||
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||||
* See the License for the specific language governing permissions and
|
||||
* limitations under the License.
|
||||
*/
|
||||
import { Mindmap } from "../..";
|
||||
import IconModel from "../model/IconModel";
|
||||
import INodeModel from "../model/INodeModel";
|
||||
import LinkModel from "../model/LinkModel";
|
||||
import NoteModel from "../model/NoteModel";
|
||||
import Exporter from "./Exporter";
|
||||
|
||||
class MDExporter implements Exporter {
|
||||
private mindmap: Mindmap;
|
||||
private footNotes = []
|
||||
|
||||
constructor(mindmap: Mindmap) {
|
||||
this.mindmap = mindmap;
|
||||
}
|
||||
|
||||
extension(): string {
|
||||
return 'md';
|
||||
}
|
||||
|
||||
private normalizeText(value: string): string {
|
||||
return value.replace('\n', '');
|
||||
}
|
||||
|
||||
export(): Promise<string> {
|
||||
this.footNotes = [];
|
||||
const mindmap = this.mindmap;
|
||||
|
||||
// Add cental node as text ...
|
||||
const centralTopic = this.mindmap.getCentralTopic();
|
||||
const centralText = this.normalizeText(centralTopic.getText());
|
||||
|
||||
// Traverse all the branches ...
|
||||
let result = `# ${centralText}\n\n`
|
||||
result += this.traverseBranch('', centralTopic.getChildren());
|
||||
|
||||
// White footnotes:
|
||||
if (this.footNotes.length > 0) {
|
||||
result += '\n\n\n';
|
||||
this.footNotes.forEach((note, index) => {
|
||||
result += `[^${index + 1}]: ${this.normalizeText(note)}`;
|
||||
});
|
||||
}
|
||||
result += '\n';
|
||||
|
||||
return Promise.resolve(result);
|
||||
}
|
||||
|
||||
private traverseBranch(prefix: string, branches: Array<INodeModel>) {
|
||||
let result = '';
|
||||
branches.forEach((node) => {
|
||||
result = result + `${prefix}- ${node.getText()}`;
|
||||
node.getFeatures().forEach((f) => {
|
||||
const type = f.getType();
|
||||
// Dump all features ...
|
||||
if (type === 'link') {
|
||||
result = result + ` ( [link](${(f as LinkModel).getUrl()}) )`
|
||||
}
|
||||
|
||||
if (type === 'note') {
|
||||
const note = f as NoteModel;
|
||||
this.footNotes.push(note.getText());
|
||||
result = result + `[^${this.footNotes.length}] `
|
||||
}
|
||||
|
||||
// if(type === 'icon'){
|
||||
// const icon = f as IconModel;
|
||||
// result = result + ` ![${icon.getIconType().replace('_','')}!](https://app.wisemapping.com/images/${icon.getIconType()}.svg )`
|
||||
// }
|
||||
});
|
||||
result = result + '\n';
|
||||
|
||||
if (node.getChildren().length > 0) {
|
||||
result = result + this.traverseBranch(`${prefix}\t`, node.getChildren());
|
||||
}
|
||||
});
|
||||
return result;
|
||||
}
|
||||
|
||||
|
||||
}
|
||||
export default MDExporter;
|
@ -17,12 +17,11 @@
|
||||
* limitations under the License.
|
||||
*/
|
||||
import { Mindmap } from "../..";
|
||||
import { parseXMLString } from "../../../test/unit/export/Helper";
|
||||
import Exporter from "./Exporter";
|
||||
|
||||
class SVGExporter implements Exporter {
|
||||
svgElement: Element;
|
||||
prolog: string = '<?xml version="1.0" encoding="utf-8" standalone="yes"?>\n';
|
||||
private svgElement: Element;
|
||||
private prolog: string = '<?xml version="1.0" encoding="utf-8" standalone="yes"?>\n';
|
||||
|
||||
constructor(mindmap: Mindmap, svgElement: Element, centerImgage: boolean = false) {
|
||||
this.svgElement = svgElement;
|
||||
|
@ -17,10 +17,12 @@
|
||||
*/
|
||||
import { Mindmap } from "../..";
|
||||
import Exporter from "./Exporter";
|
||||
import MDExporter from "./MDExporter";
|
||||
import TxtExporter from "./TxtExporter";
|
||||
import WiseXMLExporter from "./WiseXMLExporter";
|
||||
|
||||
type type = 'wxml' | 'txt' | 'mm' | 'csv';
|
||||
type type = 'wxml' | 'txt' | 'mm' | 'csv' | 'md';
|
||||
|
||||
class TextExporterFactory {
|
||||
static create(type: type, mindmap: Mindmap): Exporter {
|
||||
let result: Exporter;
|
||||
@ -31,7 +33,10 @@ class TextExporterFactory {
|
||||
case 'txt':
|
||||
result = new TxtExporter(mindmap);
|
||||
break;
|
||||
default:
|
||||
case 'md':
|
||||
result = new MDExporter(mindmap);
|
||||
break;
|
||||
default:
|
||||
throw new Error(`Unsupported type ${type}`);
|
||||
}
|
||||
return result;
|
||||
|
@ -18,11 +18,11 @@
|
||||
import { Mindmap } from "../..";
|
||||
import INodeModel from "../model/INodeModel";
|
||||
import LinkModel from "../model/LinkModel";
|
||||
import NodeModel from "../model/NodeModel";
|
||||
import Exporter from "./Exporter";
|
||||
|
||||
class TxtExporter implements Exporter {
|
||||
mindmap: Mindmap;
|
||||
private mindmap: Mindmap;
|
||||
|
||||
constructor(mindmap: Mindmap) {
|
||||
this.mindmap = mindmap;
|
||||
}
|
||||
|
@ -28,7 +28,7 @@ class IconModel extends FeatureModel {
|
||||
return this.getAttribute('id');
|
||||
}
|
||||
|
||||
setIconType(iconType: string) {
|
||||
setIconType(iconType: string):void {
|
||||
$assert(iconType, 'iconType id can not be null');
|
||||
this.setAttribute('id', iconType);
|
||||
}
|
||||
|
@ -4,14 +4,16 @@ import XMLSerializerFactory from '../../../src/components/persistence/XMLSeriali
|
||||
import TextExporterFactory from '../../../src/components/export/TextExporterFactory';
|
||||
import { parseXMLFile, setupBlob, exporterAssert } from './Helper';
|
||||
import fs from 'fs';
|
||||
import { test, expect } from '@jest/globals'; // Workaround for cypress conflict
|
||||
import { test } from '@jest/globals'; // Workaround for cypress conflict
|
||||
|
||||
setupBlob();
|
||||
|
||||
const testNames = fs.readdirSync(path.resolve(__dirname, './input/'))
|
||||
.filter((f) => f.endsWith('.wxml'))
|
||||
.map((filename: string) => filename.split('.')[0]);
|
||||
|
||||
describe('WXML export test execution', () => {
|
||||
test.each(fs.readdirSync(path.resolve(__dirname, './input/'))
|
||||
.filter((f) => f.endsWith('.wxml'))
|
||||
.map((filename: string) => filename.split('.')[0]))
|
||||
test.each(testNames)
|
||||
(`Exporting %p suite`, async (testName: string) => {
|
||||
// Load mindmap DOM ...
|
||||
const mindmapPath = path.resolve(__dirname, `./input/${testName}.wxml`);
|
||||
@ -27,9 +29,7 @@ describe('WXML export test execution', () => {
|
||||
});
|
||||
|
||||
describe('Txt export test execution', () => {
|
||||
test.each(fs.readdirSync(path.resolve(__dirname, './input/'))
|
||||
.filter((f) => f.endsWith('.wxml'))
|
||||
.map((filename: string) => filename.split('.')[0]))
|
||||
test.each(testNames)
|
||||
(`Exporting %p suite`, async (testName: string) => {
|
||||
// Load mindmap DOM ...
|
||||
const mindmapPath = path.resolve(__dirname, `./input/${testName}.wxml`);
|
||||
@ -42,4 +42,20 @@ describe('WXML export test execution', () => {
|
||||
const exporter = TextExporterFactory.create('txt', mindmap);
|
||||
await exporterAssert(testName, exporter);
|
||||
});
|
||||
});
|
||||
});
|
||||
|
||||
describe('MD export test execution', () => {
|
||||
test.each(testNames)
|
||||
(`Exporting %p suite`, async (testName: string) => {
|
||||
// Load mindmap DOM ...
|
||||
const mindmapPath = path.resolve(__dirname, `./input/${testName}.wxml`);
|
||||
const mapDocument = parseXMLFile(mindmapPath, 'text/xml');
|
||||
|
||||
// Convert to mindmap ...
|
||||
const serializer = XMLSerializerFactory.createInstanceFromDocument(mapDocument);
|
||||
const mindmap: Mindmap = serializer.loadFromDom(mapDocument, testName);
|
||||
|
||||
const exporter = TextExporterFactory.create('md', mindmap);
|
||||
await exporterAssert(testName, exporter);
|
||||
});
|
||||
});
|
||||
|
40
packages/mindplot/test/unit/export/expected/bug2.md
Normal file
40
packages/mindplot/test/unit/export/expected/bug2.md
Normal file
@ -0,0 +1,40 @@
|
||||
# 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[^1]
|
||||
- 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]: 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á.
|
320
packages/mindplot/test/unit/export/expected/bug3.md
Normal file
320
packages/mindplot/test/unit/export/expected/bug3.md
Normal file
@ -0,0 +1,320 @@
|
||||
# Indicator needs
|
||||
|
||||
- Which new measures[^1]
|
||||
- Landscape of measures
|
||||
- Diversity index of innovation support instruments in the region[^2]
|
||||
- Existing investments in measures
|
||||
- What other regions do differently
|
||||
- Balance of measure index
|
||||
- Profile comparison with other regions
|
||||
- Number of specific types of measures per capita
|
||||
- How to design & implement measures[^3]
|
||||
- Good practices
|
||||
- Diagnostics
|
||||
- Internal business innovation factors
|
||||
- Return on investment to innovation
|
||||
- Firm's turnover from (new to firm)
|
||||
product innovation (as a pecentage of total turnover)
|
||||
- Increase in the probability to innovate linked to ICT use
|
||||
(in product innovation, process innovation, organisational innovaton, marketing innovation)
|
||||
- Scientific articles by type of collaboration (per capita)
|
||||
(international co-authoriship, domestic co-authoriship, single author)
|
||||
- Increase in a share of expenditures on technological
|
||||
innovations in the total amount of regional firms’ expenditures, %
|
||||
- Increase in the number of innovative companies with in-house R&D
|
||||
- Increase in th number of innovative companies without in-house R&D
|
||||
- Increase in th number of firms with
|
||||
international/national collaboration on innovation
|
||||
- Highly cited scientific articles (as a percentage of
|
||||
highly cited scientific article in the whole Federation)
|
||||
- Patents filed by public research organisations
|
||||
(as a percentafe of patent application filed under PCT)
|
||||
- Number of international patents
|
||||
- Start-up activity (as a percentage of start-up activity in the whole Federation)
|
||||
- Number of innovative companies to the number of students
|
||||
- Number of innovative companies to the number of researchers
|
||||
- Volume of license agreements to the volume of R&D support from the regional budget
|
||||
- How much effort: where & how[^4]
|
||||
- The bottom-line[^5]
|
||||
- Wages
|
||||
- Dynamics of real wages
|
||||
- Average wage (compare to the Fed)
|
||||
- Productivity
|
||||
- Labor productivity
|
||||
- Labor productivity growth rate
|
||||
- Jobs
|
||||
- Share of high-productive jobs
|
||||
- Share of creative industries jobs
|
||||
- Uneployment rate of university graduates
|
||||
- Income
|
||||
- GRP per capita and its growth rate
|
||||
- Influencing factors
|
||||
- Economy
|
||||
- Economic structure
|
||||
- Volume of manufacturing production per capita
|
||||
- Manufacturing value added per capita (non-natural resource-based)
|
||||
- The enabling environment
|
||||
- Ease of doing business[^6]
|
||||
- Level of administrative barriers (number and cost of administrative procedures)
|
||||
- Competition index[^7]
|
||||
- Workforce
|
||||
- Quality of education[^8]
|
||||
- Inrease in the number of International students
|
||||
- Quantity of education
|
||||
- Participation in life-long learning[^9]
|
||||
- Increase in literarecy
|
||||
- Amount of university and colleague
|
||||
students per 10 thousands population
|
||||
- Share of employees with higher education in
|
||||
the total amount of population at the working age
|
||||
- Increase in University students
|
||||
- Government expenditure on General University Funding
|
||||
- Access to training, information, and consulting support
|
||||
- Science & engineering workforce
|
||||
- Availability of scientists and engineers[^10]
|
||||
- Amount of researches per 10 thousands population
|
||||
- Average wage of researches per average wage in the region
|
||||
- Share of researchers in the total number of employees in the region
|
||||
- Government
|
||||
- Total expenditure of general government as a percentage of GDP
|
||||
- Government expenditure on Economic Development
|
||||
- Access to finance
|
||||
- Deals
|
||||
- Venture capital investments for start-ups as a percentage of GDP
|
||||
- Amounts of business angel, pre-seed, seed and venture financing
|
||||
- Amount of public co-funding of business R&D
|
||||
- Number of startups received venture financing
|
||||
- Number of companies received equity investments
|
||||
- Available
|
||||
- Amount of matching grants available in the region for business R&D
|
||||
- Number of Business Angels
|
||||
- ICT
|
||||
- ICT use[^11]
|
||||
- Broadband penetration
|
||||
- Internet penetration
|
||||
- Computer literacy
|
||||
- Behavior of innovation actors
|
||||
- Access to markets
|
||||
- FDI
|
||||
- foreign JVs
|
||||
- Inflow of foreign direct investments in high-technology industries
|
||||
- Foreign direct investment jobs[^12]
|
||||
- FDI as a share of regional non natural resource-based GRP
|
||||
- Number of foreign subsidiaries operating in the region
|
||||
- Share of foreign controlled enterprises
|
||||
- Exports
|
||||
- Export intensity in manufacturing and services[^13]
|
||||
- Share of high-technology export in the total volume
|
||||
of production of goods, works and services
|
||||
- Share of innovation production/serivces that goes for export,
|
||||
by zones (EU, US, CIS, other countries
|
||||
- Share of high-technology products in government procurements
|
||||
- Entrepreneurship culture
|
||||
- Fear of failure rate[^14]
|
||||
- Entrepreneurship as desirable career choice[^15]
|
||||
- High Status Successful Entrepreneurship[^16]
|
||||
- Collaboration & partnerships
|
||||
- Number of business contracts with foreign partners for R&D collaboration
|
||||
- Share of R&D financed from foreign sources[^17]
|
||||
- Firms collaborating on innovation with organizations in other countries[^18]
|
||||
- Share of Innovative companies collaborating
|
||||
with research institutions on innovation
|
||||
- Number of joint projects conducted by the local comapnies
|
||||
and local consulting/intermediary agencies
|
||||
- science and industry links
|
||||
- Technology absorption
|
||||
- Local supplier quality[^19]
|
||||
- Share of expenditures on technological innovations
|
||||
in the amount of sales
|
||||
- Number of purchased new technologies
|
||||
- Investments in ICT by asset (IT equipment,
|
||||
communication equipment, software)
|
||||
- Machinery and equipment
|
||||
- Software and databases
|
||||
- Level of energy efficiency of the regional economy
|
||||
(can be measured by sectors and for the whole region)
|
||||
- Share of wastes in the total volume of production (by sector)
|
||||
- Innovation activities in firms
|
||||
- Share of innovative companies
|
||||
- Business R&D expenditures per GRP
|
||||
- Factors hampering innovation[^20]
|
||||
- Expenditure on innovation by firm size
|
||||
- R&D and other intellectl property products
|
||||
- Growth of the number of innovative companies
|
||||
- Outpus
|
||||
- Volume of new to Russian market production per GRP
|
||||
- Volume of new to world market production per total production
|
||||
- Growth of the volume of production of innovative companies
|
||||
- Volume of innovation production per capita
|
||||
- Entrepreneurial activities
|
||||
- New business density[^21]
|
||||
- Volume of newly registered corporations [^22]
|
||||
- Share of gazelle companies in the total number of businesses
|
||||
- R&D production
|
||||
- Outputs
|
||||
- Amount of domestically protected intellectual
|
||||
property per 1 mln. population
|
||||
- Amount of PCT-applications per 1 mln. population
|
||||
- Number of domestic patent applications per R&D expenditures
|
||||
- Number of intellectual property exploited by regional
|
||||
enterprises per 1 mln. population
|
||||
- Publication activity of regional scientists and researches
|
||||
- Inputs
|
||||
- Regional and local budget expenditures on R&D
|
||||
- Government R&D expenditure
|
||||
- Public sector innovation
|
||||
- Number of advanced ICT introduced in the budgetary organizations
|
||||
(regional power, municipal bodies, social and educational organizations)
|
||||
- E-government index
|
||||
- Number of management innovations introduced in the budgetary organizations
|
||||
(regional power, municipal bodies, social and educational organizations)
|
||||
- Supporting organizations
|
||||
- Research institutions
|
||||
- Collaboration
|
||||
- Number of interactions between universities
|
||||
and large companies by university size
|
||||
- Resources
|
||||
- R&D expenditures per 1 researcher
|
||||
- Average wage of researches per average wage in the region
|
||||
- High education expenditure on R&D
|
||||
- Scientific outputs
|
||||
- Publications
|
||||
- Impact of publications in the ISI database (h-index)
|
||||
- Number of publications in international journals per worker per year
|
||||
- Publications: Academic articles in international peer-reviewed
|
||||
journals per 1,000 researchers [articles/1,000 researchers].
|
||||
- Number of foreign patents granted per staff
|
||||
- Supportive measures
|
||||
- Diversity index of university entrepreneurship support measures[^23]
|
||||
- Commercialization
|
||||
- Licensing
|
||||
- Academic licenses: Number of licenses
|
||||
per 1,000 researchers.[licenses/researcher]
|
||||
- Spin-offs
|
||||
- Number of spin-offs with external private financing
|
||||
as a share of the institution's R&D budget
|
||||
- Industry contracts
|
||||
- Industry revenue per staff
|
||||
- Foreign contracts: Number of contracts with foreign industria
|
||||
l companies at scientific and educational organizations
|
||||
per 1,000 researchers [contracts/researchers]
|
||||
- Share of industry income from foreign companies
|
||||
- Revenue raised from industry R&D as a fraction
|
||||
of total institutional budget (up to a cap)
|
||||
- Difficulties faced by research organization in collaborating with SMEs
|
||||
- Private market
|
||||
- Number of innovation & IP services organizations[^24]
|
||||
- Number of private innovation infrastructure organizations [^25]
|
||||
- Access to certification and licensing for specific activities
|
||||
- Access to suppliers of equipment, production and engineering services
|
||||
- Innovation infrastructure
|
||||
- Investments
|
||||
- Public investment in innovation infrastructure
|
||||
- Increase of government investment in innovation infrastructure
|
||||
- Number of Development institution projects performed in the region
|
||||
- Volume of seed investments by the regional budget
|
||||
- Volume of venture financing from the regional budget
|
||||
- Volume of state support per one company
|
||||
- What to do about existing measures[^26]
|
||||
- Demand for measure
|
||||
- Quality of beneficiaries
|
||||
- Growth rates of employment in supported innovative firms
|
||||
- Growth rates of employment in supported innovative firms
|
||||
- Role of IP for tenants/clients[^27]
|
||||
- Share of tenants with innovation activities
|
||||
- Gazelle tenant: Share of tenants with
|
||||
annual revenue growth of more than 20%
|
||||
for each of the past four years or since formation [%]
|
||||
- Globalization of tenants: Median share of tenant
|
||||
revenues obtained from exports [%]
|
||||
- Number of beneficiaries
|
||||
- Number of projects conducted by companies in cooperation with innovation infrastructure
|
||||
- Scope and intensity of use of services offered to firms
|
||||
- Number of companies supported by the infrastructure (training, information, consultations, etc.)
|
||||
- Increase in the number of business applying for public support programmes (regional, federal, international)
|
||||
- Degree of access
|
||||
- Level of awareness
|
||||
- Perception (opinion poll) of business managers
|
||||
regarding public support programmes
|
||||
- Transparency
|
||||
- Perception of business managers in terms
|
||||
of level of transparency of support measures in the region
|
||||
- Description by regional business managers of the way the
|
||||
select and apply for regional and federal support schemes
|
||||
- Number of applicants
|
||||
- Increase in the number of business applying for public support programmes
|
||||
- Number of companies that know about a particular program
|
||||
- Increase in the number of start-ups applying to receive VC investments
|
||||
- Increase in the number of start-ups applying for a place in the incubators
|
||||
- Inputs of measures
|
||||
- Qualified staff[^28]
|
||||
- Budget per beneficiary
|
||||
- Performance of measure
|
||||
- Implementation of measure
|
||||
- Target vs. actual KPIs
|
||||
- Intermediate outputs per budget
|
||||
- Qualification of staff
|
||||
- Output of measure
|
||||
- Opinion surveys
|
||||
- Opinions of beneficiaries
|
||||
- Hard metrics
|
||||
- Output per headcount (e.g. staff, researchers)
|
||||
- Productivity analysis
|
||||
- Impact of measure
|
||||
- Opinion surveys
|
||||
- Perception of support impact (opinion polls)
|
||||
- Perception of the activity of regional government by the regional companies
|
||||
- Hard metrics
|
||||
- Increase in number of small innovation enterprises
|
||||
- Growth of the total volume of salary in the supported companies (excluding inflation)
|
||||
- Growth of the volume of regional taxes paid by the supported companies
|
||||
- Growth of the volume of export at the supported companies
|
||||
- Number of new products/projects at the companies that received support
|
||||
- Impact assessment
|
||||
- Average leverage of 1rub (there would be
|
||||
several programs with different leverage)
|
||||
- Volume of attracted money per one ruble
|
||||
of regional budget expenditures on innovation projects
|
||||
- What investments in innovative projects[^29]
|
||||
- Competitive niches
|
||||
- Clusters behavior
|
||||
- Cluster EU star rating
|
||||
- Share of value added of cluster enterprises in GRP
|
||||
- Share of cluster products in the relevant world market segment
|
||||
- Share of export in cluster total volume of sales
|
||||
- Growth of the volume of production in the cluster companies
|
||||
- Growth of the volume of production in the cluster companies
|
||||
to the volume of state support for the cluster
|
||||
- Growth of the volume of innovation production in the cluster
|
||||
- Share of export in cluster total volume of sales (by zones: US, EU, CIS, other countries)
|
||||
- Internal behavior
|
||||
- Median wage in the cluster
|
||||
- Growth of the volume of R&D in the cluster
|
||||
- Cluster collaboration
|
||||
- R&D
|
||||
- Patent map
|
||||
- Publications map
|
||||
- Industry
|
||||
- FDI map
|
||||
- Gazelle map
|
||||
- Business R&D expenditures as a share of revenues by sector
|
||||
- Share of regional products in the world market
|
||||
- Expenditure on innovation by firm size, by sector
|
||||
- Entrepreneurship
|
||||
- Startup map
|
||||
- Venture investment map
|
||||
- Attractiveness to public competitive funding
|
||||
- Fed and regional seed fund investments
|
||||
- FASIE projects: Number of projects supported
|
||||
by the FASIE per 1,000 workers [awards/worker]
|
||||
- Competitiveness support factors
|
||||
- Private investment in innovation
|
||||
- How to improve image
|
||||
- Rankings
|
||||
- macro indicators
|
||||
- meso-indicators
|
||||
- Innovation investment climate
|
||||
|
||||
|
||||
|
||||
[^1]: Identifying new measures or investments that should be implemented.[^2]: Number of different innovations policy instruments existing in the region as a share of a total number representing a full typology of instruments[^3]: Understanding how to design the details of a particular measure and how to implement them.[^4]: Understanding the level of effort the region needs to take to compete on innovation and where to put this effort[^5]: This is what policy makers care about in the end[^6]: WB[^7]: GCR[^8]: GCR[^9]: per 100 population aged 25-64[^10]: GCR[^11]: GCR[^12]: : the percentage of the workforce employed by foreign companies [%]. [^13]: : exports as a share of total output in manufacturing and services [%].[^14]: GEM[^15]: GEM[^16]: GEM[^17]: UNESCO[^18]: CIS[^19]: GCR[^20]: CIS, BEEPS[^21]: Number of new organizations per thousand working age population (WBI)[^22]: (as a percentage of all registered corporations)[^23]: Number of measures offered by the unversity within a preset range (NCET2 survey)[^24]: (design firms, IP consultants, etc.)[^25]: (e.g. accelerators, incubators)[^26]: Understanding which measures should be strengthened, dropped or improved, and how.[^27]: WIPO SURVEY OF INTELLECTUAL PROPERTY SERVICES OFEUROPEAN TECHNOLOGY INCUBATORS[^28]: JL: not sure how this would be measured[^29]: Understanding what investments should be made in innovative projects.
|
@ -0,0 +1,3 @@
|
||||
# Observation
|
||||
|
||||
|
21
packages/mindplot/test/unit/export/expected/complex.md
Normal file
21
packages/mindplot/test/unit/export/expected/complex.md
Normal file
@ -0,0 +1,21 @@
|
||||
# PPM Plan
|
||||
|
||||
- Business Development
|
||||
- Backlog Management ( [link](https://docs.google.com/a/freeform.ca/drawings/d/1mrtkVAN3_XefJJCgfxw4Va6xk9TVDBKXDt_uzyIF4Us/edit) )
|
||||
- Freeform IT
|
||||
- Client Project Management
|
||||
- Governance & Executive
|
||||
- Finance
|
||||
- Administration
|
||||
- Human Resources[^1]
|
||||
- Freeform Hosting
|
||||
- Community Outreach
|
||||
- R&D
|
||||
- Goals
|
||||
- Formulize
|
||||
- Probono
|
||||
- null
|
||||
|
||||
|
||||
|
||||
[^1]: HR Vision: Freeform Solutions is successful at its mission, sustainable as an organization AND is a great place to work.HR Mission: To provide a positive HR service experience for applicants and employees, and collaborate with departments to recruit, develop, support, and retain diverse and talented employees who are the key to Freeform’s reputation and success.
|
77
packages/mindplot/test/unit/export/expected/emptyNodes.md
Normal file
77
packages/mindplot/test/unit/export/expected/emptyNodes.md
Normal file
@ -0,0 +1,77 @@
|
||||
#
|
||||
|
||||
- objectifs journée
|
||||
- "business plan" associatif ?
|
||||
- modèle / activités responsabilités
|
||||
- articulations / LOG
|
||||
- SWOT
|
||||
-
|
||||
- l'entreprise a aujourd'hui un potentiel important
|
||||
- compétences professionnel
|
||||
- citoyen
|
||||
- forte chance de réussite
|
||||
- apporter des idées et propsitions à des questions sociétales
|
||||
- notre manière d"y répondre avec notamment les technlogies
|
||||
- l'opportunité et la demande sont fortes aujourd'hui, avec peu de "concurrence"
|
||||
- ensemble de ressources "rares"
|
||||
- capacités de recherche et innovation
|
||||
- motivation du groupe et sens partagé entre membres
|
||||
- professionnellement : expérience collective et partage d'outils en pratique
|
||||
- ouverture vers mode de vie attractif perso / pro
|
||||
- potentiel humain, humaniste et citoyen
|
||||
- assemblage entre atelier et outillage
|
||||
- capacité de réponder en local et en global
|
||||
- associatif : contxte de crise multimorphologique / positionne référence en réflexion et usages
|
||||
- réseau régional et mondial de l'économie de la ,connaisance
|
||||
- asso prend pied dans le monde de la recherche
|
||||
- labo de l'innovation sociopolitique
|
||||
- acteur valable avec pouvoirs et acteurs en place
|
||||
- autonomie par prestations et services
|
||||
- triptique
|
||||
- éthique de la discussion
|
||||
- pari de la délégation
|
||||
- art de la décision
|
||||
- réussir à caler leprojet en adéquation avec le contexte actuel
|
||||
- assoc : grouper des personnes qui développent le concept
|
||||
- traduire les belles pensées au niveau du citoyen
|
||||
- compréhension
|
||||
- adhésion
|
||||
- ressources contributeurs réfréents
|
||||
- reconnaissance et référence exemplaires
|
||||
- financeements suffisants pour bien exister
|
||||
- notre organisation est claire
|
||||
- prendre des "marchés émergent"
|
||||
- double stratup avec succes-story
|
||||
- engageons une activité présentielle forte, conviviale et exemplaire
|
||||
- attirer de nouveaux membres locomotives
|
||||
- pratiquons en interne et externe une gouvernance explaire etune citoyennté de rêve
|
||||
- Risques : cauchemars, dangers
|
||||
- disparition des forces vives, départ de membres actuels
|
||||
- opportunités atteignables mais difficile
|
||||
- difficultés de travailler ensemble dans la durée
|
||||
- risque de rater le train
|
||||
- sauter dans le dernier wagon et rester à la traîne
|
||||
- manquer de professionnalisme
|
||||
- perte de crédibilité
|
||||
- s'isoler entre nous et perdre le contact avec les autres acteurs
|
||||
- perdre la capacité de réponse au global
|
||||
- manque de concret, surdimension des reflexions
|
||||
- manque d'utilité socioplolitique
|
||||
- manque de nouveaux membres actifs, fidéliser
|
||||
- faire du surplace et
|
||||
- manque innovation
|
||||
-
|
||||
- ne pas vivre ce que nous affirmons
|
||||
- cohérence entre langage gouvernance et la pratique
|
||||
- groupe de base insuffisant
|
||||
- non attractifs / nouveaux
|
||||
- pas ennuyants
|
||||
- pas efficaces en com
|
||||
- trop lent, rater l'opportunité actuelle
|
||||
- débordés par "concurrences"
|
||||
- départs de didier, micvhel, rené, corinne MCD etc
|
||||
- conclits de personnes et schisme entre 2 groupes ennemis
|
||||
- groupe amicale mais très merdique
|
||||
- système autocratique despotique ou sectaire
|
||||
-
|
||||
|
140
packages/mindplot/test/unit/export/expected/enc.md
Normal file
140
packages/mindplot/test/unit/export/expected/enc.md
Normal file
@ -0,0 +1,140 @@
|
||||
# Artigos GF comentários interessantes
|
||||
|
||||
- Baraloto et al. 2010. Functional trait variation and sampling strategies in species-rich plant communities
|
||||
- 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).
|
||||
- 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.
|
||||
- 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.
|
||||
- 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.
|
||||
- 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.[^1]
|
||||
- We suggest that, in these studies,
|
||||
the investment in complete sampling may be worthwhile
|
||||
for at least some traits.[^2]
|
||||
- Chazdon 2010. Biotropica. 42(1): 31–40
|
||||
- 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).
|
||||
- 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.
|
||||
- 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.
|
||||
- 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).
|
||||
- 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.
|
||||
- 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).
|
||||
- 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).
|
||||
- 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 20–30 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.
|
||||
- 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).
|
||||
- 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: 405–416.
|
||||
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: 557–568.
|
||||
FINEGAN, B. 1996. Pattern and process in neotropical secondary forests: The first
|
||||
100 years of succession. Trends Ecol. Evol. 11: 119–124.
|
||||
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:
|
||||
1908–1920.
|
||||
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: 547–558.
|
||||
|
||||
- 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]: Isso significa que estudos de característica de história de vida compensam? Ver nos m&m.[^2]: Falar que isso corrobora nossa sugestão de utilizar poucas medidas, mas que elas sejam confiáveis.
|
6
packages/mindplot/test/unit/export/expected/i18n.md
Normal file
6
packages/mindplot/test/unit/export/expected/i18n.md
Normal file
@ -0,0 +1,6 @@
|
||||
# i18n
|
||||
|
||||
- Este es un é con acento
|
||||
- Este es una ñ
|
||||
- 這是一個樣本 Japanise。
|
||||
|
9
packages/mindplot/test/unit/export/expected/i18n2.md
Normal file
9
packages/mindplot/test/unit/export/expected/i18n2.md
Normal file
@ -0,0 +1,9 @@
|
||||
# أَبْجَدِيَّة عَرَبِيَّة
|
||||
|
||||
- أَبْجَدِيَّة عَرَبِ[^1]
|
||||
- Long text node:
|
||||
أَبْجَدِيَّة عَرَب
|
||||
|
||||
|
||||
|
||||
[^1]: This is a not in languange أَبْجَدِيَّة عَرَبِ
|
38
packages/mindplot/test/unit/export/expected/issue.md
Normal file
38
packages/mindplot/test/unit/export/expected/issue.md
Normal file
@ -0,0 +1,38 @@
|
||||
# La computadora
|
||||
|
||||
- Hardware
|
||||
(componentes físicos)
|
||||
- Entrada de datos
|
||||
|
||||
- Ratón, Teclado, Joystick,
|
||||
Cámara digital, Micrófono, Escáner.
|
||||
- Salida de datos
|
||||
- Monitor, Impresora, Bocinas, Plóter.
|
||||
|
||||
- Almacenamiento
|
||||
- Disquete, Disco compacto, DVD,
|
||||
BD, Disco duro, Memoria flash.
|
||||
- Software
|
||||
(Programas y datos con los que funciona la computadora)
|
||||
|
||||
- Software de Sistema:Permite el entendimiento
|
||||
entre el usuario y la maquina.
|
||||
- Microsoft Windows
|
||||
- GNU/LINUX
|
||||
- MAC
|
||||
- Software de Aplicación: Permite hacer hojas de
|
||||
calculo navegar en internet, base de datos, etc.
|
||||
- Office
|
||||
- Libre Office
|
||||
- Navegadores
|
||||
- Msn
|
||||
- Software de Desarrollo
|
||||
|
||||
- Tipos de computadora
|
||||
- Computadora personal de escritorio o Desktop
|
||||
- PDA
|
||||
|
||||
- Laptop
|
||||
- Servidor
|
||||
- Tablet PC
|
||||
|
3
packages/mindplot/test/unit/export/expected/npe.md
Normal file
3
packages/mindplot/test/unit/export/expected/npe.md
Normal file
@ -0,0 +1,3 @@
|
||||
# NIF (NORMAS DE INFORMACIÓN FINANCIERA)
|
||||
|
||||
|
73
packages/mindplot/test/unit/export/expected/process.md
Normal file
73
packages/mindplot/test/unit/export/expected/process.md
Normal file
@ -0,0 +1,73 @@
|
||||
# California
|
||||
|
||||
- Northern California
|
||||
- Oakland/Berkeley
|
||||
- San Mateo
|
||||
- Other North
|
||||
- San Francisco
|
||||
- Santa Clara
|
||||
- Marin/Napa/Solano
|
||||
- Hawaii
|
||||
- Southern California
|
||||
- Los Angeles
|
||||
- Anaheim/Santa Ana
|
||||
- Ventura
|
||||
- Other South
|
||||
- Policy Bodies
|
||||
- Advocacy
|
||||
- AAO
|
||||
- ASCRS
|
||||
- EBAA
|
||||
- Military
|
||||
- United Network for Organ Sharing
|
||||
- Kaiser Hospital System
|
||||
- University of California System
|
||||
- CMS
|
||||
- Medicare Part A
|
||||
- Medicare Part B
|
||||
- Corneal Tissue OPS
|
||||
- Transplant Bank International
|
||||
- Orange County Eye and Transplant Bank
|
||||
- Northern California Transplant Bank
|
||||
- In 2010, 2,500 referrals forwarded to OneLegacy
|
||||
- Doheny Eye and Tissue Transplant Bank ( [link](http://www.dohenyeyebank.org/) )
|
||||
- OneLegacy
|
||||
- In 2010, 11,828 referrals
|
||||
- San Diego Eye Bank
|
||||
- In 2010, 2,555 referrals
|
||||
- California Transplant Donor Network
|
||||
- California Transplant Services
|
||||
- In 2010, 0 referrals
|
||||
- Lifesharing
|
||||
- DCI Donor Services
|
||||
- Sierra Eye and Tissue Donor Services
|
||||
- In 2010, 2.023 referrals
|
||||
- SightLife
|
||||
- Tools
|
||||
- Darthmouth Atlas of Health
|
||||
- HealthLandscape
|
||||
- QE Medicare
|
||||
- CMS Data
|
||||
- Ambulatory Payment Classification
|
||||
- CPT's which don't allow V2785
|
||||
- Ocular Reconstruction Transplant
|
||||
- 65780 (amniotic membrane tranplant
|
||||
- 65781 (limbal stem cell allograft)
|
||||
- 65782 (limbal conjunctiva autograft)
|
||||
- Endothelial keratoplasty
|
||||
- 65756
|
||||
- Epikeratoplasty
|
||||
- 65767
|
||||
- Anterior lamellar keratoplasty
|
||||
- 65710
|
||||
- Processing, preserving, and transporting corneal tissue
|
||||
- V2785
|
||||
- Laser incision in recepient
|
||||
- 0290T
|
||||
- Laser incision in donor
|
||||
- 0289T
|
||||
- Penetrating keratoplasty
|
||||
- 65730 (in other)
|
||||
- 65755 (in pseudoaphakia)
|
||||
- 65750 (in aphakia)
|
||||
|
34
packages/mindplot/test/unit/export/expected/welcome.md
Normal file
34
packages/mindplot/test/unit/export/expected/welcome.md
Normal file
@ -0,0 +1,34 @@
|
||||
# Welcome To WiseMapping
|
||||
|
||||
- 5 min tutorial video ?
|
||||
Follow the link ! ( [link](https://www.youtube.com/tv?vq=medium#/watch?v=rKxZwNKs9cE) )
|
||||
- Try it Now!
|
||||
- Double Click
|
||||
- Press "enter" to add a
|
||||
Sibling
|
||||
- Drag map to move
|
||||
- Features
|
||||
- Links to Sites ( [link](http://www.digg.com) )
|
||||
- Styles
|
||||
- Fonts
|
||||
- Topic Shapes
|
||||
- Topic Color
|
||||
- Icons
|
||||
- History Changes
|
||||
- Mind Mapping
|
||||
- Share with Collegues
|
||||
- Online
|
||||
- Anyplace, Anytime
|
||||
- Free!!!
|
||||
- Productivity
|
||||
- Share your ideas
|
||||
- Brainstorming
|
||||
- Visual
|
||||
- Install In Your Server
|
||||
- Open Source ( [link](http://www.wisemapping.org/) )
|
||||
- Download ( [link](http://www.wisemapping.com/inyourserver.html) )
|
||||
- Collaborate
|
||||
- Embed
|
||||
- Publish
|
||||
- Share for Edition
|
||||
|
Loading…
Reference in New Issue
Block a user