diff --git a/dhp-common/src/main/java/eu/dnetlib/dhp/common/MDStoreInfo.java b/dhp-common/src/main/java/eu/dnetlib/dhp/common/MDStoreInfo.java new file mode 100644 index 000000000..bd1ccca50 --- /dev/null +++ b/dhp-common/src/main/java/eu/dnetlib/dhp/common/MDStoreInfo.java @@ -0,0 +1,100 @@ + +package eu.dnetlib.dhp.common; + +/** + * This utility represent the Metadata Store information + * needed during the migration from mongo to HDFS to store + */ +public class MDStoreInfo { + private String mdstore; + private String currentId; + private Long latestTimestamp; + + /** + * Instantiates a new Md store info. + */ + public MDStoreInfo() { + } + + /** + * Instantiates a new Md store info. + * + * @param mdstore the mdstore + * @param currentId the current id + * @param latestTimestamp the latest timestamp + */ + public MDStoreInfo(String mdstore, String currentId, Long latestTimestamp) { + this.mdstore = mdstore; + this.currentId = currentId; + this.latestTimestamp = latestTimestamp; + } + + /** + * Gets mdstore. + * + * @return the mdstore + */ + public String getMdstore() { + return mdstore; + } + + /** + * Sets mdstore. + * + * @param mdstore the mdstore + * @return the mdstore + */ + public MDStoreInfo setMdstore(String mdstore) { + this.mdstore = mdstore; + return this; + } + + /** + * Gets current id. + * + * @return the current id + */ + public String getCurrentId() { + return currentId; + } + + /** + * Sets current id. + * + * @param currentId the current id + * @return the current id + */ + public MDStoreInfo setCurrentId(String currentId) { + this.currentId = currentId; + return this; + } + + /** + * Gets latest timestamp. + * + * @return the latest timestamp + */ + public Long getLatestTimestamp() { + return latestTimestamp; + } + + /** + * Sets latest timestamp. + * + * @param latestTimestamp the latest timestamp + * @return the latest timestamp + */ + public MDStoreInfo setLatestTimestamp(Long latestTimestamp) { + this.latestTimestamp = latestTimestamp; + return this; + } + + @Override + public String toString() { + return "MDStoreInfo{" + + "mdstore='" + mdstore + '\'' + + ", currentId='" + currentId + '\'' + + ", latestTimestamp=" + latestTimestamp + + '}'; + } +} diff --git a/dhp-common/src/main/java/eu/dnetlib/dhp/common/MdstoreClient.java b/dhp-common/src/main/java/eu/dnetlib/dhp/common/MdstoreClient.java index d06544ae1..34aa37be5 100644 --- a/dhp-common/src/main/java/eu/dnetlib/dhp/common/MdstoreClient.java +++ b/dhp-common/src/main/java/eu/dnetlib/dhp/common/MdstoreClient.java @@ -1,12 +1,12 @@ package eu.dnetlib.dhp.common; +import static com.mongodb.client.model.Sorts.descending; + import java.io.Closeable; import java.io.IOException; -import java.util.ArrayList; -import java.util.HashMap; -import java.util.Map; -import java.util.Optional; +import java.util.*; +import java.util.stream.Collectors; import java.util.stream.StreamSupport; import org.apache.commons.lang3.StringUtils; @@ -38,6 +38,26 @@ public class MdstoreClient implements Closeable { this.db = getDb(client, dbName); } + private Long parseTimestamp(Document f) { + if (f == null || !f.containsKey("timestamp")) + return null; + + Object ts = f.get("timestamp"); + + return Long.parseLong(ts.toString()); + } + + public Long getLatestTimestamp(final String collectionId) { + MongoCollection collection = db.getCollection(collectionId); + FindIterable result = collection.find().sort(descending("timestamp")).limit(1); + if (result == null) { + return null; + } + + Document f = result.first(); + return parseTimestamp(f); + } + public MongoCollection mdStore(final String mdId) { BasicDBObject query = (BasicDBObject) QueryBuilder.start("mdId").is(mdId).get(); @@ -54,6 +74,16 @@ public class MdstoreClient implements Closeable { return getColl(db, currentId, true); } + public List mdStoreWithTimestamp(final String mdFormat, final String mdLayout, + final String mdInterpretation) { + Map res = validCollections(mdFormat, mdLayout, mdInterpretation); + return res + .entrySet() + .stream() + .map(e -> new MDStoreInfo(e.getKey(), e.getValue(), getLatestTimestamp(e.getValue()))) + .collect(Collectors.toList()); + } + public Map validCollections( final String mdFormat, final String mdLayout, final String mdInterpretation) { diff --git a/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/GraphCleaningFunctions.java b/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/GraphCleaningFunctions.java index b70250f26..967326b83 100644 --- a/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/GraphCleaningFunctions.java +++ b/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/GraphCleaningFunctions.java @@ -13,6 +13,8 @@ import java.util.stream.Collectors; import java.util.stream.Stream; import org.apache.commons.lang3.StringUtils; +import org.apache.spark.api.java.function.MapFunction; +import org.apache.spark.sql.Encoders; import com.github.sisyphsu.dateparser.DateParserUtils; import com.google.common.collect.Lists; diff --git a/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/MergeUtils.java b/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/MergeUtils.java index ae275681d..9335ecea3 100644 --- a/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/MergeUtils.java +++ b/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/MergeUtils.java @@ -129,7 +129,7 @@ public class MergeUtils { return (T) mergedEntity; } - private static T mergeRelation(T left, T right) { + public static T mergeRelation(T left, T right) { Relation original = (Relation) left; Relation enrich = (Relation) right; diff --git a/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/OafMapperUtils.java b/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/OafMapperUtils.java index 8a0661bb6..ffe2c3f69 100644 --- a/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/OafMapperUtils.java +++ b/dhp-common/src/main/java/eu/dnetlib/dhp/schema/oaf/utils/OafMapperUtils.java @@ -165,6 +165,21 @@ public class OafMapperUtils { return ap; } + public static AuthorPid authorPid( + final String value, + final String classid, + final String schemeid, + final DataInfo dataInfo) { + if (value == null) { + return null; + } + final AuthorPid ap = new AuthorPid(); + ap.setValue(value); + ap.setQualifier(qualifier(classid, classid, schemeid)); + ap.setDataInfo(dataInfo); + return ap; + } + public static ExtraInfo extraInfo( final String name, final String value, diff --git a/dhp-common/src/test/java/eu/dnetlib/dhp/common/MdStoreClientTest.java b/dhp-common/src/test/java/eu/dnetlib/dhp/common/MdStoreClientTest.java new file mode 100644 index 000000000..f38d04979 --- /dev/null +++ b/dhp-common/src/test/java/eu/dnetlib/dhp/common/MdStoreClientTest.java @@ -0,0 +1,36 @@ + +package eu.dnetlib.dhp.common; + +import java.io.IOException; +import java.nio.charset.StandardCharsets; +import java.nio.file.Files; +import java.nio.file.Path; +import java.nio.file.Paths; +import java.util.List; + +import org.junit.jupiter.api.Test; + +import com.fasterxml.jackson.core.JsonProcessingException; +import com.fasterxml.jackson.databind.ObjectMapper; + +public class MdStoreClientTest { + + @Test + public void testMongoCollection() throws IOException { + final MdstoreClient client = new MdstoreClient("mongodb://localhost:27017", "mdstore"); + + final ObjectMapper mapper = new ObjectMapper(); + + final List infos = client.mdStoreWithTimestamp("ODF", "store", "cleaned"); + + infos.forEach(System.out::println); + + final String s = mapper.writeValueAsString(infos); + + Path fileName = Paths.get("/Users/sandro/mdstore_info.json"); + + // Writing into the file + Files.write(fileName, s.getBytes(StandardCharsets.UTF_8)); + + } +} diff --git a/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/dataset/oozie_app/workflow.xml b/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/dataset/oozie_app/workflow.xml index 4dc250c29..4f374a75a 100644 --- a/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/dataset/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/dataset/oozie_app/workflow.xml @@ -107,7 +107,7 @@ --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=2560 + --conf spark.sql.shuffle.partitions=7000 --inputGraphTablePath${inputGraphRootPath}/dataset --graphTableClassNameeu.dnetlib.dhp.schema.oaf.Dataset @@ -159,7 +159,7 @@ --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=2560 + --conf spark.sql.shuffle.partitions=7000 --inputGraphTablePath${workingDir}/dataset --graphTableClassNameeu.dnetlib.dhp.schema.oaf.Dataset diff --git a/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/publication/oozie_app/workflow.xml b/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/publication/oozie_app/workflow.xml index b1c8e7c85..b76dc82f1 100644 --- a/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/publication/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/publication/oozie_app/workflow.xml @@ -107,7 +107,7 @@ --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=5000 + --conf spark.sql.shuffle.partitions=7000 --inputGraphTablePath${inputGraphRootPath}/publication --graphTableClassNameeu.dnetlib.dhp.schema.oaf.Publication @@ -159,7 +159,7 @@ --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=5000 + --conf spark.sql.shuffle.partitions=7000 --inputGraphTablePath${workingDir}/publication --graphTableClassNameeu.dnetlib.dhp.schema.oaf.Publication diff --git a/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/relation/oozie_app/workflow.xml b/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/relation/oozie_app/workflow.xml index 20ffe26d3..d3086dbdc 100644 --- a/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/relation/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-actionmanager/src/main/resources/eu/dnetlib/dhp/actionmanager/wf/relation/oozie_app/workflow.xml @@ -99,7 +99,7 @@ --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=5000 + --conf spark.sql.shuffle.partitions=10000 --inputGraphTablePath${inputGraphRootPath}/relation --graphTableClassNameeu.dnetlib.dhp.schema.oaf.Relation diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/Constants.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/Constants.java index b57a60646..e61046d1e 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/Constants.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/Constants.java @@ -23,6 +23,7 @@ public class Constants { public static final String DOI_CLASSNAME = "Digital Object Identifier"; public static final String DEFAULT_DELIMITER = ","; + public static final String DEFAULT_FOS_DELIMITER = "\t"; public static final String UPDATE_DATA_INFO_TYPE = "update"; public static final String UPDATE_SUBJECT_FOS_CLASS_ID = "subject:fos"; @@ -86,7 +87,7 @@ public class Constants { public static Subject getSubject(String sbj, String classid, String classname, String diqualifierclassid) { - if (sbj.equals(NULL)) + if (sbj == null || sbj.equals(NULL)) return null; Subject s = new Subject(); s.setValue(sbj); diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFOSSparkJob.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFOSSparkJob.java index 75fe42e90..0cc2f93df 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFOSSparkJob.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFOSSparkJob.java @@ -1,7 +1,7 @@ package eu.dnetlib.dhp.actionmanager.createunresolvedentities; -import static eu.dnetlib.dhp.actionmanager.Constants.DEFAULT_DELIMITER; +import static eu.dnetlib.dhp.actionmanager.Constants.DEFAULT_FOS_DELIMITER; import static eu.dnetlib.dhp.actionmanager.Constants.isSparkSessionManaged; import static eu.dnetlib.dhp.common.SparkSessionSupport.runWithSparkSession; @@ -9,8 +9,6 @@ import java.io.Serializable; import java.util.Optional; import org.apache.commons.io.IOUtils; -import org.apache.hadoop.conf.Configuration; -import org.apache.hadoop.fs.FileSystem; import org.apache.spark.SparkConf; import org.apache.spark.api.java.function.MapFunction; import org.apache.spark.sql.*; @@ -49,7 +47,7 @@ public class GetFOSSparkJob implements Serializable { final String delimiter = Optional .ofNullable(parser.get("delimiter")) - .orElse(DEFAULT_DELIMITER); + .orElse(DEFAULT_FOS_DELIMITER); SparkConf sconf = new SparkConf(); runWithSparkSession( diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProgramme.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProgramme.java index 686b0fc7f..bb816a3a7 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProgramme.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProgramme.java @@ -266,11 +266,15 @@ public class PrepareProgramme { String code = csvProgramme.getCode(); if (!code.endsWith(".") && !code.contains("Euratom") - && !code.equals("H2020-EC")) + && !code.equals("H2020-EC") && !code.equals("H2020") && + !code.equals("H2020-Topics")) code += "."; - csvProgramme.setClassification(map.get(code)._1()); - csvProgramme.setClassification_short(map.get(code)._2()); + if (map.containsKey(code)) { + csvProgramme.setClassification(map.get(code)._1()); + csvProgramme.setClassification_short(map.get(code)._2()); + } else + log.info("WARNING: No entry in map for code " + code); return csvProgramme; }).collect(); diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjects.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjects.java index 8efc76a0e..b918cbb13 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjects.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjects.java @@ -3,12 +3,23 @@ package eu.dnetlib.dhp.actionmanager.project; import static eu.dnetlib.dhp.common.SparkSessionSupport.runWithSparkSession; +import java.io.BufferedOutputStream; +import java.io.IOException; import java.util.*; +import java.util.zip.GZIPOutputStream; +import java.util.zip.ZipEntry; +import java.util.zip.ZipInputStream; import org.apache.commons.io.IOUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FSDataInputStream; +import org.apache.hadoop.fs.FSDataOutputStream; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.Path; import org.apache.spark.SparkConf; import org.apache.spark.api.java.function.FlatMapFunction; import org.apache.spark.api.java.function.MapFunction; +import org.apache.spark.rdd.RDD; import org.apache.spark.sql.Dataset; import org.apache.spark.sql.Encoders; import org.apache.spark.sql.SaveMode; @@ -19,6 +30,7 @@ import org.slf4j.LoggerFactory; import com.fasterxml.jackson.databind.ObjectMapper; import eu.dnetlib.dhp.actionmanager.project.utils.model.CSVProject; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; import eu.dnetlib.dhp.application.ArgumentApplicationParser; import eu.dnetlib.dhp.common.HdfsSupport; import scala.Tuple2; @@ -54,6 +66,9 @@ public class PrepareProjects { final String projectPath = parser.get("projectPath"); log.info("projectPath {}: ", projectPath); + final String workingPath = parser.get("workingPath"); + log.info("workingPath {}: ", workingPath); + final String outputPath = parser.get("outputPath"); log.info("outputPath {}: ", outputPath); @@ -76,7 +91,7 @@ public class PrepareProjects { } private static void exec(SparkSession spark, String projectPath, String dbProjectPath, String outputPath) { - Dataset project = readPath(spark, projectPath, CSVProject.class); + Dataset project = readPath(spark, projectPath, Project.class); Dataset dbProjects = readPath(spark, dbProjectPath, ProjectSubset.class); dbProjects @@ -90,14 +105,14 @@ public class PrepareProjects { } - private static FlatMapFunction, CSVProject> getTuple2CSVProjectFlatMapFunction() { + private static FlatMapFunction, CSVProject> getTuple2CSVProjectFlatMapFunction() { return value -> { - Optional csvProject = Optional.ofNullable(value._2()); List csvProjectList = new ArrayList<>(); - if (csvProject.isPresent()) { + if (Optional.ofNullable(value._2()).isPresent()) { + Project project = value._2(); - String[] programme = csvProject.get().getProgramme().split(";"); - String topic = csvProject.get().getTopics(); + String[] programme = project.getLegalBasis().split(";"); + String topic = project.getTopics(); Arrays .stream(programme) @@ -106,7 +121,7 @@ public class PrepareProjects { proj.setTopics(topic); proj.setProgramme(p); - proj.setId(csvProject.get().getId()); + proj.setId(project.getId()); csvProjectList.add(proj); }); } diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/SparkAtomicActionJob.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/SparkAtomicActionJob.java index 02da901a6..f5eeceb50 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/SparkAtomicActionJob.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/SparkAtomicActionJob.java @@ -24,6 +24,7 @@ import com.fasterxml.jackson.databind.ObjectMapper; import eu.dnetlib.dhp.actionmanager.project.utils.model.CSVProgramme; import eu.dnetlib.dhp.actionmanager.project.utils.model.CSVProject; import eu.dnetlib.dhp.actionmanager.project.utils.model.EXCELTopic; +import eu.dnetlib.dhp.actionmanager.project.utils.model.JsonTopic; import eu.dnetlib.dhp.application.ArgumentApplicationParser; import eu.dnetlib.dhp.common.HdfsSupport; import eu.dnetlib.dhp.schema.action.AtomicAction; @@ -111,7 +112,7 @@ public class SparkAtomicActionJob { Dataset project = readPath(spark, projectPatH, CSVProject.class); Dataset programme = readPath(spark, programmePath, CSVProgramme.class); - Dataset topic = readPath(spark, topicPath, EXCELTopic.class); + Dataset topic = readPath(spark, topicPath, JsonTopic.class); Dataset aaproject = project .joinWith(programme, project.col("programme").equalTo(programme.col("code")), "left") @@ -125,9 +126,7 @@ public class SparkAtomicActionJob { Project pp = new Project(); pp .setId( - createOpenaireId( - ModelSupport.entityIdPrefix.get("project"), - "corda__h2020", csvProject.getId())); + csvProject.getId()); pp.setH2020topiccode(csvProject.getTopics()); H2020Programme pm = new H2020Programme(); H2020Classification h2020classification = new H2020Classification(); @@ -145,10 +144,15 @@ public class SparkAtomicActionJob { .filter(Objects::nonNull); aaproject - .joinWith(topic, aaproject.col("h2020topiccode").equalTo(topic.col("code")), "left") - .map((MapFunction, Project>) p -> { - Optional op = Optional.ofNullable(p._2()); + .joinWith(topic, aaproject.col("id").equalTo(topic.col("projectID")), "left") + .map((MapFunction, Project>) p -> { + Optional op = Optional.ofNullable(p._2()); Project rp = p._1(); + rp + .setId( + createOpenaireId( + ModelSupport.entityIdPrefix.get("project"), + "corda__h2020", rp.getId())); op.ifPresent(excelTopic -> rp.setH2020topicdescription(excelTopic.getTitle())); return rp; }, Encoders.bean(Project.class)) diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/EXCELParser.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/EXCELParser.java index a520176f4..139f7e74a 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/EXCELParser.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/EXCELParser.java @@ -22,6 +22,7 @@ import eu.dnetlib.dhp.actionmanager.project.utils.model.EXCELTopic; /** * Reads a generic excel file and maps it into classes that mirror its schema */ +@Deprecated public class EXCELParser { public List parse(InputStream file, String classForName, String sheetName) diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ExtractFromZip.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ExtractFromZip.java new file mode 100644 index 000000000..70686d4b0 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ExtractFromZip.java @@ -0,0 +1,101 @@ + +package eu.dnetlib.dhp.actionmanager.project.utils; + +import java.io.BufferedWriter; +import java.io.IOException; +import java.io.OutputStreamWriter; +import java.io.Serializable; +import java.nio.charset.StandardCharsets; +import java.util.ArrayList; +import java.util.List; +import java.util.zip.ZipEntry; +import java.util.zip.ZipInputStream; + +import org.apache.commons.io.IOUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FSDataInputStream; +import org.apache.hadoop.fs.FSDataOutputStream; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.Path; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import com.fasterxml.jackson.core.type.TypeReference; +import com.fasterxml.jackson.databind.ObjectMapper; + +import eu.dnetlib.dhp.actionmanager.project.PrepareProjects; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; +import eu.dnetlib.dhp.application.ArgumentApplicationParser; + +/** + * @author miriam.baglioni + * @Date 28/02/23 + */ +public class ExtractFromZip implements Serializable { + private static final Logger log = LoggerFactory.getLogger(PrepareProjects.class); + private static final ObjectMapper OBJECT_MAPPER = new ObjectMapper(); + + public static void main(String[] args) throws Exception { + + String jsonConfiguration = IOUtils + .toString( + PrepareProjects.class + .getResourceAsStream( + "/eu/dnetlib/dhp/actionmanager/project/extract_fromzip_parameters.json")); + + final ArgumentApplicationParser parser = new ArgumentApplicationParser(jsonConfiguration); + + parser.parseArgument(args); + + final String inputPath = parser.get("inputPath"); + log.info("inputPath {}: ", inputPath); + + final String outputPath = parser.get("outputPath"); + log.info("outputPath {}: ", outputPath); + + final String hdfsNameNode = parser.get("hdfsNameNode"); + log.info("hdfsNameNode {}", hdfsNameNode); + + Configuration conf = new Configuration(); + conf.set("fs.defaultFS", hdfsNameNode); + + FileSystem fs = FileSystem.get(conf); + + doExtract(inputPath, outputPath, fs); + + } + + private static void doExtract(String inputFile, String workingPath, FileSystem fileSystem) + throws IOException { + + final Path path = new Path(inputFile); + + FSDataInputStream project_zip = fileSystem.open(path); + + try (ZipInputStream zis = new ZipInputStream(project_zip)) { + ZipEntry entry = null; + while ((entry = zis.getNextEntry()) != null) { + + if (!entry.isDirectory()) { + String fileName = entry.getName(); + byte buffer[] = new byte[1024]; + int count; + + try ( + FSDataOutputStream out = fileSystem + .create(new Path(workingPath + fileName))) { + + while ((count = zis.read(buffer, 0, buffer.length)) != -1) + out.write(buffer, 0, count); + + } + + } + + } + + } + + } + +} diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadCSV.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadCSV.java index c967d4cae..31f443c38 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadCSV.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadCSV.java @@ -6,7 +6,9 @@ import java.util.Optional; import org.apache.commons.io.IOUtils; import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FSDataInputStream; import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.Path; import eu.dnetlib.dhp.application.ArgumentApplicationParser; import eu.dnetlib.dhp.common.collection.GetCSV; @@ -40,8 +42,11 @@ public class ReadCSV { conf.set("fs.defaultFS", hdfsNameNode); FileSystem fileSystem = FileSystem.get(conf); + + FSDataInputStream inputStream = fileSystem.open(new Path(fileURL)); + BufferedReader reader = new BufferedReader( - new InputStreamReader(new HttpConnector2().getInputSourceAsStream(fileURL))); + new InputStreamReader(inputStream)); GetCSV.getCsv(fileSystem, reader, hdfsPath, classForName, del); diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadProjects.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadProjects.java new file mode 100644 index 000000000..904837e3d --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadProjects.java @@ -0,0 +1,90 @@ + +package eu.dnetlib.dhp.actionmanager.project.utils; + +import java.io.*; +import java.nio.charset.StandardCharsets; +import java.util.ArrayList; +import java.util.List; +import java.util.zip.ZipEntry; +import java.util.zip.ZipInputStream; + +import org.apache.commons.io.IOUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FSDataInputStream; +import org.apache.hadoop.fs.FSDataOutputStream; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.Path; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import com.fasterxml.jackson.core.type.TypeReference; +import com.fasterxml.jackson.databind.ObjectMapper; + +import eu.dnetlib.dhp.actionmanager.project.PrepareProjects; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; +import eu.dnetlib.dhp.application.ArgumentApplicationParser; + +/** + * @author miriam.baglioni + * @Date 28/02/23 + */ +public class ReadProjects implements Serializable { + private static final Logger log = LoggerFactory.getLogger(ReadProjects.class); + private static final ObjectMapper OBJECT_MAPPER = new ObjectMapper(); + + public static void main(String[] args) throws Exception { + + String jsonConfiguration = IOUtils + .toString( + PrepareProjects.class + .getResourceAsStream( + "/eu/dnetlib/dhp/actionmanager/project/read_parameters.json")); + + final ArgumentApplicationParser parser = new ArgumentApplicationParser(jsonConfiguration); + + parser.parseArgument(args); + + final String inputPath = parser.get("inputPath"); + log.info("inputPath {}: ", inputPath); + + final String outputPath = parser.get("outputPath"); + log.info("outputPath {}: ", outputPath); + + final String hdfsNameNode = parser.get("hdfsNameNode"); + log.info("hdfsNameNode {}", hdfsNameNode); + + Configuration conf = new Configuration(); + conf.set("fs.defaultFS", hdfsNameNode); + + FileSystem fs = FileSystem.get(conf); + + readProjects(inputPath, outputPath, fs); + } + + public static void readProjects(String inputFile, String workingPath, FileSystem fs) throws IOException { + Path hdfsreadpath = new Path(inputFile); + + FSDataInputStream inputStream = fs.open(hdfsreadpath); + + ArrayList projects = OBJECT_MAPPER + .readValue( + IOUtils.toString(inputStream, "UTF-8"), + new TypeReference>() { + }); + + Path hdfsWritePath = new Path(workingPath); + + if (fs.exists(hdfsWritePath)) { + fs.delete(hdfsWritePath, false); + } + FSDataOutputStream fos = fs.create(hdfsWritePath); + + try (BufferedWriter writer = new BufferedWriter(new OutputStreamWriter(fos, StandardCharsets.UTF_8))) { + + for (Project p : projects) { + writer.write(OBJECT_MAPPER.writeValueAsString(p)); + writer.newLine(); + } + } + } +} diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadTopics.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadTopics.java new file mode 100644 index 000000000..e0e34be31 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/ReadTopics.java @@ -0,0 +1,92 @@ + +package eu.dnetlib.dhp.actionmanager.project.utils; + +import java.io.BufferedWriter; +import java.io.IOException; +import java.io.OutputStreamWriter; +import java.io.Serializable; +import java.nio.charset.StandardCharsets; +import java.util.ArrayList; +import java.util.List; + +import org.apache.commons.io.IOUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FSDataInputStream; +import org.apache.hadoop.fs.FSDataOutputStream; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.Path; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import com.fasterxml.jackson.core.type.TypeReference; +import com.fasterxml.jackson.databind.ObjectMapper; + +import eu.dnetlib.dhp.actionmanager.project.PrepareProjects; +import eu.dnetlib.dhp.actionmanager.project.utils.model.JsonTopic; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; +import eu.dnetlib.dhp.application.ArgumentApplicationParser; + +/** + * @author miriam.baglioni + * @Date 28/02/23 + */ +public class ReadTopics implements Serializable { + private static final Logger log = LoggerFactory.getLogger(ReadTopics.class); + private static final ObjectMapper OBJECT_MAPPER = new ObjectMapper(); + + public static void main(String[] args) throws Exception { + + String jsonConfiguration = IOUtils + .toString( + PrepareProjects.class + .getResourceAsStream( + "/eu/dnetlib/dhp/actionmanager/project/read_parameters.json")); + + final ArgumentApplicationParser parser = new ArgumentApplicationParser(jsonConfiguration); + + parser.parseArgument(args); + + final String inputPath = parser.get("inputPath"); + log.info("inputPath {}: ", inputPath); + + final String outputPath = parser.get("outputPath"); + log.info("outputPath {}: ", outputPath); + + final String hdfsNameNode = parser.get("hdfsNameNode"); + log.info("hdfsNameNode {}", hdfsNameNode); + + Configuration conf = new Configuration(); + conf.set("fs.defaultFS", hdfsNameNode); + + FileSystem fs = FileSystem.get(conf); + + readTopics(inputPath, outputPath, fs); + } + + public static void readTopics(String inputFile, String workingPath, FileSystem fs) throws IOException { + Path hdfsreadpath = new Path(inputFile); + + FSDataInputStream inputStream = fs.open(hdfsreadpath); + + ArrayList topics = OBJECT_MAPPER + .readValue( + IOUtils.toString(inputStream, "UTF-8"), + new TypeReference>() { + }); + + Path hdfsWritePath = new Path(workingPath); + + if (fs.exists(hdfsWritePath)) { + fs.delete(hdfsWritePath, false); + } + FSDataOutputStream fos = fs.create(hdfsWritePath); + + try (BufferedWriter writer = new BufferedWriter(new OutputStreamWriter(fos, StandardCharsets.UTF_8))) { + + for (JsonTopic p : topics) { + writer.write(OBJECT_MAPPER.writeValueAsString(p)); + writer.newLine(); + } + } + } +} diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/CSVProject.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/CSVProject.java index 3ddb19636..cff79a221 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/CSVProject.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/CSVProject.java @@ -13,7 +13,7 @@ public class CSVProject implements Serializable { @CsvBindByName(column = "id") private String id; - @CsvBindByName(column = "programme") + @CsvBindByName(column = "legalBasis") private String programme; @CsvBindByName(column = "topics") diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/EXCELTopic.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/EXCELTopic.java index fa2e3422e..1a955b828 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/EXCELTopic.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/EXCELTopic.java @@ -6,6 +6,7 @@ import java.io.Serializable; /** * the model class for the topic excel file */ +@Deprecated public class EXCELTopic implements Serializable { private String rcn; private String language; @@ -17,9 +18,27 @@ public class EXCELTopic implements Serializable { private String title; private String shortTitle; private String objective; - private String subjects; + private String keywords; private String legalBasis; private String call; + private String id; + private String contentUpdateDate; + + public String getContentUpdateDate() { + return contentUpdateDate; + } + + public void setContentUpdateDate(String contentUpdateDate) { + this.contentUpdateDate = contentUpdateDate; + } + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } public String getRcn() { return rcn; @@ -101,12 +120,12 @@ public class EXCELTopic implements Serializable { this.objective = objective; } - public String getSubjects() { - return subjects; + public String getKeywords() { + return keywords; } - public void setSubjects(String subjects) { - this.subjects = subjects; + public void setKeywords(String keywords) { + this.keywords = keywords; } public String getLegalBasis() { diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/JsonTopic.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/JsonTopic.java new file mode 100644 index 000000000..8893e28d3 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/JsonTopic.java @@ -0,0 +1,38 @@ + +package eu.dnetlib.dhp.actionmanager.project.utils.model; + +import java.io.Serializable; + +/** + * @author miriam.baglioni + * @Date 28/02/23 + */ +public class JsonTopic implements Serializable { + private String projectID; + private String title; + private String topic; + + public String getProjectID() { + return projectID; + } + + public void setProjectID(String projectID) { + this.projectID = projectID; + } + + public String getTitle() { + return title; + } + + public void setTitle(String title) { + this.title = title; + } + + public String getTopic() { + return topic; + } + + public void setTopic(String topic) { + this.topic = topic; + } +} diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/Project.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/Project.java new file mode 100644 index 000000000..2808c2941 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/project/utils/model/Project.java @@ -0,0 +1,191 @@ + +package eu.dnetlib.dhp.actionmanager.project.utils.model; + +import java.io.Serializable; + +/** + * @author miriam.baglioni + * @Date 24/02/23 + */ +public class Project implements Serializable { + private String acronym; + private String contentUpdateDate; + private String ecMaxContribution; + private String ecSignatureDate; + private String endDate; + private String frameworkProgramme; + private String fundingScheme; + private String grantDoi; + private String id; + private String legalBasis; + private String masterCall; + private String nature; + private String objective; + private String rcn; + private String startDate; + private String status; + private String subCall; + private String title; + private String topics; + private String totalCost; + + public String getAcronym() { + return acronym; + } + + public void setAcronym(String acronym) { + this.acronym = acronym; + } + + public String getContentUpdateDate() { + return contentUpdateDate; + } + + public void setContentUpdateDate(String contentUpdateDate) { + this.contentUpdateDate = contentUpdateDate; + } + + public String getEcMaxContribution() { + return ecMaxContribution; + } + + public void setEcMaxContribution(String ecMaxContribution) { + this.ecMaxContribution = ecMaxContribution; + } + + public String getEcSignatureDate() { + return ecSignatureDate; + } + + public void setEcSignatureDate(String ecSignatureDate) { + this.ecSignatureDate = ecSignatureDate; + } + + public String getEndDate() { + return endDate; + } + + public void setEndDate(String endDate) { + this.endDate = endDate; + } + + public String getFrameworkProgramme() { + return frameworkProgramme; + } + + public void setFrameworkProgramme(String frameworkProgramme) { + this.frameworkProgramme = frameworkProgramme; + } + + public String getFundingScheme() { + return fundingScheme; + } + + public void setFundingScheme(String fundingScheme) { + this.fundingScheme = fundingScheme; + } + + public String getGrantDoi() { + return grantDoi; + } + + public void setGrantDoi(String grantDoi) { + this.grantDoi = grantDoi; + } + + public String getId() { + return id; + } + + public void setId(String id) { + this.id = id; + } + + public String getLegalBasis() { + return legalBasis; + } + + public void setLegalBasis(String legalBasis) { + this.legalBasis = legalBasis; + } + + public String getMasterCall() { + return masterCall; + } + + public void setMasterCall(String masterCall) { + this.masterCall = masterCall; + } + + public String getNature() { + return nature; + } + + public void setNature(String nature) { + this.nature = nature; + } + + public String getObjective() { + return objective; + } + + public void setObjective(String objective) { + this.objective = objective; + } + + public String getRcn() { + return rcn; + } + + public void setRcn(String rcn) { + this.rcn = rcn; + } + + public String getStartDate() { + return startDate; + } + + public void setStartDate(String startDate) { + this.startDate = startDate; + } + + public String getStatus() { + return status; + } + + public void setStatus(String status) { + this.status = status; + } + + public String getSubCall() { + return subCall; + } + + public void setSubCall(String subCall) { + this.subCall = subCall; + } + + public String getTitle() { + return title; + } + + public void setTitle(String title) { + this.title = title; + } + + public String getTopics() { + return topics; + } + + public void setTopics(String topics) { + this.topics = topics; + } + + public String getTotalCost() { + return totalCost; + } + + public void setTotalCost(String totalCost) { + this.totalCost = totalCost; + } +} diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionUsageJob.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionUsageJob.java index de328ac49..032618937 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionUsageJob.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionUsageJob.java @@ -14,7 +14,6 @@ import org.apache.hadoop.io.Text; import org.apache.hadoop.mapred.SequenceFileOutputFormat; import org.apache.spark.SparkConf; import org.apache.spark.api.java.function.MapFunction; -import org.apache.spark.api.java.function.MapGroupsFunction; import org.apache.spark.sql.Dataset; import org.apache.spark.sql.Encoders; import org.apache.spark.sql.SaveMode; @@ -28,9 +27,7 @@ import eu.dnetlib.dhp.application.ArgumentApplicationParser; import eu.dnetlib.dhp.common.HdfsSupport; import eu.dnetlib.dhp.schema.action.AtomicAction; import eu.dnetlib.dhp.schema.common.ModelConstants; -import eu.dnetlib.dhp.schema.oaf.DataInfo; -import eu.dnetlib.dhp.schema.oaf.Measure; -import eu.dnetlib.dhp.schema.oaf.Result; +import eu.dnetlib.dhp.schema.oaf.*; import eu.dnetlib.dhp.schema.oaf.utils.OafMapperUtils; import scala.Tuple2; @@ -76,16 +73,22 @@ public class SparkAtomicActionUsageJob implements Serializable { isSparkSessionManaged, spark -> { removeOutputDir(spark, outputPath); - prepareResults(dbname, spark, workingPath); + prepareData(dbname, spark, workingPath + "/usageDb", "usage_stats", "result_id"); + prepareData(dbname, spark, workingPath + "/projectDb", "project_stats", "id"); + prepareData(dbname, spark, workingPath + "/datasourceDb", "datasource_stats", "repositor_id"); writeActionSet(spark, workingPath, outputPath); }); } - public static void prepareResults(String db, SparkSession spark, String workingPath) { + private static void prepareData(String dbname, SparkSession spark, String workingPath, String tableName, + String attribute_name) { spark .sql( - "Select result_id, downloads, views " + - "from " + db + ".usage_stats") + String + .format( + "select %s as id, sum(downloads) as downloads, sum(views) as views " + + "from %s.%s group by %s", + attribute_name, dbname, tableName, attribute_name)) .as(Encoders.bean(UsageStatsModel.class)) .write() .mode(SaveMode.Overwrite) @@ -94,23 +97,17 @@ public class SparkAtomicActionUsageJob implements Serializable { } public static void writeActionSet(SparkSession spark, String inputPath, String outputPath) { - readPath(spark, inputPath, UsageStatsModel.class) - .groupByKey((MapFunction) us -> us.getResult_id(), Encoders.STRING()) - .mapGroups((MapGroupsFunction) (k, it) -> { - UsageStatsModel first = it.next(); - it.forEachRemaining(us -> { - first.setDownloads(first.getDownloads() + us.getDownloads()); - first.setViews(first.getViews() + us.getViews()); - }); - - Result res = new Result(); - res.setId("50|" + k); - - res.setMeasures(getMeasure(first.getDownloads(), first.getViews())); - return res; - }, Encoders.bean(Result.class)) + getFinalIndicatorsResult(spark, inputPath + "/usageDb") .toJavaRDD() .map(p -> new AtomicAction(p.getClass(), p)) + .union( + getFinalIndicatorsProject(spark, inputPath + "/projectDb") + .toJavaRDD() + .map(p -> new AtomicAction(p.getClass(), p))) + .union( + getFinalIndicatorsDatasource(spark, inputPath + "/datasourceDb") + .toJavaRDD() + .map(p -> new AtomicAction(p.getClass(), p))) .mapToPair( aa -> new Tuple2<>(new Text(aa.getClazz().getCanonicalName()), new Text(OBJECT_MAPPER.writeValueAsString(aa)))) @@ -118,6 +115,39 @@ public class SparkAtomicActionUsageJob implements Serializable { } + private static Dataset getFinalIndicatorsResult(SparkSession spark, String inputPath) { + + return readPath(spark, inputPath, UsageStatsModel.class) + .map((MapFunction) usm -> { + Result r = new Result(); + r.setId("50|" + usm.getId()); + r.setMeasures(getMeasure(usm.getDownloads(), usm.getViews())); + return r; + }, Encoders.bean(Result.class)); + } + + private static Dataset getFinalIndicatorsProject(SparkSession spark, String inputPath) { + + return readPath(spark, inputPath, UsageStatsModel.class) + .map((MapFunction) usm -> { + Project p = new Project(); + p.setId("40|" + usm.getId()); + p.setMeasures(getMeasure(usm.getDownloads(), usm.getViews())); + return p; + }, Encoders.bean(Project.class)); + } + + private static Dataset getFinalIndicatorsDatasource(SparkSession spark, String inputPath) { + + return readPath(spark, inputPath, UsageStatsModel.class) + .map((MapFunction) usm -> { + Datasource d = new Datasource(); + d.setId("10|" + usm.getId()); + d.setMeasures(getMeasure(usm.getDownloads(), usm.getViews())); + return d; + }, Encoders.bean(Datasource.class)); + } + private static List getMeasure(Long downloads, Long views) { DataInfo dataInfo = OafMapperUtils .dataInfo( diff --git a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/UsageStatsModel.java b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/UsageStatsModel.java index df8a77eb6..07f69b0bb 100644 --- a/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/UsageStatsModel.java +++ b/dhp-workflows/dhp-aggregation/src/main/java/eu/dnetlib/dhp/actionmanager/usagestats/UsageStatsModel.java @@ -4,16 +4,16 @@ package eu.dnetlib.dhp.actionmanager.usagestats; import java.io.Serializable; public class UsageStatsModel implements Serializable { - private String result_id; + private String id; private Long downloads; private Long views; - public String getResult_id() { - return result_id; + public String getId() { + return id; } - public void setResult_id(String result_id) { - this.result_id = result_id; + public void setId(String id) { + this.id = id; } public Long getDownloads() { diff --git a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/oozie_app/workflow.xml b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/oozie_app/workflow.xml index a80bf4fbd..c8af64594 100644 --- a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/oozie_app/workflow.xml @@ -86,7 +86,7 @@ yarn cluster - Produces the unresolved from bip finder! + Produces the unresolved from BIP! Finder eu.dnetlib.dhp.actionmanager.createunresolvedentities.PrepareBipFinder dhp-aggregation-${projectVersion}.jar @@ -135,7 +135,7 @@ yarn cluster - Produces the unresolved from FOS! + Produces the unresolved from FOS eu.dnetlib.dhp.actionmanager.createunresolvedentities.PrepareFOSSparkJob dhp-aggregation-${projectVersion}.jar @@ -185,7 +185,7 @@ yarn cluster - Produces the unresolved from FOS! + Produces the unresolved from FOS eu.dnetlib.dhp.actionmanager.createunresolvedentities.PrepareSDGSparkJob dhp-aggregation-${projectVersion}.jar diff --git a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/extract_fromzip_parameters.json b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/extract_fromzip_parameters.json new file mode 100644 index 000000000..faf620527 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/extract_fromzip_parameters.json @@ -0,0 +1,23 @@ +[ + +{ +"paramName": "ip", +"paramLongName": "inputPath", +"paramDescription": "the path where the projects are stored ", +"paramRequired": true +}, + + + { +"paramName": "op", +"paramLongName": "outputPath", +"paramDescription": "the path for the extracted folder", +"paramRequired": true +}, + { + "paramName": "hnn", + "paramLongName": "hdfsNameNode", + "paramDescription": "the hdfs namenode", + "paramRequired": true + } +] \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/download.sh b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/download.sh new file mode 100644 index 000000000..240dbd622 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/download.sh @@ -0,0 +1,3 @@ +#!/bin/bash +hdfs dfs -rm $2 +curl -LSs $1 | hdfs dfs -put - $2 \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/workflow.xml b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/workflow.xml index bd864a6aa..fe80bc590 100644 --- a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/oozie_app/workflow.xml @@ -1,27 +1,9 @@ - - projectFileURL - the url where to get the projects file - - - - programmeFileURL - the url where to get the programme file - - - - topicFileURL - the url where to get the topic file - outputPath path where to store the action set - - sheetName - the name of the sheet to read - @@ -35,40 +17,103 @@ - + - - + - - - + - - + + - - - eu.dnetlib.dhp.actionmanager.project.utils.ReadCSV - --hdfsNameNode${nameNode} - --fileURL${projectFileURL} - --hdfsPath${workingDir}/projects - --classForNameeu.dnetlib.dhp.actionmanager.project.utils.model.CSVProject - - + + + ${jobTracker} + ${nameNode} + + + mapred.job.queue.name + ${queueName} + + + download.sh + ${downloadH2020Projects} + ${projectPath} + HADOOP_USER_NAME=${wf:user()} + download.sh + + + - + + + eu.dnetlib.dhp.actionmanager.project.utils.ExtractFromZip + --hdfsNameNode${nameNode} + --inputPath${projectPath} + --outputPath${workingDir}/ + + + + + + + + + + + + + eu.dnetlib.dhp.actionmanager.project.utils.ReadProjects + --hdfsNameNode${nameNode} + --inputPath${workingDir}/json/project.json + --outputPath${workingDir}/projects + + + + + + + + ${jobTracker} + ${nameNode} + + + mapred.job.queue.name + ${queueName} + + + download.sh + ${downloadH2020Programme} + ${programmePath} + HADOOP_USER_NAME=${wf:user()} + download.sh + + + + + + + + eu.dnetlib.dhp.actionmanager.project.utils.ExtractFromZip + --hdfsNameNode${nameNode} + --inputPath${programmePath} + --outputPath${workingDir}/downloadedProgramme/ + + + + + eu.dnetlib.dhp.actionmanager.project.utils.ReadCSV --hdfsNameNode${nameNode} - --fileURL${programmeFileURL} + --fileURL${workingDir}/downloadedProgramme/csv/programme.csv --hdfsPath${workingDir}/programme --classForNameeu.dnetlib.dhp.actionmanager.project.utils.model.CSVProgramme @@ -76,20 +121,18 @@ - + - eu.dnetlib.dhp.actionmanager.project.utils.ReadExcel + eu.dnetlib.dhp.actionmanager.project.utils.ReadTopics --hdfsNameNode${nameNode} - --fileURL${topicFileURL} - --hdfsPath${workingDir}/topic - --sheetName${sheetName} - --classForNameeu.dnetlib.dhp.actionmanager.project.utils.model.EXCELTopic + --inputPath${workingDir}/json/topics.json + --outputPath${workingDir}/topic - + - + eu.dnetlib.dhp.actionmanager.project.ReadProjectsFromDB --hdfsPath${workingDir}/dbProjects @@ -123,9 +166,11 @@ --outputPath${workingDir}/preparedProgramme + + @@ -153,6 +198,7 @@ --dbProjectPath${workingDir}/dbProjects + diff --git a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/read_parameters.json b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/read_parameters.json new file mode 100644 index 000000000..faf620527 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/project/read_parameters.json @@ -0,0 +1,23 @@ +[ + +{ +"paramName": "ip", +"paramLongName": "inputPath", +"paramDescription": "the path where the projects are stored ", +"paramRequired": true +}, + + + { +"paramName": "op", +"paramLongName": "outputPath", +"paramDescription": "the path for the extracted folder", +"paramRequired": true +}, + { + "paramName": "hnn", + "paramLongName": "hdfsNameNode", + "paramDescription": "the hdfs namenode", + "paramRequired": true + } +] \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/usagestats/oozie_app/workflow.xml b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/usagestats/oozie_app/workflow.xml index d94cf7d53..de188718a 100644 --- a/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/usagestats/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-aggregation/src/main/resources/eu/dnetlib/dhp/actionmanager/usagestats/oozie_app/workflow.xml @@ -89,7 +89,7 @@ --hive_metastore_uris${hiveMetastoreUris} --outputPath${outputPath} --usagestatsdb${usagestatsdb} - --workingPath${workingDir}/usageDb + --workingPath${workingDir} diff --git a/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteModelConstants.scala b/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteModelConstants.scala index ccaf81aa9..ba08f2cd1 100644 --- a/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteModelConstants.scala +++ b/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteModelConstants.scala @@ -79,16 +79,6 @@ object DataciteModelConstants { OafMapperUtils.keyValue(ModelConstants.DATACITE_ID, DATACITE_NAME) val subRelTypeMapping: Map[String, OAFRelations] = Map( - ModelConstants.REFERENCES -> OAFRelations( - ModelConstants.REFERENCES, - ModelConstants.IS_REFERENCED_BY, - ModelConstants.RELATIONSHIP - ), - ModelConstants.IS_REFERENCED_BY -> OAFRelations( - ModelConstants.IS_REFERENCED_BY, - ModelConstants.REFERENCES, - ModelConstants.RELATIONSHIP - ), ModelConstants.IS_SUPPLEMENTED_BY -> OAFRelations( ModelConstants.IS_SUPPLEMENTED_BY, ModelConstants.IS_SUPPLEMENT_TO, @@ -164,16 +154,6 @@ object DataciteModelConstants { ModelConstants.IS_SOURCE_OF, ModelConstants.VERSION ), - ModelConstants.CITES -> OAFRelations( - ModelConstants.CITES, - ModelConstants.IS_CITED_BY, - ModelConstants.CITATION - ), - ModelConstants.IS_CITED_BY -> OAFRelations( - ModelConstants.IS_CITED_BY, - ModelConstants.CITES, - ModelConstants.CITATION - ), ModelConstants.IS_VARIANT_FORM_OF -> OAFRelations( ModelConstants.IS_VARIANT_FORM_OF, ModelConstants.IS_DERIVED_FROM, diff --git a/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteToOAFTransformation.scala b/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteToOAFTransformation.scala index 2696b5252..ecd957aa6 100644 --- a/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteToOAFTransformation.scala +++ b/dhp-workflows/dhp-aggregation/src/main/scala/eu/dnetlib/dhp/datacite/DataciteToOAFTransformation.scala @@ -290,6 +290,7 @@ object DataciteToOAFTransformation { collectedFrom: KeyValue, di: DataInfo ): Relation = { + val r = new Relation r.setSource(sourceId) r.setTarget(targetId) @@ -619,7 +620,7 @@ object DataciteToOAFTransformation { id: String, date: String ): List[Relation] = { - rels + val bidirectionalRels: List[Relation] = rels .filter(r => subRelTypeMapping .contains(r.relationType) && (r.relatedIdentifierType.equalsIgnoreCase("doi") || @@ -627,26 +628,46 @@ object DataciteToOAFTransformation { r.relatedIdentifierType.equalsIgnoreCase("arxiv")) ) .map(r => { - val rel = new Relation - - rel.setProvenance(Lists.newArrayList(OafMapperUtils.getProvenance(DATACITE_COLLECTED_FROM, relDataInfo))) - val subRelType = subRelTypeMapping(r.relationType).relType - rel.setRelType(REL_TYPE_VALUE) - rel.setSubRelType(subRelType) - rel.setRelClass(r.relationType) - - val dateProps: KeyValue = OafMapperUtils.keyValue(DATE_RELATION_KEY, date) - - rel.setProperties(List(dateProps).asJava) - - rel.setSource(id) - rel.setTarget( - DHPUtils.generateUnresolvedIdentifier(r.relatedIdentifier, r.relatedIdentifierType) - ) - - rel + val target = DHPUtils.generateUnresolvedIdentifier(r.relatedIdentifier, r.relatedIdentifierType) + relation(id, target, subRelType, r.relationType, date) }) + val citationRels: List[Relation] = rels + .filter(r => + (r.relatedIdentifierType.equalsIgnoreCase("doi") || + r.relatedIdentifierType.equalsIgnoreCase("pmid") || + r.relatedIdentifierType.equalsIgnoreCase("arxiv")) && + (r.relationType.toLowerCase.contains("cite") || r.relationType.toLowerCase.contains("reference")) + ) + .map(r => { + r.relationType match { + case ModelConstants.CITES | ModelConstants.REFERENCES => + val target = DHPUtils.generateUnresolvedIdentifier(r.relatedIdentifier, r.relatedIdentifierType) + relation(id, target, ModelConstants.CITATION, ModelConstants.CITES, date) + case ModelConstants.IS_CITED_BY | ModelConstants.IS_REFERENCED_BY => + val source = DHPUtils.generateUnresolvedIdentifier(r.relatedIdentifier, r.relatedIdentifierType) + relation(source, id, ModelConstants.CITATION, ModelConstants.CITES, date) + } + }) + + citationRels ::: bidirectionalRels + } + + def relation(source: String, target: String, subRelType: String, relClass: String, date: String): Relation = { + val rel = new Relation + rel.setProvenance(Lists.newArrayList(OafMapperUtils.getProvenance(DATACITE_COLLECTED_FROM, relDataInfo))) + + rel.setRelType(REL_TYPE_VALUE) + rel.setSubRelType(subRelType) + rel.setRelClass(relClass) + + val dateProps: KeyValue = OafMapperUtils.keyValue(DATE_RELATION_KEY, date) + + rel.setProperties(List(dateProps).asJava) + + rel.setSource(source) + rel.setTarget(target) + rel } def generateDSId(input: String): String = { diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFosTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFosTest.java new file mode 100644 index 000000000..7e0acc2bb --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/createunresolvedentities/GetFosTest.java @@ -0,0 +1,99 @@ + +package eu.dnetlib.dhp.actionmanager.createunresolvedentities; + +import java.io.IOException; +import java.nio.file.Files; +import java.nio.file.Path; + +import org.apache.commons.io.FileUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.LocalFileSystem; +import org.apache.spark.SparkConf; +import org.apache.spark.api.java.JavaRDD; +import org.apache.spark.api.java.JavaSparkContext; +import org.apache.spark.sql.SparkSession; +import org.junit.jupiter.api.AfterAll; +import org.junit.jupiter.api.Assertions; +import org.junit.jupiter.api.BeforeAll; +import org.junit.jupiter.api.Test; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import com.fasterxml.jackson.databind.ObjectMapper; + +import eu.dnetlib.dhp.actionmanager.createunresolvedentities.model.FOSDataModel; + +/** + * @author miriam.baglioni + * @Date 13/02/23 + */ +public class GetFosTest { + + private static final Logger log = LoggerFactory.getLogger(ProduceTest.class); + + private static Path workingDir; + private static SparkSession spark; + private static LocalFileSystem fs; + private static final ObjectMapper OBJECT_MAPPER = new ObjectMapper(); + + @BeforeAll + public static void beforeAll() throws IOException { + workingDir = Files.createTempDirectory(PrepareTest.class.getSimpleName()); + + fs = FileSystem.getLocal(new Configuration()); + log.info("using work dir {}", workingDir); + + SparkConf conf = new SparkConf(); + conf.setAppName(ProduceTest.class.getSimpleName()); + + conf.setMaster("local[*]"); + conf.set("spark.driver.host", "localhost"); + conf.set("hive.metastore.local", "true"); + conf.set("spark.ui.enabled", "false"); + conf.set("spark.sql.warehouse.dir", workingDir.toString()); + conf.set("hive.metastore.warehouse.dir", workingDir.resolve("warehouse").toString()); + + spark = SparkSession + .builder() + .appName(PrepareTest.class.getSimpleName()) + .config(conf) + .getOrCreate(); + } + + @AfterAll + public static void afterAll() throws IOException { + FileUtils.deleteDirectory(workingDir.toFile()); + spark.stop(); + } + + @Test + void test3() throws Exception { + final String sourcePath = getClass() + .getResource("/eu/dnetlib/dhp/actionmanager/createunresolvedentities/fos/fos_sbs.tsv") + .getPath(); + + final String outputPath = workingDir.toString() + "/fos.json"; + GetFOSSparkJob + .main( + new String[] { + "--isSparkSessionManaged", Boolean.FALSE.toString(), + "--sourcePath", sourcePath, + + "-outputPath", outputPath + + }); + + final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); + + JavaRDD tmp = sc + .textFile(outputPath) + .map(item -> OBJECT_MAPPER.readValue(item, FOSDataModel.class)); + + tmp.foreach(t -> Assertions.assertTrue(t.getDoi() != null)); + tmp.foreach(t -> Assertions.assertTrue(t.getLevel1() != null)); + tmp.foreach(t -> Assertions.assertTrue(t.getLevel2() != null)); + tmp.foreach(t -> Assertions.assertTrue(t.getLevel3() != null)); + + } +} diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/EXCELParserTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/EXCELParserTest.java index d27a732ea..bc67f87a5 100644 --- a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/EXCELParserTest.java +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/EXCELParserTest.java @@ -1,6 +1,8 @@ package eu.dnetlib.dhp.actionmanager.project; +import java.io.FileInputStream; +import java.io.FileNotFoundException; import java.io.IOException; import java.nio.file.Files; import java.nio.file.Path; @@ -16,6 +18,7 @@ import eu.dnetlib.dhp.actionmanager.project.utils.EXCELParser; import eu.dnetlib.dhp.common.collection.CollectorException; import eu.dnetlib.dhp.common.collection.HttpConnector2; +@Deprecated @Disabled public class EXCELParserTest { @@ -43,4 +46,21 @@ public class EXCELParserTest { Assertions.assertEquals(3878, pl.size()); } + + @Test + void test2() throws IOException, ClassNotFoundException, InvalidFormatException, IllegalAccessException, + InstantiationException { + ; + + EXCELParser excelParser = new EXCELParser(); + + List pl = excelParser + .parse( + new FileInputStream( + getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/h2020_topic.xlsx").getPath()), + "eu.dnetlib.dhp.actionmanager.project.utils.model.EXCELTopic", + "DATA"); + + Assertions.assertEquals(3905, pl.size()); + } } diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareH2020ProgrammeTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareH2020ProgrammeTest.java index 680872126..b30658feb 100644 --- a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareH2020ProgrammeTest.java +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareH2020ProgrammeTest.java @@ -73,7 +73,7 @@ public class PrepareH2020ProgrammeTest { "-isSparkSessionManaged", Boolean.FALSE.toString(), "-programmePath", - getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/whole_programme.json.gz").getPath(), + getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/h2020_programme.json.gz").getPath(), "-outputPath", workingDir.toString() + "/preparedProgramme" }); @@ -84,7 +84,7 @@ public class PrepareH2020ProgrammeTest { .textFile(workingDir.toString() + "/preparedProgramme") .map(item -> OBJECT_MAPPER.readValue(item, CSVProgramme.class)); - Assertions.assertEquals(277, tmp.count()); + Assertions.assertEquals(279, tmp.count()); Dataset verificationDataset = spark.createDataset(tmp.rdd(), Encoders.bean(CSVProgramme.class)); diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjectTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjectTest.java index d0c50a054..3dadef62d 100644 --- a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjectTest.java +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/PrepareProjectTest.java @@ -4,12 +4,14 @@ package eu.dnetlib.dhp.actionmanager.project; import java.io.IOException; import java.nio.file.Files; import java.nio.file.Path; +import java.util.ArrayList; +import java.util.List; import org.apache.commons.io.FileUtils; +import org.apache.commons.io.IOUtils; import org.apache.spark.SparkConf; import org.apache.spark.api.java.JavaRDD; import org.apache.spark.api.java.JavaSparkContext; -import org.apache.spark.api.java.function.ForeachFunction; import org.apache.spark.sql.Dataset; import org.apache.spark.sql.Encoders; import org.apache.spark.sql.SparkSession; @@ -20,9 +22,12 @@ import org.junit.jupiter.api.Test; import org.slf4j.Logger; import org.slf4j.LoggerFactory; +import com.fasterxml.jackson.core.JsonProcessingException; +import com.fasterxml.jackson.core.type.TypeReference; import com.fasterxml.jackson.databind.ObjectMapper; import eu.dnetlib.dhp.actionmanager.project.utils.model.CSVProject; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; public class PrepareProjectTest { @@ -74,7 +79,7 @@ public class PrepareProjectTest { "-isSparkSessionManaged", Boolean.FALSE.toString(), "-projectPath", - getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/projects_subset.json").getPath(), + getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/projects_nld.json.gz").getPath(), "-outputPath", workingDir.toString() + "/preparedProjects", "-dbProjectPath", @@ -94,6 +99,12 @@ public class PrepareProjectTest { Assertions.assertEquals(0, verificationDataset.filter("length(id) = 0").count()); Assertions.assertEquals(0, verificationDataset.filter("length(programme) = 0").count()); + Assertions.assertEquals(0, verificationDataset.filter("length(topics) = 0").count()); + + CSVProject project = tmp.filter(p -> p.getId().equals("886828")).first(); + + Assertions.assertEquals("H2020-EU.2.3.", project.getProgramme()); + Assertions.assertEquals("EIC-SMEInst-2018-2020", project.getTopics()); } } diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/DownloadCsvTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadProgrammeTest.java similarity index 55% rename from dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/DownloadCsvTest.java rename to dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadProgrammeTest.java index 21fb63273..73b8c238a 100644 --- a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/DownloadCsvTest.java +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadProgrammeTest.java @@ -1,12 +1,10 @@ package eu.dnetlib.dhp.actionmanager.project; +import static org.junit.jupiter.api.Assertions.assertEquals; import static org.junit.jupiter.api.Assertions.assertTrue; -import java.io.BufferedReader; -import java.io.File; -import java.io.IOException; -import java.io.InputStreamReader; +import java.io.*; import java.nio.file.Files; import org.apache.commons.io.FileUtils; @@ -24,7 +22,7 @@ import eu.dnetlib.dhp.common.collection.CollectorException; import eu.dnetlib.dhp.common.collection.GetCSV; import eu.dnetlib.dhp.common.collection.HttpConnector2; -public class DownloadCsvTest { +public class ReadProgrammeTest { private static String workingDir; @@ -33,22 +31,25 @@ public class DownloadCsvTest { @BeforeAll public static void beforeAll() throws IOException { workingDir = Files - .createTempDirectory(DownloadCsvTest.class.getSimpleName()) + .createTempDirectory(ReadProgrammeTest.class.getSimpleName()) .toString(); fs = FileSystem.getLocal(new Configuration()); } - @Disabled - @Test - void getProgrammeFileTest() throws Exception { + @AfterAll + public static void cleanup() { + FileUtils.deleteQuietly(new File(workingDir)); + } - String fileURL = "https://cordis.europa.eu/data/reference/cordisref-h2020programmes.csv"; + @Test + void getLocalProgrammeFileTest() throws Exception { GetCSV .getCsv( fs, new BufferedReader( - new InputStreamReader(new HttpConnector2().getInputSourceAsStream(fileURL))), + new FileReader( + getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/h2020_programme.csv").getPath())), workingDir + "/programme", CSVProgramme.class.getName(), ';'); @@ -56,10 +57,11 @@ public class DownloadCsvTest { String line; int count = 0; + ObjectMapper OBJECT_MAPPER = new ObjectMapper(); while ((line = in.readLine()) != null) { - CSVProgramme csvp = new ObjectMapper().readValue(line, CSVProgramme.class); - if (count == 0) { - assertTrue(csvp.getCode().equals("H2020-EU.5.f.")); + CSVProgramme csvp = OBJECT_MAPPER.readValue(line, CSVProgramme.class); + if (count == 528) { + assertEquals("H2020-EU.5.f.", csvp.getCode()); assertTrue( csvp .getTitle() @@ -69,8 +71,8 @@ public class DownloadCsvTest { assertTrue(csvp.getShortTitle().equals("")); assertTrue(csvp.getLanguage().equals("en")); } - if (count == 28) { - assertTrue(csvp.getCode().equals("H2020-EU.3.5.4.")); + if (count == 11) { + assertEquals("H2020-EU.3.5.4.", csvp.getCode()); assertTrue( csvp .getTitle() @@ -79,7 +81,7 @@ public class DownloadCsvTest { assertTrue(csvp.getShortTitle().equals("A green economy and society through eco-innovation")); assertTrue(csvp.getLanguage().equals("de")); } - if (count == 229) { + if (count == 34) { assertTrue(csvp.getCode().equals("H2020-EU.3.2.")); assertTrue( csvp @@ -95,54 +97,7 @@ public class DownloadCsvTest { count += 1; } - Assertions.assertEquals(767, count); - } - - @Disabled - @Test - void getProjectFileTest() throws IOException, CollectorException, ClassNotFoundException { - String fileURL = "https://cordis.europa.eu/data/cordis-h2020projects.csv"; - - GetCSV - .getCsv( - fs, - new BufferedReader(new InputStreamReader(new HttpConnector2().getInputSourceAsStream(fileURL))), - workingDir + "/projects", - CSVProject.class.getName(), ';'); - - BufferedReader in = new BufferedReader(new InputStreamReader(fs.open(new Path(workingDir + "/projects")))); - - String line; - int count = 0; - while ((line = in.readLine()) != null) { - CSVProject csvp = new ObjectMapper().readValue(line, CSVProject.class); - if (count == 0) { - assertTrue(csvp.getId().equals("771736")); - assertTrue(csvp.getProgramme().equals("H2020-EU.1.1.")); - assertTrue(csvp.getTopics().equals("ERC-2017-COG")); - - } - if (count == 22882) { - assertTrue(csvp.getId().equals("752903")); - assertTrue(csvp.getProgramme().equals("H2020-EU.1.3.2.")); - assertTrue(csvp.getTopics().equals("MSCA-IF-2016")); - } - if (count == 223023) { - assertTrue(csvp.getId().equals("861952")); - assertTrue(csvp.getProgramme().equals("H2020-EU.4.e.")); - assertTrue(csvp.getTopics().equals("SGA-SEWP-COST-2019")); - } - assertTrue(csvp.getId() != null); - assertTrue(csvp.getProgramme().startsWith("H2020")); - count += 1; - } - - Assertions.assertEquals(34957, count); - } - - @AfterAll - public static void cleanup() { - FileUtils.deleteQuietly(new File(workingDir)); + assertEquals(769, count); } } diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadProjectsTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadProjectsTest.java new file mode 100644 index 000000000..0d92c48a8 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadProjectsTest.java @@ -0,0 +1,104 @@ + +package eu.dnetlib.dhp.actionmanager.project; + +import java.io.IOException; +import java.nio.file.Files; +import java.nio.file.Path; +import java.util.ArrayList; +import java.util.List; + +import org.apache.commons.io.FileUtils; +import org.apache.commons.io.IOUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.LocalFileSystem; +import org.apache.spark.SparkConf; +import org.apache.spark.api.java.JavaRDD; +import org.apache.spark.api.java.JavaSparkContext; +import org.apache.spark.sql.SparkSession; +import org.junit.jupiter.api.AfterAll; +import org.junit.jupiter.api.Assertions; +import org.junit.jupiter.api.BeforeAll; +import org.junit.jupiter.api.Test; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import com.fasterxml.jackson.core.JsonProcessingException; +import com.fasterxml.jackson.core.type.TypeReference; +import com.fasterxml.jackson.databind.ObjectMapper; + +import eu.dnetlib.dhp.actionmanager.project.utils.ReadProjects; +import eu.dnetlib.dhp.actionmanager.project.utils.model.CSVProject; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; + +/** + * @author miriam.baglioni + * @Date 01/03/23 + */ +public class ReadProjectsTest { + private static final ObjectMapper OBJECT_MAPPER = new ObjectMapper(); + + private static Path workingDir; + + private static LocalFileSystem fs; + + private static SparkSession spark; + + private static final Logger log = LoggerFactory + .getLogger(ReadProjectsTest.class); + + @BeforeAll + public static void beforeAll() throws IOException { + workingDir = Files + .createTempDirectory(ReadProjectsTest.class.getSimpleName()); + + fs = FileSystem.getLocal(new Configuration()); + SparkConf conf = new SparkConf(); + conf.setAppName(PrepareProjectTest.class.getSimpleName()); + + conf.setMaster("local[*]"); + conf.set("spark.driver.host", "localhost"); + conf.set("hive.metastore.local", "true"); + conf.set("spark.ui.enabled", "false"); + conf.set("spark.sql.warehouse.dir", workingDir.toString()); + conf.set("hive.metastore.warehouse.dir", workingDir.resolve("warehouse").toString()); + + spark = SparkSession + .builder() + .appName(PrepareProjectTest.class.getSimpleName()) + .config(conf) + .getOrCreate(); + } + + @AfterAll + public static void afterAll() throws IOException { + FileUtils.deleteDirectory(workingDir.toFile()); + spark.stop(); + } + + @Test + void readProjects() throws IOException { + String projects = getClass() + .getResource("/eu/dnetlib/dhp/actionmanager/project/projects.json") + .getPath(); + ReadProjects.readProjects(projects, workingDir.toString() + "/projects", fs); + + final JavaSparkContext sc = new JavaSparkContext(spark.sparkContext()); + + JavaRDD tmp = sc + .textFile(workingDir.toString() + "/projects") + .map(item -> OBJECT_MAPPER.readValue(item, Project.class)); + + Assertions.assertEquals(19, tmp.count()); + + Project project = tmp.filter(p -> p.getAcronym().equals("GiSTDS")).first(); + + Assertions.assertEquals("2022-10-08 18:28:27", project.getContentUpdateDate()); + Assertions.assertEquals("894593", project.getId()); + Assertions.assertEquals("H2020-EU.1.3.", project.getLegalBasis()); + Assertions.assertEquals("MSCA-IF-2019", project.getTopics()); + + // tmp.foreach(p -> System.out.println(OBJECT_MAPPER.writeValueAsString(p))); + + } +} diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadTopicTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadTopicTest.java new file mode 100644 index 000000000..82a9e6aed --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/ReadTopicTest.java @@ -0,0 +1,99 @@ + +package eu.dnetlib.dhp.actionmanager.project; + +import java.io.IOException; +import java.nio.file.Files; +import java.nio.file.Path; + +import org.apache.commons.io.FileUtils; +import org.apache.hadoop.conf.Configuration; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.LocalFileSystem; +import org.apache.spark.SparkConf; +import org.apache.spark.api.java.JavaRDD; +import org.apache.spark.api.java.JavaSparkContext; +import org.apache.spark.sql.SparkSession; +import org.junit.jupiter.api.*; +import org.slf4j.Logger; +import org.slf4j.LoggerFactory; + +import com.fasterxml.jackson.databind.ObjectMapper; + +import eu.dnetlib.dhp.actionmanager.project.utils.ReadProjects; +import eu.dnetlib.dhp.actionmanager.project.utils.ReadTopics; +import eu.dnetlib.dhp.actionmanager.project.utils.model.JsonTopic; +import eu.dnetlib.dhp.actionmanager.project.utils.model.Project; + +/** + +* @author miriam.baglioni + +* @Date 01/03/23 + +*/ +public class ReadTopicTest { + private static final ObjectMapper OBJECT_MAPPER = new ObjectMapper(); + + private static Path workingDir; + + private static LocalFileSystem fs; + + private static SparkSession spark; + + private static final Logger log = LoggerFactory + .getLogger(ReadTopicTest.class); + + @BeforeAll + public static void beforeAll() throws IOException { + workingDir = Files + .createTempDirectory(ReadTopicTest.class.getSimpleName()); + + fs = FileSystem.getLocal(new Configuration()); + SparkConf conf = new SparkConf(); + conf.setAppName(PrepareProjectTest.class.getSimpleName()); + + conf.setMaster("local[*]"); + conf.set("spark.driver.host", "localhost"); + conf.set("hive.metastore.local", "true"); + conf.set("spark.ui.enabled", "false"); + conf.set("spark.sql.warehouse.dir", workingDir.toString()); + conf.set("hive.metastore.warehouse.dir", workingDir.resolve("warehouse").toString()); + + spark = SparkSession + .builder() + .appName(PrepareProjectTest.class.getSimpleName()) + .config(conf) + .getOrCreate(); + } + + @AfterAll + public static void afterAll() throws IOException { + FileUtils.deleteDirectory(workingDir.toFile()); + spark.stop(); + } + + @Disabled + @Test + void readTopics() throws IOException { + String topics = getClass() + .getResource("/eu/dnetlib/dhp/actionmanager/project/topics.json") + .getPath(); + ReadTopics.readTopics(topics, workingDir.toString() + "/topics", fs); + + final JavaSparkContext sc = new JavaSparkContext(spark.sparkContext()); + + JavaRDD tmp = sc + .textFile(workingDir.toString() + "/topics") + .map(item -> OBJECT_MAPPER.readValue(item, JsonTopic.class)); + + // Assertions.assertEquals(16, tmp.count()); + + JsonTopic topic = tmp.filter(t -> t.getProjectID().equals("886988")).first(); + + Assertions.assertEquals("Individual Fellowships", topic.getTitle()); + Assertions.assertEquals("MSCA-IF-2019", topic.getTopic()); + + // tmp.foreach(p -> System.out.println(OBJECT_MAPPER.writeValueAsString(p))); + + } +} diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/SparkUpdateProjectTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/SparkUpdateProjectTest.java index 58365e026..bdc17546d 100644 --- a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/SparkUpdateProjectTest.java +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/project/SparkUpdateProjectTest.java @@ -11,6 +11,7 @@ import org.apache.hadoop.io.Text; import org.apache.spark.SparkConf; import org.apache.spark.api.java.JavaRDD; import org.apache.spark.api.java.JavaSparkContext; +import org.apache.spark.api.java.function.ForeachFunction; import org.apache.spark.sql.Dataset; import org.apache.spark.sql.Encoders; import org.apache.spark.sql.Row; @@ -78,12 +79,12 @@ public class SparkUpdateProjectTest { "-programmePath", getClass() .getResource( - "/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json") + "/eu/dnetlib/dhp/actionmanager/project/prepared_h2020_programme.json.gz") .getPath(), "-projectPath", - getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json").getPath(), + getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json.gz").getPath(), "-topicPath", - getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/topic.json.gz").getPath(), + getClass().getResource("/eu/dnetlib/dhp/actionmanager/project/topics_nld.json.gz").getPath(), "-outputPath", workingDir.toString() + "/actionSet" }); @@ -266,6 +267,7 @@ public class SparkUpdateProjectTest { .get(1) .getString(0) .equals("H2020-EU.2.1.4.")); + Assertions .assertTrue( execverification diff --git a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionCountJobTest.java b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionCountJobTest.java index bb339d385..39d9548d4 100644 --- a/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionCountJobTest.java +++ b/dhp-workflows/dhp-aggregation/src/test/java/eu/dnetlib/dhp/actionmanager/usagestats/SparkAtomicActionCountJobTest.java @@ -8,6 +8,7 @@ import java.nio.file.Files; import java.nio.file.Path; import java.util.stream.Collectors; +import eu.dnetlib.dhp.schema.oaf.Entity; import org.apache.commons.io.FileUtils; import org.apache.hadoop.io.Text; import org.apache.spark.SparkConf; @@ -68,31 +69,33 @@ public class SparkAtomicActionCountJobTest { @Test void testMatch() { String usageScoresPath = getClass() - .getResource("/eu/dnetlib/dhp/actionmanager/usagestats/usagestatsdb") + .getResource("/eu/dnetlib/dhp/actionmanager/usagestats") .getPath(); SparkAtomicActionUsageJob.writeActionSet(spark, usageScoresPath, workingDir.toString() + "/actionSet"); final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); - JavaRDD tmp = sc + JavaRDD tmp = sc .sequenceFile(workingDir.toString() + "/actionSet", Text.class, Text.class) - .map(usm -> OBJECT_MAPPER.readValue(usm._2.getBytes(), AtomicAction.class)) - .map(aa -> (Result) aa.getPayload()); + .map(usm -> OBJECT_MAPPER.readValue(usm._2.getBytes(), AtomicAction.class)); + // .map(aa -> (Result) aa.getPayload()); - Assertions.assertEquals(9, tmp.count()); + Assertions.assertEquals(9, tmp.filter(aa -> ((Entity) aa.getPayload()).getId().startsWith("50|")).count()); + Assertions.assertEquals(9, tmp.filter(aa -> ((Entity) aa.getPayload()).getId().startsWith("10|")).count()); + Assertions.assertEquals(9, tmp.filter(aa -> ((Entity) aa.getPayload()).getId().startsWith("40|")).count()); - tmp.foreach(r -> Assertions.assertEquals(2, r.getMeasures().size())); + tmp.foreach(r -> Assertions.assertEquals(2, ((Entity) r.getPayload()).getMeasures().size())); tmp .foreach( - r -> r + r -> ((Entity) r.getPayload()) .getMeasures() .stream() .forEach( m -> m.getUnit().stream().forEach(u -> Assertions.assertTrue(u.getDataInfo().getInferred())))); tmp .foreach( - r -> r + r -> ((Entity) r.getPayload()) .getMeasures() .stream() .forEach( @@ -106,7 +109,7 @@ public class SparkAtomicActionCountJobTest { u.getDataInfo().getProvenanceaction().getClassid())))); tmp .foreach( - r -> r + r -> ((Entity) r.getPayload()) .getMeasures() .stream() .forEach( @@ -121,7 +124,7 @@ public class SparkAtomicActionCountJobTest { tmp .foreach( - r -> r + r -> ((Entity) r.getPayload()) .getMeasures() .stream() .forEach( @@ -136,12 +139,19 @@ public class SparkAtomicActionCountJobTest { Assertions .assertEquals( - 1, tmp.filter(r -> r.getId().equals("50|dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6")).count()); + 1, + tmp + .filter( + r -> ((Entity) r.getPayload()) + .getId() + .equals("50|dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6")) + .count()); Assertions .assertEquals( "0", tmp + .map(r -> ((Entity) r.getPayload())) .filter(r -> r.getId().equals("50|dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6")) .collect() .get(0) @@ -157,6 +167,7 @@ public class SparkAtomicActionCountJobTest { .assertEquals( "5", tmp + .map(r -> ((Entity) r.getPayload())) .filter(r -> r.getId().equals("50|dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6")) .collect() .get(0) @@ -173,6 +184,7 @@ public class SparkAtomicActionCountJobTest { .assertEquals( "0", tmp + .map(r -> ((Entity) r.getPayload())) .filter(r -> r.getId().equals("50|doi_________::17eda2ff77407538fbe5d3d719b9d1c0")) .collect() .get(0) @@ -188,6 +200,7 @@ public class SparkAtomicActionCountJobTest { .assertEquals( "1", tmp + .map(r -> ((Entity) r.getPayload())) .filter(r -> r.getId().equals("50|doi_________::17eda2ff77407538fbe5d3d719b9d1c0")) .collect() .get(0) @@ -204,6 +217,7 @@ public class SparkAtomicActionCountJobTest { .assertEquals( "2", tmp + .map(r -> ((Entity) r.getPayload())) .filter(r -> r.getId().equals("50|doi_________::3085e4c6e051378ca6157fe7f0430c1f")) .collect() .get(0) @@ -219,6 +233,7 @@ public class SparkAtomicActionCountJobTest { .assertEquals( "6", tmp + .map(r -> ((Entity) r.getPayload())) .filter(r -> r.getId().equals("50|doi_________::3085e4c6e051378ca6157fe7f0430c1f")) .collect() .get(0) @@ -230,6 +245,204 @@ public class SparkAtomicActionCountJobTest { .getUnit() .get(0) .getValue()); + + Assertions + .assertEquals( + "0", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("40|f1__________::53575dc69e9ace947e02d47ecd54a7a6")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("downloads")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + Assertions + .assertEquals( + "5", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("40|f1__________::53575dc69e9ace947e02d47ecd54a7a6")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("views")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + + Assertions + .assertEquals( + "0", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("40|f11_________::17eda2ff77407538fbe5d3d719b9d1c0")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("downloads")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + Assertions + .assertEquals( + "1", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("40|f11_________::17eda2ff77407538fbe5d3d719b9d1c0")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("views")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + + Assertions + .assertEquals( + "2", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("40|f12_________::3085e4c6e051378ca6157fe7f0430c1f")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("downloads")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + Assertions + .assertEquals( + "6", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("40|f12_________::3085e4c6e051378ca6157fe7f0430c1f")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("views")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + + Assertions + .assertEquals( + "0", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("10|d1__________::53575dc69e9ace947e02d47ecd54a7a6")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("downloads")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + Assertions + .assertEquals( + "5", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("10|d1__________::53575dc69e9ace947e02d47ecd54a7a6")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("views")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + + Assertions + .assertEquals( + "0", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("10|d11_________::17eda2ff77407538fbe5d3d719b9d1c0")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("downloads")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + Assertions + .assertEquals( + "1", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("10|d11_________::17eda2ff77407538fbe5d3d719b9d1c0")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("views")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + + Assertions + .assertEquals( + "2", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("10|d12_________::3085e4c6e051378ca6157fe7f0430c1f")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("downloads")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); + Assertions + .assertEquals( + "6", + tmp + .map(r -> ((Entity) r.getPayload())) + .filter(r -> r.getId().equals("10|d12_________::3085e4c6e051378ca6157fe7f0430c1f")) + .collect() + .get(0) + .getMeasures() + .stream() + .filter(m -> m.getId().equals("views")) + .collect(Collectors.toList()) + .get(0) + .getUnit() + .get(0) + .getValue()); } } diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/fos/fos_sbs.tsv b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/fos/fos_sbs.tsv new file mode 100644 index 000000000..98a338e2d --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/createunresolvedentities/fos/fos_sbs.tsv @@ -0,0 +1,40 @@ +doi level1 level2 level3 +10.1080/09638237.2018.1466033 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1016/j.dsi.2015.10.003 03 medical and health sciences 0301 basic medicine 030105 genetics & heredity +10.1007/s10072-017-2914-9 03 medical and health sciences 0302 clinical medicine 030217 neurology & neurosurgery +10.1016/j.bspc.2021.102726 02 engineering and technology 0206 medical engineering 020601 biomedical engineering +10.1177/0306312706069439 06 humanities and the arts 0601 history and archaeology 060101 anthropology +10.1016/j.jacep.2016.05.010 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1111/anae.13418 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1142/s1793744210000168 01 natural sciences 0103 physical sciences 010306 general physics +10.1016/j.jadohealth.2019.04.029 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1109/icais50930.2021.9395847 02 engineering and technology 0202 electrical engineering, electronic engineering, information engineering 020201 artificial intelligence & image processing +10.1145/3154837 01 natural sciences 0101 mathematics 010102 general mathematics +10.1038/srep38130 03 medical and health sciences 0301 basic medicine 030106 microbiology +10.1007/s13369-017-2871-x 02 engineering and technology 0202 electrical engineering, electronic engineering, information engineering 020201 artificial intelligence & image processing +10.1063/1.4964718 03 medical and health sciences 0301 basic medicine 030104 developmental biology +10.1007/s12603-019-1276-9 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1002/cam4.1463 03 medical and health sciences 0301 basic medicine 030104 developmental biology +10.1164/rccm.201611-2290ed 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1088/1757-899x/225/1/012132 01 natural sciences 0105 earth and related environmental sciences 010504 meteorology & atmospheric sciences +10.1117/1.jmm.15.1.015501 02 engineering and technology 0210 nano-technology 021001 nanoscience & nanotechnology +10.1088/1361-6587/ab569d 01 natural sciences 0103 physical sciences 010303 astronomy & astrophysics +10.1016/j.rser.2015.11.092 02 engineering and technology 0202 electrical engineering, electronic engineering, information engineering 020209 energy +10.1016/j.jhydrol.2013.06.035 01 natural sciences 0105 earth and related environmental sciences 010504 meteorology & atmospheric sciences +10.1111/php.12892 03 medical and health sciences 0301 basic medicine 030104 developmental biology +10.1088/0264-9381/27/10/105001 01 natural sciences 0103 physical sciences 010308 nuclear & particles physics +10.1016/j.matchemphys.2018.02.039 02 engineering and technology 0210 nano-technology 021001 nanoscience & nanotechnology +10.1098/rsos.160993 03 medical and health sciences 0301 basic medicine 030104 developmental biology +10.1016/j.rinp.2017.07.054 02 engineering and technology 0209 industrial biotechnology 020901 industrial engineering & automation +10.1111/eip.12348 03 medical and health sciences 0302 clinical medicine 030227 psychiatry +10.20965/jrm.2016.p0371 02 engineering and technology 0201 civil engineering 020101 civil engineering +10.2337/dci19-0036 03 medical and health sciences 0302 clinical medicine 030212 general & internal medicine +10.1155/2018/7692913 01 natural sciences 0104 chemical sciences 010404 medicinal & biomolecular chemistry +10.1117/12.2262306 02 engineering and technology 0202 electrical engineering, electronic engineering, information engineering 020206 networking & telecommunications +10.1021/acs.jpcb.7b01885 01 natural sciences 0104 chemical sciences 010405 organic chemistry +10.1177/0033294117711131 05 social sciences 0502 economics and business 050203 business & management +10.1016/j.jrurstud.2017.08.019 05 social sciences 0502 economics and business 050203 business & management +10.1111/febs.15296 03 medical and health sciences 0301 basic medicine 030104 developmental biology +10.3923/jeasci.2017.6922.6927 05 social sciences 0505 law 050501 criminology +10.1007/s10854-017-6376-x 02 engineering and technology 0202 electrical engineering, electronic engineering, information engineering 020208 electrical & electronic engineering +10.3390/app10176095 02 engineering and technology 0202 electrical engineering, electronic engineering, information engineering 020209 energy \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/h2020_programme.csv b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/h2020_programme.csv new file mode 100644 index 000000000..812b8ad67 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/h2020_programme.csv @@ -0,0 +1,770 @@ +"id";"language";"code";"startDate";"endDate";"title";"shortTitle";"objective";"keywords";"frameworkProgramme";"parentProgramme";"legalBasis";"call";"contentUpdateDate";"rcn" +"H2020-EU.3.5.2.";"es";"H2020-EU.3.5.2.";"";"";"Protección del medio ambiente, gestión sostenible de los recursos naturales, el agua, la biodiversidad y los ecosistemas";"Protection of the environment";"

Protección del medio ambiente, gestión sostenible de los recursos naturales, el agua, la biodiversidad y los ecosistemas

El objetivo es aportar conocimientos e instrumentos para una gestión y protección de los recursos naturales que consiga un equilibrio sostenible entre los recursos limitados y las necesidades actuales y futuras de la sociedad y la economía. Las actividades se centrarán en: desarrollar nuestra comprensión de la biodiversidad y del funcionamiento de los ecosistemas, sus interacciones con los sistemas sociales y su función en el mantenimiento de la economía y el bienestar humano; impulsar planteamientos integrados para abordar los retos relacionados con el agua y la transición a hacia una gestión y uso sostenibles de los recursos y servicios hídricos, y aportar conocimientos y herramientas para la toma de decisiones efectiva y el compromiso público.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:20";"664399" +"H2020-EU.3.2.";"es";"H2020-EU.3.2.";"";"";"RETOS DE LA SOCIEDAD - Seguridad alimentaria, agricultura y silvicultura sostenibles, investigación marina, marítima y de aguas interiores y bioeconomía";"Food, agriculture, forestry, marine research and bioeconomy";"

RETOS DE LA SOCIEDAD - Seguridad alimentaria, agricultura y silvicultura sostenibles, investigación marina, marítima y de aguas interiores y bioeconomía

Objetivo específico

El objetivo específico es garantizar un abastecimiento suficiente de alimentos seguros, saludables y de calidad superior y otros bioproductos, mediante el desarrollo de sistemas de producción primaria productivos, sostenibles y que utilicen los recursos con eficiencia, el fomento de los correspondientes servicios ecosistémicos y la recuperación de la diversidad biológica, junto con unas cadenas de abastecimiento, transformación y comercialización competitivas y de baja emisión de carbono. Esto acelerará la transición hacia una bioeconomía europea sostenible, reduciendo la brecha entre las nuevas tecnologías y su aplicación.A lo largo de las próximas décadas, Europa deberá enfrentarse a la creciente competencia por unos recursos naturales limitados y finitos, debido a los efectos del cambio climático, en particular en los sistemas de producción primaria (agricultura, incluidas la zootecnia y la horticultura, silvicultura, pesca y acuicultura) y a la necesidad de proporcionar un abastecimiento de alimentos sostenible y seguro a la población europea y a la creciente población mundial. Se considera necesario un aumento del 70 % de la oferta mundial de alimentos para dar de comer a una población mundial de 9 000 millones en 2050. La agricultura representa cerca de un 10 % de las emisiones de gases de efecto invernadero de la Unión y, aunque estén disminuyendo en Europa, se prevé que las emisiones globales debidas a la agricultura aumenten hasta el 20 % de aquí a 2030. Además, Europa necesitará garantizar un abastecimiento suficiente producido de manera sostenible de materias primas, energía y productos industriales, en una situación de disminución de los recursos fósiles (se espera que la producción de petróleo y gas licuado disminuya en torno al 60 % para 2050), manteniendo al mismo tiempo su competitividad. Los biorresiduos (se calcula que suponen hasta 138 millones de toneladas anuales en la Unión, el 40 % de las cuales termina en vertederos) representan un gran problema y un alto coste, pese a su elevado valor añadido potencial.Por ejemplo, se calcula que se desperdicia un 30 % del total de alimentos fabricados en los países desarrollados. Se necesitan grandes cambios para reducir este importe en un 50 % en la Unión de aquí a 2030. Además, las fronteras nacionales no detienen la entrada ni la propagación de las plagas y enfermedades de animales y vegetales, incluidas las enfermedades zoonóticas y los patógenos transmitidos por los alimentos. Cuando hacen falta medidas nacionales de prevención efectivas, la acción a nivel de la Unión resulta esencial para el control final y el funcionamiento eficaz del mercado único. El reto es complejo, afecta a una amplia gama de sectores interrelacionados y exige un planteamiento global y sistémico.Cada vez son necesarios más recursos biológicos para satisfacer la demanda del mercado de un abastecimiento de alimentos seguros y sanos, biomateriales, biocombustibles y bioproductos, que van desde los productos de consumo a los productos químicos a granel. Aunque las capacidades de los ecosistemas terrestres y acuáticos que requiere su producción son limitadas, compiten por su utilización distintas demandas, a menudo no gestionadas de forma óptima, como demuestran por ejemplo la grave degradación del contenido en carbono y la fertilidad del suelo y el agotamiento de las poblaciones de peces. Existen posibilidades infrautilizadas de fomentar los servicios ecosistémicos de las tierras de cultivo, los bosques y las aguas marinas y continentales a través de la integración de los objetivos agronómicos medioambientales y sociales en la producción y el consumo sostenibles.El potencial de los recursos biológicos y los ecosistemas podría utilizarse de manera mucho más sostenible, eficiente e integrada. También podría aprovecharse mejor, por ejemplo, el potencial de la biomasa procedente de la agricultura y los bosques y los flujos de residuos de origen agrario, acuático, industrial y municipal.En esencia, es necesaria una transición hacia un uso óptimo y renovable de los recursos biológicos y hacia unos sistemas de producción primaria y de transformación sostenibles capaces de producir más alimentos, fibras y otros bioproductos con un mínimo de insumos, de impacto ambiental y de emisiones de gases de efecto invernadero, servicios ecosistémicos mejorados, residuos nulos y un valor adecuado para la sociedad. Se trata de establecer sistemas de producción de alimentos que, refuercen, fortalezcan y nutran la base de los recursos, lo que permitiría una generación sostenible de riqueza. Se deben entender y desarrollar mejor las formas usadas para generar, distribuir, comercializar, consumir y regular la producción de alimentos. Un esfuerzo crítico de investigación e innovación interrelacionadas constituye un elemento clave para que esto ocurra, en Europa y fuera de ella, así como un diálogo continuo entre los grupos sociales, políticos, económicos y otros grupos interesados.

Justificación y valor añadido de la Unión

La agricultura, la silvicultura, la pesca y la acuicultura constituyen, junto con las bioindustrias, los sectores principales en los que se asienta la bioeconomía. Esta última representa un mercado considerable y creciente cuyo valor se estimaba en 2009 en más de 2 mil millones de euros, que aportaba 20 millones de puestos de trabajo y suponía el 9 % del empleo total en la Unión. Las inversiones en investigación e innovación encuadradas en este reto de la sociedad permitirán a Europa ser líder en los correspondientes mercados y desempeñarán un papel importante en la consecución de los objetivos de la estrategia Europa 2020 y sus iniciativas emblemáticas ""Unión por la innovación"" y ""Una Europa que utilice eficazmente los recursos"".Una bioeconomía europea plenamente funcional -que incluya la producción sostenible de recursos renovables de la tierra, la pesca y la acuicultura y su conversión en alimentos, bioproductos y bioenergía, así como los bienes públicos correspondientes- generará un alto valor añadido europeo. Paralelamente a las funciones que ejerce en relación con el mercado, la bioeconomía también desempeña una amplia gama de funciones —que deben preservarse— respecto de los bienes públicos y los servicios ecosistémicos: Gestionada de manera sostenible, puede reducir la huella medioambiental de la producción primaria y de la cadena de suministro en su conjunto. Puede aumentar su competitividad, reforzar la autosuficiencia de Europa y crear puestos de trabajo y oportunidades de negocio, algo esencial para el desarrollo rural y costero. Los retos relacionados con la seguridad alimentaria, la agricultura, la producción acuática y la silvicultura sostenibles, y la bioeconomía en general son de carácter europeo y mundial. La adopción de medidas a escala de la Unión es esencial para reunir agrupaciones capaces de conseguir la envergadura y la masa crítica necesarias y complementar los esfuerzos realizados por un Estados miembro o un grupo de Estados miembros. Un planteamiento multilateral permitirá garantizar las necesarias interacciones de fertilización cruzada entre investigadores, empresas, agricultores/productores, asesores y usuarios finales. También es necesario actuar a nivel de la Unión para garantizar la coherencia al abordar este reto en los distintos sectores y unos estrechos vínculos con las políticas pertinentes de la Unión. La coordinación de la investigación e innovación a nivel de la Unión estimulará y contribuirá a acelerar los cambios necesarios en toda la Unión.La investigación y la innovación se vincularán a un amplio espectro de políticas de la Unión y sus correspondientes objetivos, incluidas la Política Agrícola Común (en particular la política de desarrollo rural, las Iniciativas de Programación Conjunta, en especial las iniciativas ""Agricultura, seguridad alimentaria y cambio climático"", ""Una dieta sana para una vida sana"" y ""Mares y océanos saludables y productivos"") y la Cooperación de Innovación Europea ""Productividad y sostenibilidad agrícolas"" y la Cooperación de Innovación Europea sobre el agua, la Política Pesquera Común, la Política Marítima Integrada, el Programa Europeo sobre el Cambio Climático, la Directiva marco sobre el agua, la Directiva marco sobre estrategia marina, el Plan de acción sobre silvicultura, la Estrategia temática en materia de suelos, la estrategia UE 2020 sobre biodiversidad, el Plan Estratégico de Tecnología Energética, las políticas de innovación e industrial de la Unión, las políticas exterior y de ayuda al desarrollo, las estrategias fitosanitarias, las estrategias de salud y bienestar animal y los marcos reguladores de protección del medio ambiente, la salud y la seguridad, de promoción de la eficiencia de los recursos y la acción por el clima, y de reducción de residuos, y respaldarán su elaboración. Una mejor integración en las políticas afines de la Unión del ciclo completo que va de la investigación fundamental a la innovación mejorará considerablemente su valor añadido europeo, tendrá efectos multiplicadores, aumentará la pertinencia social, ofrecerá alimentos sanos y contribuirá a mejorar aún más la gestión sostenible de tierras, mares y océanos y los mercados de la bioeconomía.Con el fin de apoyar las políticas de la Unión relacionadas con la bioeconomía y facilitar la gobernanza y el seguimiento de la investigación y la innovación, se llevarán a cabo actividades de investigación socioeconómica y prospectiva en relación con la estrategia de bioeconomía, incluyendo el desarrollo de indicadores, bases de datos, modelos, prospectiva y previsión y evaluación del impacto de las iniciativas en la economía, la sociedad y el medio ambiente.Las acciones impulsadas por los retos y centradas en los beneficios económicos, sociales y medioambientales y la modernización de los sectores y mercados relacionados con la bioeconomía se financiarán a través de una investigación multidisciplinaria, que empuje la innovación y conduzca al desarrollo de nuevas estrategias, prácticas, productos sostenibles y procesos. Se aplicará asimismo un enfoque amplio con respecto a la innovación, que vaya desde la tecnológica, no tecnológica, organizativa, económica y social, hasta, por ejemplo, nuevos modos de transferencia de tecnologías, nuevos modelos de negocio, creación de marcas y servicios. Deberá reconocerse el potencial de los agricultores y las PYME para contribuir a la innovación. El planteamiento relativo a la bioeconomía deberá tener en cuenta la importancia del conocimiento y la diversidad locales.

Líneas generales de las actividades

(a) Agricultura y silvicultura sostenibles

El objetivo es suministrar suficientes alimentos, piensos, biomasa y otras materias primas, al tiempo que se salvaguardan la base de los recursos naturales como el agua y el suelo y la biodiversidad, con una perspectiva europea y mundial, y se mejoran los servicios ecosistémicos, incluida la adaptación al cambio climático y su mitigación. Las actividades se centrarán en aumentar la calidad y el valor de los productos agrícolas proporcionando una agricultura más sostenible y productiva, incluida la zootecnia y los sistemas agroforestales eficientes en la utilización de recursos (incluida una agricultura baja en carbono y en insumos externos y ecológica). Además, las actividades se centrarán en el desarrollo de servicios, conceptos y políticas para una vida rural próspera y en el fomento del consumo sostenible.En particular en lo que se refiere a la silvicultura, el objetivo es producir bioproductos, servicios ecosistémicos y suficiente biomasa, respetando debidamente los aspectos económicos, ecológicos y sociales de ese sector. Las actividades se centrarán en un mayor desarrollo de la producción y la sostenibilidad de sistemas forestales que utilicen los recursos con eficiencia y sirvan para reforzar la resiliencia forestal y la protección de la biodiversidad y que puedan hacer frente a un aumento de la demanda de biomasa.Se estudiará también la interacción de las plantas funcionales con la salud y el bienestar, así como la explotación de la horticultura y la silvicultura para el desarrollo de la ecologización urbana.

(b) Sector agroalimentario competitivo y sostenible para una dieta sana y segura

El objetivo es responder a la necesidad de que los ciudadanos dispongan de alimentos seguros, sanos y asequibles, y de respeto del medio ambiente, de que la transformación, distribución y consumo de alimentos y piensos sea más sostenible y de que el sector alimentario sea más competitivo, teniendo en cuenta asimismo el componente cultural de la calidad de los alimentos. Las actividades se centrarán en los alimentos sanos y seguros para todos, la información al consumidor, las soluciones dietéticas y las innovaciones para mejorar la salud y los métodos competitivos de transformación de alimentos que utilizan menos recursos y aditivos y producen menos subproductos, residuos y gases de efecto invernadero.

(c) Desbloquear el potencial de los recursos acuáticos vivos

El objetivo es gestionar, explotar de forma sostenible y mantener los recursos acuáticos vivos para maximizar los beneficios y la rentabilidad sociales y económicos de los océanos, mares y aguas continentales europeos, al tiempo que se protege la biodiversidad. Las actividades se centrarán en una contribución óptima al abastecimiento seguro de alimentos desarrollando una pesca sostenible y respetuosa del medio ambiente, una gestión sostenible de los ecosistemas que faciliten bienes y servicios, una acuicultura europea competitiva a la vez que respetuosa del medio ambiente en el contexto de la economía mundial, así como en el fomento de la innovación marina y marítima mediante la biotecnología para propulsar un crecimiento ""azul"" inteligente.

(d) Bioindustrias sostenibles y competitivas y favorables al desarrollo de una bioeconomía europea

El objetivo es la promoción de unas bioindustrias europeas sostenibles y competitivas, de baja emisión de carbono y que utilicen eficazmente los recursos. Las actividades se centrarán en el fomento de la bioeconomía basada en el conocimiento, transformando los procesos y productos industriales convencionales en otros que sean eficientes desde el punto de vista de los recursos y la energía, el desarrollo de biorrefinerías integradas de segunda generación o de generaciones subsiguientes, la optimización del uso de la biomasa procedente de la producción primaria, los biorresiduos y los subproductos de la bioindustria, y la apertura de nuevos mercados a través del apoyo a los sistemas de normalización y certificación, las actividades de reglamentación, demostración/ensayos de campo y otras, al tiempo que se tienen en cuenta las consecuencias de la bioeconomía sobre el uso de los terrenos y su modificación, así como los puntos de vista e inquietudes de la sociedad civil.

(e) Investigación transversal marina y marítima

El objetivo consiste en aumentar el impacto de de los mares y aguas continentales de la Unión sobre la sociedad y el crecimiento económico mediante la explotación sostenible de los recursos marinos así como la utilización de las diversas fuentes de energía marina y la amplia gama de diferentes usos que se hacen de los mares.Las actividades se centrarán en los conocimientos transversales científicos y tecnológicos marinos y marítimos con la intención de liberar el potencial de los mares y las aguas continentales a través de una gama de industrias marinas y marítimas, protegiendo al mismo tiempo el medio ambiente y adaptándose al cambio climático. Este planteamiento coordinado estratégico de la investigación marina y marítima en todos los retos y pilares de Horizonte 2020 apoyará asimismo la aplicación de las políticas pertinentes de la Unión para contribuir al logro de los objetivos clave de crecimiento azul.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:44:33";"664281" +"H2020-EU.3.1.";"de";"H2020-EU.3.1.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Gesundheit, demografischer Wandel und Wohlergehen";"Health";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Gesundheit, demografischer Wandel und Wohlergehen

Einzelziel

Das Einzelziel besteht in der Verbesserung der lebenslangen Gesundheit und des lebenslangen Wohlergehens aller.Lebenslange Gesundheit und lebenslanges Wohlergehen für alle – Kinder, Erwachsene und ältere Menschen –, qualitativ hochwertige, wirtschaftlich tragfähige und innovative Gesundheits- und Pflegesysteme, als Teil der Sozialsysteme, sowie Möglichkeiten für neue Arbeitsplätze und Wachstum sind die Ziele, die mit der Förderung von Forschung und Innovation angestrebt werden und die einen wichtigen Beitrag zur Strategie Europa 2020 leisten.Die Kosten der Gesundheitsfürsorge- und Sozialpflegesysteme der Union steigen weiter an, die Versorgung und Prävention für alle Altersstufen wird immer teurer. Die Zahl der Europäer über 65 Jahre dürfte sich von 85 Millionen 2008 auf 151 Millionen 2060 nahezu verdoppeln und es wird erwartet, dass im gleichen Zeitraum die Zahl der über 80-Jährigen von 22 auf 61 Millionen steigen wird. Damit diese Kosten noch tragfähig bleiben, müssen sie reduziert bzw. eingedämmt werden, was zum Teil von Verbesserungen in Bezug auf lebenslange Gesundheit und lebenslanges Wohlergehen aller und damit von einer wirksamen Prävention und Behandlung und effektivem Management von Krankheit und Invalidität abhängt.Chronische Gebrechen und Krankheiten sind die Hauptursachen u. a. für Invalidität, schlechte Gesundheit, gesundheitsbedingte Verrentung sowie vorzeitige Todesfälle und verursachen erhebliche Kosten für Gesellschaft und Wirtschaft.In der Union sterben jährlich über 2 Millionen Menschen an Herz-Kreislauf-Erkrankungen, wodurch der Wirtschaft Kosten in Höhe von über 192 Mrd. EUR entstehen, während Krebs für ein Viertel aller Todesfälle verantwortlich ist und bei den Todesursachen der 45-64-Jährigen an erster Stelle steht. Über 27 Millionen Menschen in der Union leiden an Diabetes und über 120 Millionen an rheumatischen Erkrankungen und Muskel- und Skelettstörungen. Seltene Krankheiten, von denen europaweit etwa 30 Millionen Menschen betroffen sind, bleiben eine große Herausforderung. Die Gesamtkosten für Hirndysfunktionen (auch Beeinträchtigungen der mentalen Gesundheit, einschließlich Depression) werden auf 800 Mrd. EUR geschätzt. Laut Schätzungen leiden allein an mentalen Dysfunktionen 165 Millionen Menschen in der EU, was Kosten in Höhe von 118 Mrd. EUR verursacht. Diese Zahlen werden voraussichtlich weiterhin beträchtlich steigen – vorwiegend aufgrund der alternden Bevölkerung in Europa und dem damit verbundenen Anstieg an neurodegenerativen Erkrankungen. Die Faktoren Umwelt, Berufstätigkeit und Lebensstil sowie sozioökonomische Faktoren spielen bei mehreren dieser Erkrankungen eine Rolle; ein Drittel der weltweit anfallenden medizinischen Kosten wird auf diese Faktoren zurückgeführt.Infektionskrankheiten (z.B. HIV/AIDS, Tuberkulose und Malaria) sind ein globales Problem; auf sie entfallen weltweit 41% der 1,5 Mrd. verlorenen Lebensjahre, davon 8% auf Europa. Ferner sind armutsbedingte und vernachlässigte Krankheiten Gegenstand weltweiter Besorgnis. Auch gilt es, sich auf neue Epidemien, wieder auftretende Infektionskrankheiten (einschließlich Krankheiten im Zusammenhang mit Wasser) und die Gefahr einer zunehmenden antimikrobiellen Resistenz vorzubereiten. Auch ist die zunehmende Gefahr, dass Krankheiten vom Tier auf den Menschen überspringen, zu bedenken.Zwischenzeitlich nehmen die Kosten der Entwicklung von Arzneimitteln und Impfstoffen bei abnehmender Wirkung zu. Die Bemühungen zur Steigerung der Erfolge bei der Entwicklung von Arzneimitteln und Impfstoffen umfassen alternative Methoden zur Ersetzung der klassischen Unbedenklichkeits- und Wirksamkeitsprüfungen. Es gilt, anhaltende gesundheitliche Ungleichgewichte abzubauen und die Bedürfnisse spezifischer Bevölkerungsgruppen (z. B. Menschen, die an seltenen Krankheiten leiden) zu berücksichtigen und den Zugang zu wirksamen und kompetenten Gesundheits- und Pflegesystemen für alle Europäer unabhängig von ihrem Alter oder ihrem Hintergrund zu gewährleisten.Auch andere Faktoren wie Ernährung, körperliche Betätigung, Wohlstand, Inklusion, Engagement, Sozialkapital und Arbeit wirken sich auf Gesundheit und Wohlergehen aus; daher ist ein ganzheitlicher Ansatz erforderlich.Aufgrund der gestiegenen Lebenserwartung wird sich die Alters- und Bevölkerungsstruktur in Europa verändern. Daher ist eine Forschung, die der lebenslangen Gesundheit, dem aktiven Altern und dem Wohlergehen aller förderlich ist, ein Eckpfeiler einer erfolgreichen Anpassung der Gesellschaft an den demografischen Wandel.

Begründung und Mehrwert für die Union

Krankheit und Invalidität machen an den nationalen Grenzen nicht Halt. Angemessene Forschungs-, Entwicklungs- und Innovationsanstrengungen auf europäischer Ebene in Zusammenarbeit mit Drittländern und unter Einbindung aller Akteure, einschließlich Patienten und Endnutzer, können und sollten einen entscheidenden Beitrag zur Bewältigung dieser globalen Herausforderungen leisten und somit auf die Erreichung der Millenniums-Entwicklungsziele der Vereinten Nationen hinwirken, die Gesundheitsfürsorge und das Wohlergehen für alle verbessern und Europa eine Führungsposition auf den rasant expandierenden Weltmärkten für Innovationen in den Bereichen Gesundheit und Wohlergehen verschaffen.Hierfür bedarf es der Exzellenz in der Forschung, um unser grundlegendes Verständnis der determinierenden Faktoren für Gesundheit, Krankheit, Invalidität, gesundheitsverträgliche Beschäftigungsbedingungen, Entwicklung und Alterung (einschließlich Lebenserwartung) zu verbessern, sowie der nahtlosen und breit gestreuten Umsetzung der neuen und bereits vorhandenen Kenntnisse in innovative, skalierbare, wirksame, zugängliche und sichere Produkte, Strategien, Maßnahmen und Dienstleistungen. Ferner erfordert die Relevanz dieser Herausforderungen für Europa und vielfach weltweit eine Antwort, die sich durch eine langfristige und koordinierte Unterstützung der Zusammenarbeit zwischen hervorragenden, multidisziplinären und sektorübergreifenden Teams auszeichnet. Die Herausforderung muss auch in sozial-, wirtschafts- und humanwissenschaftlicher Hinsicht gemeistert werden.Genauso machen die Komplexität der Herausforderung und die Interdependenz ihrer Faktoren eine Antwort auf europäischer Ebene notwendig. Viele Konzepte, Instrumente und Technologien lassen sich auf zahlreiche Forschungs- und Innovationsbereiche dieser Herausforderung anwenden und werden am besten auf Unionsebene unterstützt. Hierunter fallen das Verständnis der molekularen Basis von Krankheiten, die Identifizierung innovativer therapeutischer Strategien und neuartiger Modellsysteme, die multidisziplinäre Anwendung von Erkenntnissen aus der Physik, Chemie und Systembiologie, der Aufbau langfristiger Kohorten und klinische Studien (u. a. mit Schwerpunkt auf der Entwicklung und den Auswirkungen von Medikamenten für alle Altersgruppen), der klinische Einsatz von ""-omik""-Technologien, biomedizinische Systeme und die Entwicklung von IKT und deren Anwendung vor allem für elektronische Gesundheitsdienste in der Gesundheitsfürsorge. Auch die Bedürfnisse bestimmter Bevölkerungsgruppen lassen sich am besten auf integrierte Art und Weise angehen, etwa bei der Entwicklung stratifizierter bzw. personalisierter Arzneimittel, bei der Behandlung seltener Krankheiten und bei der Bereitstellung von Assistenzsystemen für unabhängige Lebensführung.Um die Wirkung von Maßnahmen auf Unionsebene zu optimieren, gilt es, die gesamte Bandbreite der Forschungs-, Entwicklungs- und Innovationstätigkeiten zu unterstützen, von der Grundlagenforschung über die Umsetzung von Wissen über Krankheiten in neue Therapien, bis hin zu Großversuchen, Pilotvorhaben und Demonstrationsmaßnahmen, durch die Mobilisierung von Privatkapital, die öffentliche und vorkommerzielle Auftragsvergabe für neue Produkte und Dienstleistungen und skalierbare Lösungen, die gegebenenfalls interoperabel sind und von festgelegten Normen bzw. gemeinsamen Leitlinien untermauert werden. Diese koordinierte europäische Anstrengung wird die wissenschaftlichen Möglichkeiten in der Gesundheitsforschung erhöhen und den weiteren Aufbau des Europäischen Forschungsraums unterstützen. Sie bildet gegebenenfalls auch Schnittstellen mit Tätigkeiten, die im Zusammenhang mit dem Programm Gesundheit für Wachstum, den Initiativen für die gemeinsame Planung, wie unter anderem ""neurodegenerative Erkrankungen"", ""Gesunde Ernährung für ein gesundes Leben"", ""Antibiotikaresistenz"" und ""Länger und besser leben"" sowie der europäischen Innovationspartnerschaft für Aktivität und Gesundheit im Alter entwickelt werden.Das Wissenschaftliche Gremium für Gesundheitsfragen wird als wissenschaftsgestützte Plattform interessierter Kreise wissenschaftliche Beiträge in Bezug auf diese gesellschaftliche Herausforderung ausarbeiten. Es wird eine kohärente wissenschaftliche zielgerichtete Analyse der Forschungs- und Innovationsengpässe und Chancen in Verbindung mit dieser gesellschaftlichen Herausforderung bieten, zur Bestimmung der diesbezüglichen Forschungs- und Innovationsschwerpunkte beitragen und die Unionsweite wissenschaftliche Teilnahme daran fördern. Es wird durch eine aktive Kooperation mit den interessierten Kreisen zum Aufbau von Fähigkeiten und zur Förderung von Wissensaustausch und einer stärkeren Zusammenarbeit in diesem Bereich in der gesamten Union beitragen.

Einzelziele und Tätigkeiten in Grundzügen

Eine wirksame – durch eine belastbare Evidenzbasis unterstützte – Gesundheitsfürsorge verhindert Krankheiten, trägt zum Wohlergehen bei und ist kosteneffizient. Gesundheitsfürsorge, aktives Altern, Wohlergehen und Krankheitsprävention hängen auch vom Verständnis der gesundheitsbestimmenden Faktoren, von wirksamen Instrumenten für die Prävention, von einer effektiven medizinischen Erfassung und Vorsorge sowie von wirksamen Screeningprogrammen ab. Eine wirksame Gesundheitsfürsorge wird auch durch die Bereitstellung besserer Informationen für die Bürger zur Förderung verantwortungsbewusster gesundheitsbezogener Entscheidungen erleichtert.Erfolgreiche Bemühungen zwecks Verhütung, Früherkennung, Management, Behandlung und Heilung von Krankheiten, Invalidität, Gebrechlichkeit und verminderter Funktionalität stützen sich auf grundlegende Kenntnisse ihrer bestimmenden Faktoren und Ursachen, der Prozesse und Auswirkungen sowie der Faktoren, die einer guten Gesundheit und dem Wohlergehen zugrunde liegen. Ein besseres Verständnis von Krankheit und Gesundheit erfordert eine enge Verzahnung zwischen Grundlagenforschung sowie klinischer, epidemiologischer und sozioökonomischer Forschung. Die wirksame Weitergabe von Daten, die standardisierte Datenverarbeitung und die Verknüpfung dieser Daten mit groß angelegten Kohortenstudien ist genauso wichtig wie die Umsetzung der Forschungsergebnisse in klinische Anwendungen, vor allem durch klinische Studien, in denen alle Altersgruppen berücksichtigt werden sollten, um sicherzustellen, dass Medikamente an ihren Anwendungsbereich angepasst sind.Das Wiederauftreten alter Infektionskrankheiten einschließlich Tuberkulose und die wachsende Verbreitung von durch Impfungen verhütbaren Krankheiten machen weiterhin deutlich, dass ein umfassender Ansatz in Bezug auf armutsbedingte und vernachlässigte Krankheiten erforderlich ist. Gleichermaßen verlangt das zunehmende Problem der antimikrobiellen Resistenz einen ähnlich umfassenden Ansatz.Eine personalisierte Medizin muss darauf abzielen, präventive und therapeutische Strategien zu entwickeln, die an die Anforderungen der Patienten angepasst werden; diese Medizin muss durch die Früherkennung von Krankheiten unterstützt werden. Die Anpassung des Gesundheits- und Pflegesektors an den zunehmenden Bedarf aufgrund der Bevölkerungsalterung stellt eine gesellschaftliche Herausforderung dar. Wenn für jedes Alter effektive Gesundheits- und Pflegedienste aufrechterhalten werden sollen, sind Anstrengungen notwendig, um die Entscheidungsfindung in der Prävention und Behandlung zu verbessern, bewährte Verfahren im Gesundheits- und Pflegesektor zu ermitteln und weiterzugeben und die integrierte Pflege zu unterstützen. Ein besseres Verständnis der Alterungsprozesse und die Prävention altersbedingter Krankheiten bilden die Grundlage dafür, dass Europas Bürger ihr ganzes Leben lang gesund und aktiv bleiben können. Von ähnlicher Bedeutung ist die breite Einführung technologischer, organisatorischer und gesellschaftlicher Innovationen, die es insbesondere älteren Menschen, Menschen mit chronischen Krankheiten und behinderten Menschen ermöglichen, aktiv und unabhängig zu bleiben. Dies wird dazu beitragen, ihr physisches, soziales und mentales Wohlergehen zu verbessern und zu verlängern.All diese Tätigkeiten sind so durchzuführen, dass über den gesamten Forschungs- und Innovationszyklus hinweg Unterstützung gewährt wird, wodurch die Wettbewerbsfähigkeit der in der Union ansässigen Unternehmen und die Entwicklung neuer Marktchancen gestärkt werden. Besonderes Augenmerk ist auch auf die Einbindung sämtlicher Interessenträger im Gesundheitswesen – darunter auch Patienten und Patientenorganisationen und Anbieter von Gesundheits- und Fürsorgediensten – in die Entwicklung einer Forschungs- und Innovationsagenda zu legen, an der die Bürger aktiv beteiligt sind und die ihre Anforderungen und Erwartungen widerspiegelt.Im Einzelnen geht es u. a. um folgende Tätigkeiten: Erforschung der gesundheitsbestimmenden Faktoren (einschließlich Ernährung, körperliche Betätigung, geschlechterbezogene, umweltbezogene, sozioökonomische, beschäftigungsbezogene und klimabezogene Faktoren), Verbesserung der Gesundheitsfürsorge und Krankheitsprävention; Erforschung von Krankheiten und Verbesserung von Diagnose und Prognose; Entwicklung wirksamer Präventions- und Screeningprogramme und Verbesserung der Einschätzung der Krankheitsanfälligkeit; Verbesserung der Erfassung von Infektionskrankheiten und Vorsorge zur Bekämpfung von Epidemien und neu auftretenden Krankheiten; Entwicklung neuer und besserer präventiver und therapeutischer Impfstoffe und Medikamente; Nutzung von In-Silico-Arzneimitteln zur Verbesserung des Krankheitsmanagements und der Prognose; Weiterentwicklung von regenerativer Medizin und angepasster Behandlungen und der Behandlung von Krankheiten, einschließlich Palliativmedizin; Übertragung von Wissen in die klinische Praxis und skalierbare Innovationsmaßnahmen; Verbesserung der Gesundheitsinformation und bessere Erhebung und Nutzung von Gesundheits-, Kohorten- und Verwaltungsdaten; standardisierte Techniken zur Datenanalyse; aktives Altern und unabhängige Lebensführung mit Hilfe von Assistenzsystemen; individuelle Lernprozesse und Vermittlung der Fähigkeit, die eigene Gesundheit selbst in die Hand zu nehmen; Förderung der integrierten Pflege, einschließlich der psychosozialen Aspekte; Verbesserung der wissenschaftlichen Instrumente und Verfahren zur Unterstützung der politischen Entscheidungsfindung und des Regulierungsbedarfs; Optimierung der Effizienz und Wirksamkeit der Gesundheitsfürsorge und Verringerung von gesundheitlichen Ungleichheiten durch evidenzbasierte Entscheidungen und Verbreitung bewährter Verfahren sowie durch innovativer Technologien und Konzepte. Eine aktive Einbeziehung von Anbietern von Gesundheitsdiensten sollte gefördert werden, um eine schnelle Übernahme und die Umsetzung der Ergebnisse sicherzustellen.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:43:12";"664237" +"H2020-EU.3.2.";"de";"H2020-EU.3.2.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Ernährungs- und Lebensmittelsicherheit, nachhaltige Land- und Forstwirtschaft, marine, maritime und limnologische Forschung und Biowirtschaft";"Food, agriculture, forestry, marine research and bioeconomy";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Ernährungs- und Lebensmittelsicherheit, nachhaltige Land- und Forstwirtschaft, marine, maritime und limnologische Forschung und Biowirtschaft

Einzelziel

Das Einzelziel ist eine ausreichende Versorgung mit sicheren, gesunden und qualitativ hochwertigen Lebensmitteln und anderen biobasierten Produkten durch den Aufbau produktiver, nachhaltiger und ressourcenschonender Primärproduktionssysteme, die Unterstützung der dazugehörigen Ökosystem-Leistungen und die Wiederbelebung der biologischen Vielfalt sowie wettbewerbsfähige Liefer-, Verarbeitungs- und Vermarktungsketten mit niedrigem CO2-Ausstoß. Dies wird den Übergang zu einer nachhaltigen Biowirtschaft in Europa beschleunigen und die Lücke zwischen den neuen Technologien und ihrer Umsetzung schließen.In den nächsten Jahrzehnten wird Europa einem verschärften Wettbewerb um begrenzte und endliche natürliche Ressourcen ausgesetzt sein, mit den Folgen des Klimawandels konfrontiert werden, der sich vor allem auf die Primärproduktionssysteme (Landwirtschaft – einschließlich Tierzucht und Gartenbau –, Forstwirtschaft, Fischerei und Aquakultur) auswirkt, und vor der Herausforderung stehen, angesichts einer in Europa und weltweit wachsenden Bevölkerung die Versorgung mit sicheren und nachhaltigen Lebensmitteln zu gewährleisten. Schätzungen gehen davon aus, dass die weltweite Versorgung mit Lebensmitteln um 70 % gesteigert werden muss, um die bis 2050 auf 9 Milliarden Menschen wachsende Weltbevölkerung ernähren zu können. 10 % der Treibhausgasemissionen der Union entfallen auf die Landwirtschaft, deren Treibhausgasemissionen in Europa zwar zurückgehen, doch weltweit auf bis zu voraussichtlich 20 % im Jahr 2030 ansteigen werden. Ferner muss Europa bei abnehmenden Beständen an fossilen Brennstoffen (die Produktion von Öl und Flüssiggas wird bis 2050 um voraussichtlich 60[nbsp% zurückgehen) eine ausreichende und nachhaltige Versorgung mit Rohstoffen, Energie und Industrieprodukten sicherstellen und gleichzeitig seine Wettbewerbsfähigkeit aufrechterhalten. Der Bioabfall (geschätzt auf bis zu 138 Millionen Tonnen pro Jahr in der EU, wovon bis zu 40 % auf Deponien entsorgt werden) verursacht trotz seines potenziell hohen Mehrwerts gewaltige Probleme und KostenSo werden schätzungsweise 30 % aller in den entwickelten Ländern erzeugten Lebensmittel weggeworfen. Die Halbierung dieses Anteils in der Union bis 2030 erfordert tiefgreifende Veränderungen. Ferner macht die Einschleppung und Verbreitung von Tier- und Pflanzenseuchen und -krankheiten – auch von Zoonosen – und mit Lebensmitteln übertragenen Erregern an nationalen Grenzen nicht Halt. Neben wirksamen nationalen Präventivmaßnahmen sind für die optimale Kontrolle und für ein wirksames Funktionieren des Binnenmarkts auch Maßnahmen auf Unionsebene notwendig. Die Herausforderung ist komplex, wirkt sich auf eine große Bandbreite miteinander verflochtener Sektoren aus und erfordert ein ganzheitliches und systembezogenes Vorgehen.Der Bedarf an biologischen Ressourcen steigt ständig, um die Nachfrage nach sicheren und gesunden Lebensmitteln, nach Biowerkstoffen, Biobrennstoffen und biobasierten Produkten – von Verbraucherprodukten bis zu chemischen Grundprodukten – zu befriedigen. Die für ihre Erzeugung benötigten Kapazitäten terrestrischer und aquatischer Ökosysteme, an deren Nutzung zudem konkurrierende Ansprüche gestellt werden, sind jedoch begrenzt und häufig nicht optimal bewirtschaftet, was sich beispielsweise am starken Rückgang des Kohlenstoffgehalts und der Fruchtbarkeit der Böden und an der Dezimierung der Fischbestände erkennen lässt. Der Spielraum für größere Ökosystemleistungen von landwirtschaftlichen Flächen, Wäldern, Meer- und Süßwasser ist noch zu wenig ausgeschöpft;hier gilt es, agronomische, ökologische und soziale Ziele in die nachhaltige Produktion und den nachhaltigen Verbrauch einzubeziehen. Das Potenzial biologischer Ressourcen und Ökosysteme könnte sehr viel nachhaltiger, effizienter und integrierter genutzt werden.Beispielsweise könnte das Potenzial der Biomasse aus Landwirtschaft, Wäldern und den Abfallströmen landwirtschaftlichen, aquatischen, industriellen und auch kommunalen Ursprungs besser ausgeschöpft werden. Im Kern geht es um den Übergang zu einer optimalen Verwendung und Erneuerbarkeit biologischer Ressourcen sowie zu nachhaltigen Primärproduktions- und Verarbeitungssystemen, mit denen mehr Lebensmittel, Fasern und andere biobasierte Produkte produziert werden können, deren Input, Umweltauswirkung und Treibhausgasemissionen niedrig sind und die bessere Ökosystemleistungen, ohne Abfall und mit angemessenem gesellschaftlichem Wert erbringen. Ziel ist die Einrichtung von Nahrungsmittelerzeugungssystemen, die die natürlichen Ressourcen, von denen sie abhängen, im Hinblick auf einen nachhaltigen Wohlstand aufrechterhalten. Unsere Art, Lebensmittel zu erzeugen, zu vermarkten, zu konsumieren und zu regulieren, muss besser verstanden und weiterentwickelt werden. Damit dies in Europa und darüber hinaus Realität wird, kommt es auf kritische gemeinsame Forschungs- und Innovationsanstrengungen sowie auf einen permanenten Dialog zwischen den politischen, gesellschaftlichen, wirtschaftlichen und sonstigen Gruppen von Akteuren an.

Begründung und Mehrwert für die Union

Landwirtschaft, Forstwirtschaft, Fischerei und Aquakultur bilden zusammen mit den biobasierten Industriezweigen die Sektoren, die die Biowirtschaft stützen. Die Biowirtschaft stellt einen großen und wachsenden Markt mit einem Wert von schätzungsweise über 2 Billionen EUR dar, der 20 Millionen Arbeitsplätze bietet und auf den im Jahr 2009 9 % der Gesamtbeschäftigung in der Union entfallen sind. Investitionen in Forschung und Innovation im Rahmen dieser gesellschaftlichen Herausforderung werden Europa in die Lage versetzen, eine führende Rolle auf den betreffenden Märkten einzunehmen, und zur Erreichung der Ziele der Strategie Europa 2020 sowie ihrer Leitinitiativen ""Innovationsunion"" und ""Ressourcenschonendes Europa"" beitragen.Eine uneingeschränkt funktionsfähige europäische Biowirtschaft, die sich von der nachhaltigen Produktion erneuerbarer Ressourcen terrestrischen Ursprungs oder mit Ursprung in Fischerei und Aquakultur über ihre Verarbeitung zu Lebensmitteln, Futtermitteln, Fasern, biobasierten Produkten und Bioenergie bis hin zu damit zusammenhängenden öffentlichen Gütern erstreckt, wird einen hohen Mehrwert für die Union hervorbringen. Parallel zu den marktbezogenen Funktionen fördert die Biowirtschaft außerdem zahlreiche Funktionen hinsichtlich öffentlicher Güter, biologische Vielfalt und Ökosystemdienste. Mit einer nachhaltigen Bewirtschaftung lässt sich die ökologische Bilanz der Primärproduktion und der Versorgungskette insgesamt verbessern. Sie kann deren Wettbewerbsfähigkeit erhöhen, die Eigenständigkeit Europas stärken, Arbeitsplätze schaffen und Geschäftsmöglichkeiten eröffnen, die für die ländliche und küstennahe Entwicklung von wesentlicher Bedeutung sind. Die sich aus der Nahrungs- und Lebensmittelsicherheit, einer nachhaltigen Landwirtschaft und Tierhaltung, der aquatischen Produktion, der Forstwirtschaft und insgesamt aus der Biowirtschaft ergebenden Herausforderungen stellen sich in Europa und weltweit. Um die notwendigen Cluster zu bilden, sind Maßnahmen auf Unionsebene notwendig, damit die erforderliche Bandbreite und kritische Masse erreicht wird, mit der die Bemühungen einzelner Mitgliedstaaten oder einer Gruppe von Mitgliedstaaten ergänzt werden können. Durch die Einbeziehung unterschiedlichster Akteure werden die notwendigen, gegenseitig bereichernden Wechselwirkungen zwischen Forschern, Unternehmen, Landwirten bzw. Produzenten, Beratern und Endnutzern sichergestellt. Die Unionsebene wird auch benötigt, um eine kohärente und sektorübergreifende Herangehensweise an diese Herausforderung und eine enge Verknüpfung mit der einschlägigen Unionspolitik sicherzustellen. Die Koordinierung von Forschung und Innovation auf Unionsebene gibt Anstöße für die notwendigen Veränderungen in der Union und beschleunigt diese.Forschung und Innovation bilden Schnittstellen mit einem breiten Spektrum von Unionsstrategien und -zielen und unterstützen deren Konzipierung und Festlegung; hierzu zählt die Gemeinsame Agrarpolitik (insbesondere die Politik für die Entwicklung des ländlichen Raums, die Initiativen für die gemeinsame Planung, unter anderem ""Landwirtschaft, Ernährungssicherheit und Klimawandel"", ""Gesunde Ernährung für ein gesundes Leben"" und ""Intakte und fruchtbare Meere und Ozeane""), die europäische Innovationspartnerschaft ""Produktivität und Nachhaltigkeit in der Landwirtschaft"" und die Europäische Innovationspartnerschaft für Wasser, die Gemeinsame Fischereipolitik, die Integrierte Meerespolitik, das Europäische Programm zur Klimaänderung, die Wasserrahmenrichtlinie, die Meeresstrategie-Richtlinie, der EU-Forstaktionsplan, die Bodenschutzstrategie, die Unionsstrategie für die biologische Vielfalt (2020), der Strategieplan für Energietechnologie, die Innovations- und Industriepolitik der Union, die Außen- und Entwicklungspolitik der Union, die Strategien für die Pflanzengesundheit sowie für die Gesundheit und das Wohlergehen von Tieren, der Rechtsrahmen für Umweltschutz, Gesundheit und Sicherheit sowie zur Förderung der Ressourceneffizienz und des Klimaschutzes und zur Verringerung von Abfall. Eine stärkere Einbeziehung des gesamten Kreislaufs von der Grundlagenforschung hin zur Innovation in einschlägige Unionsstrategien wird deren Mehrwert für die Union deutlich erhöhen, Hebeleffekte bewirken, die gesellschaftliche Relevanz vergrößern, gesunde Lebensmittel liefern und dazu beitragen, die nachhaltige Bewirtschaftung von Boden, Meeren und der offenen See weiter zu verbessern und die Märkte der Bioökonomie weiterzuentwickeln.Zur Unterstützung der Unionspolitik im Zusammenhang mit der Biowirtschaft und zur Erleichterung der Steuerung und Begleitung von Forschung und Innovation werden sozioökonomische Forschungsarbeiten und zukunftsgerichtete Tätigkeiten im Hinblick auf die Strategie für die Biowirtschaft durchgeführt, einschließlich der Entwicklung von Indikatoren, Datenbanken, Modellen, Prognosen und Abschätzung der Folgen von Initiativen für Wirtschaft, Gesellschaft und Umwelt.Maßnahmen, die auf die Herausforderungen ausgerichtet sind und sich auf den gesellschaftlichen, wirtschaftlichen und ökologischen Nutzen und die Modernisierung der Sektoren und Märkte konzentrieren, die mit der Biowirtschaft in Zusammenhang stehen, werden im Rahmen einer multidisziplinären Forschung unterstützt, um so Innovationen zu begünstigen und neue Strategien, Verfahren, nachhaltige Produkte und Prozesse hervorzubringen. Ferner wird ein breit gefasstes Innovationskonzept verfolgt, das technologische, nichttechnologische, organisatorische, ökonomische und gesellschaftliche Innovationen, aber beispielsweise auch Wege für den Technologietransfer sowie neuartige Geschäftsmodelle, Markenkonzepte und Dienstleistungen umfasst. Das Potenzial von Landwirten und KMU für Beiträge zu Innovationen muss anerkannt werden. Bei der Strategie für die Biowirtschaft muss der Bedeutung des lokalen Wissens und der Vielfalt Rechnung getragen werden.

Einzelziele und Tätigkeiten in Grundzügen

a) Nachhaltige Land- und Forstwirtschaft

Ziel ist die ausreichende Versorgung mit Lebensmitteln, Futtermitteln, Biomasse und anderen Rohstoffen unter Wahrung der natürlichen Ressourcen wie Wasser, Boden und biologische Vielfalt, aus europäischer und globaler Perspektive, und Verbesserung der Ökosystemleistungen, einschließlich des Umgangs mit dem Klimawandel und dessen Abmilderung. Schwerpunkt der Tätigkeiten ist die Steigerung der Qualität und des Werts der landwirtschaftlichen Erzeugnisse durch eine im Ergebnis nachhaltigere und produktivere Landwirtschaft, einschließlich Tierzucht und Forstwirtschaft, die vielseitig, widerstandsfähig und ressourcenschonend ist (im Sinne eines geringen CO2-Ausstoßes, geringen externen Inputs und niedrigen Wasserverbrauchs), die natürlichen Ressourcen schützt, weniger Abfall erzeugt und, anpassungsfähig ist. Darüber hinaus geht es um die Entwicklung von Dienstleistungen, Konzepten und Strategien zur Stärkung der wirtschaftlichen Existenz in ländlichen Gebieten und zur Förderung nachhaltiger Verbrauchsmuster.Insbesondere in Bezug auf die Forstwirtschaft besteht das Ziel darin, auf nachhaltige Weise biobasierte Produkte, Ökosystemleistungen und ausreichend Biomasse zu erzeugen und dabei die wirtschaftlichen, ökologischen und sozialen Aspekte der Forstwirtschaft gebührend zu berücksichtigen. Schwerpunkt der Tätigkeiten wird die Weiterentwicklung der Produktion und Nachhaltigkeit ressourceneffizienter Forstwirtschaftssysteme sein, die für die Stärkung der Widerstandsfähigkeit der Wälder und für den Schutz der biologischen Vielfalt von entscheidender Bedeutung sind und die zunehmende Nachfrage nach Biomasse befriedigen können.Auch die Wechselwirkung zwischen Funktionspflanzen einerseits und Gesundheit und Wohlergehen andererseits sowie der Einsatz von Gartenbau und Forstwirtschaft für den Ausbau der Stadtbegrünung werden berücksichtigt.

b) Nachhaltiger und wettbewerbsfähiger Agrar- und Lebensmittelsektor für sichere und gesunde Ernährung

Ziel ist es, den Anforderungen der Bürger und der Umwelt an sichere, gesunde und erschwingliche Lebensmittel gerecht zu werden, die Nachhaltigkeit von Lebens- und Futtermittelverarbeitung, -vertrieb und -verbrauch zu erhöhen und die Wettbewerbsfähigkeit des Lebensmittelsektors – auch unter Berücksichtigung der kulturellen Komponente der Lebensmittelqualität – zu stärken. Schwerpunkt der Tätigkeiten sind gesunde und sichere Lebensmittel für alle, Aufklärung der Verbraucher, ernährungsbezogene Lösungen und Innovationen im Dienste einer besseren Gesundheit sowie wettbewerbsfähige Verfahren für die Lebensmittelverarbeitung, die weniger Ressourcen und Zusatzstoffe verbrauchen und bei denen weniger Nebenprodukte, Abfälle und Treibhausgase anfallen.

c) Erschließung des Potenzials aquatischer Bioressourcen

Ziel ist die Bewirtschaftung, nachhaltige Nutzung und Erhaltung aquatischer Bioressourcen mit dem Ziel einer Maximierung des gesellschaftlichen und wirtschaftlichen Nutzens der Meere, der offenen See und der Binnengewässer Europas bei gleichzeitigem Schutz der biologischen Vielfalt. Schwerpunkt der Tätigkeiten ist ein optimaler Beitrag zur Lebensmittel-Versorgungssicherheit durch Entwicklung einer nachhaltigen und umweltfreundlichen Fischerei, die nachhaltige Bewirtschaftung der Ökosysteme unter Bereitstellung von Gütern und Dienstleistungen und eine im Rahmen der Weltwirtschaft wettbewerbsfähige und umweltfreundliche europäischen Aquakultur sowie die Förderung mariner und maritimer Innovationen mit Hilfe der Biotechnologie als Motor für ein intelligentes ""blaues"" Wachstum.

d) Nachhaltige und wettbewerbsfähige biobasierte Industriezweige und Förderung der Entwicklung einer europäischen Biowirtschaft

Ziel ist die Förderung ressourcenschonender, nachhaltiger und wettbewerbsfähiger europäischer biobasierter Industriezweige mit niedrigem CO2-Ausstoß. Schwerpunkt der Tätigkeiten ist die Förderung der wissensgestützten Biowirtschaft durch Umwandlung herkömmlicher Industrieverfahren und -produkte in biobasierte ressourcenschonende und energieeffiziente Verfahren und Produkte, der Aufbau integrierter Bioraffinerien der zweiten und nachfolgenden Generation, die möglichst optimale Nutzung der Biomasse aus der Primärproduktion sowie der Reststoffe, des Bioabfalls und der Nebenprodukte der biobasierten Industrie und die Öffnung neuer Märkte durch Unterstützung von Normungs- und Zertifizierungssystemen sowie von regulatorischen und Demonstrationstätigkeiten und von Feldversuchen bei gleichzeitiger Berücksichtigung der Auswirkungen der Biowirtschaft auf die (veränderte) Bodennutzung sowie der Ansichten und Bedenken der Zivilgesellschaft.

e) Übergreifende Meeresforschung und maritime Forschung

Ziel ist es, die Auswirkungen der Meere und Ozeane der Union auf die Gesellschaft und das Wirtschaftswachstum zu steigern durch die nachhaltige Bewirtschaftung der Meeresressourcen sowie die Nutzung verschiedener Quellen von Meeresenergie und die weitreichenden unterschiedlichen Formen der Nutzung der Meere.Der Schwerpunkt der Tätigkeiten liegt auf bereichsübergreifenden wissenschaftlichen und technologischen Herausforderungen im marinen und im maritimen Bereich, um in der ganzen Bandbreite der marinen und maritimen Industriezweige das Potenzial von Meeren und Ozeanen so zu erschließen, dass gleichzeitig der Schutz der Umwelt und die Anpassung an den Klimawandel gewährleistet ist. Ein strategischer koordinierter Ansatz für marine und maritime Forschung in allen Herausforderungen und Schwerpunkte von Horizont 2020 wird auch die Umsetzung relevanter Maßnahmen der Union zur Erreichung blauer Wachstumsziele fördern.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:44:33";"664281" +"H2020-EU.3.2.";"pl";"H2020-EU.3.2.";"";"";"WYZWANIA SPOŁECZNE - Bezpieczeństwo żywnościowe, zrównoważone rolnictwo i leśnictwo, badania mórz, wód śródlądowych oraz biogospodarka";"Food, agriculture, forestry, marine research and bioeconomy";"

WYZWANIA SPOŁECZNE - Bezpieczeństwo żywnościowe, zrównoważone rolnictwo i leśnictwo, badania mórz, wód śródlądowych oraz biogospodarka

Cel szczegółowy

Cel szczegółowy polega na zapewnieniu wystarczającego zaopatrzenia w bezpieczną, zdrową i wysokiej jakości żywność oraz inne bioprodukty poprzez opracowanie wydajnych, zrównoważonych i zasobooszczędnych systemów produkcji podstawowej, ochronę powiązanych usług ekosystemowych i odbudowę różnorodności biologicznej oraz konkurencyjnych i niskoemisyjnych łańcuchów dostaw, przetwarzania i wprowadzania do obrotu. Przyspieszy to przemianę gospodarki w zrównoważoną europejską biogospodarkę i wyeliminuje dystans między nowymi technologiami a ich wdrażaniem.W nadchodzących dziesięcioleciach Europa stanie przed wyzwaniami związanymi z większą konkurencją w odniesieniu do ograniczonych zasobów naturalnych, z wpływem zmiany klimatu, w szczególności na systemy produkcji podstawowej (rolnictwo – w tym chów zwierząt i ogrodnictwo – leśnictwo, rybołówstwo i akwakultura) oraz z potrzebą zapewnienia zrównoważonego i bezpiecznego zaopatrzenia w żywność dla populacji Europy i coraz większej populacji światowej. Szacuje się, że wyżywienie ludności świata, której liczba do 2050 r. wyniesie 9 miliardów, wymaga zwiększenia światowego zaopatrzenia w żywność o 70%. Z rolnictwa pochodzi ok. 10% gazów cieplarnianych emitowanych w Unii, przy czym pomimo spadku tych emisji w Europie przewiduje się, że do 2030 r. emisje globalne z rolnictwa wzrosną o nawet 20%. Ponadto Europa będzie musiała zagwarantować wystarczające i wyprodukowane w sposób zrównoważony dostawy surowców, energii i produktów przemysłowych w warunkach malejącej ilości kopalnych surowców węglowych (oczekuje się, że do 2050 r. produkcja ropy naftowej i gazu ziemnego zmniejszy się o ok. 60%), jednocześnie utrzymując swoją konkurencyjność. Dużym i generującym koszty problemem są bioodpady (szacuje się, że w Unii co roku powstaje ich 138 mln ton, z czego nawet 40% jest składowane), mimo ich potencjalnej wysokiej wartości dodanej.Przykładowo, według szacunków, 30% całej żywności produkowanej w krajach rozwiniętych jest wyrzucane. Potrzebne są daleko idące zmiany, które pozwolą do 2030 r. zmniejszyć tę ilość w Unii o 50% (7). Ponadto granice krajowe nie są żadną przeszkodą w odniesieniu do przybywania i rozprzestrzeniania się organizmów szkodliwych oraz chorób roślin i zwierząt, w tym chorób odzwierzęcych oraz patogenów odpokarmowych. Niezbędne są skuteczne krajowe środki prewencyjne, jednak dla zapewnienia ostatecznej kontroli oraz właściwego funkcjonowania jednolitego rynku kluczowe są działania na szczeblu Unii. Wyzwanie jest złożone, dotyczy szerokiego wachlarza wzajemnie połączonych sektorów i wymaga całościowego i systemowego podejścia.Coraz więcej zasobów biologicznych jest niezbędnych do zaspokojenia zapotrzebowania rynku na bezpieczne i zdrowe zaopatrzenie w żywność, biomateriały, biopaliwa i bioprodukty, od produktów konsumpcyjnych po chemikalia luzem. Zdolności ekosystemów lądowych i wodnych wymagane do ich produkcji są jednak ograniczone, a o ich wykorzystanie konkurują różne podmioty; często brakuje optymalnego zarządzania, czego skutkiem jest, przykładowo, znaczne zmniejszenie zawartości węgla w glebach i żyzności, a także uszczuplenie stad ryb. Istnieje niewykorzystany potencjał wspierania usług ekosystemowych z gruntów uprawnych, lasów, wód morskich i słodkich, co mogłoby nastąpić poprzez włączenie celów z zakresu agronomii, środowiska i celów społecznych do zrównoważonej produkcji i konsumpcji.Potencjał zasobów biologicznych i ekosystemów można zagospodarować w znacznie bardziej zrównoważony, efektywny i zintegrowany sposób. Przykładowo: można lepiej wykorzystać potencjał biomasy z rolnictwa, lasów i strumieni odpadów pochodzenia rolniczego, wodnego, przemysłowego, a także komunalnego.Zasadniczo potrzebne jest przejście do optymalnego wykorzystania biologicznych zasobów odnawialnych oraz zrównoważonych systemów produkcji podstawowej i systemów przetwórczych mogących dostarczać więcej żywności, błonnika i innych bioproduktów przy zminimalizowanych nakładach, wpływie na środowisko i emisjach gazów cieplarnianych, udoskonalonych usługach ekosystemowych, zerowej ilości odpadów i odpowiedniej wartości społecznej. Celem jest stworzenie systemów produkcji żywności, które wzmacniają, utrwalają i zasilają bazę zasobów, umożliwiając wytwarzanie trwałego dobrobytu. Należy lepiej poznać sposoby wytwarzania żywności, jej dystrybucji, handlu nią, jej konsumpcji i regulacji jej produkcji, a także opracować odpowiedzi na nie. Kluczem do osiągnięcia tych celów jest podjęcie w Europie i poza nią fundamentalnego wysiłku obejmującego wzajemnie powiązane działania w zakresie badań naukowych i innowacji, a także ciągły dialog między grupami zainteresowanych stron z kręgów politycznych, społecznych, gospodarczych i innych.

Uzasadnienie i unijna wartość dodana

Rolnictwo, leśnictwo, rybołówstwo i akwakultura oraz przemysł bioproduktów to ważne sektory wspierające biogospodarkę. Biogospodarka stanowi duży i rosnący rynek, o wartości szacowanej na ponad 2 bln EUR, który w 2009 r. zapewniał 20 mln miejsc pracy i 9% całkowitego zatrudnienia w Unii. Inwestycje w badania naukowe i innowacje związane z tym wyzwaniem społecznym umożliwią Europie zajęcie wiodącej pozycji na odpowiednich rynkach i odegrają rolę w osiągnięciu celów strategii „Europa 2020” oraz jej inicjatyw przewodnich „Unia innowacji” i „Europa efektywnie korzystająca z zasobów”.W pełni funkcjonalna biogospodarka europejska, obejmująca zrównoważoną produkcję zasobów odnawialnych pochodzących z lądu, rybołówstwa i akwakultury oraz ich przekształcenie w żywność, paszę, błonnik, bioprodukty i bioenergię, a także powiązane dobra publiczne, zapewni wysoką wartość dodaną Unii. Równolegle do funkcji związanych z rynkiem biogospodarka jest również podstawą szerokiego zakresu funkcji dóbr publicznych, bioróżnorodności i usług ekosystemowych. Zarządzana w zrównoważony sposób może ograniczyć wpływ na środowisko wywierany przez produkcję podstawową i cały łańcuch dostaw. Może zwiększyć ich konkurencyjność, wzmocnić samowystarczalność Europy i przyczynić się do powstawania miejsc pracy oraz możliwości dla przedsiębiorców, które mają zasadnicze znaczenie dla rozwoju obszarów wiejskich i nadbrzeżnych. Wyzwania dotyczące bezpieczeństwa żywnościowego, zrównoważonego rolnictwa oraz upraw, produkcji wodnej, leśnictwa i całej biogospodarki mają charakter europejski i globalny. Działania na poziomie Unii mają zasadnicze znaczenie dla połączenia klastrów w celu osiągnięcia skali i masy krytycznej niezbędnych do uzupełnienia wysiłków podejmowanych przez pojedyncze państwa członkowskie lub ich grupy. Podejście opierające się na zaangażowaniu wielu podmiotów zapewni niezbędne interakcje między naukowcami, przedsiębiorstwami, rolnikami/producentami, doradcami i użytkownikami końcowymi. Działania na poziomie Unii są również niezbędne dla zapewnienia spójności podejścia do tego wyzwania między sektorami oraz silnych powiązań z odpowiednimi kierunkami polityki Unii. Koordynacja badań naukowych i innowacji na poziomie Unii ułatwi i przyspieszy potrzebne zmiany w całej Unii.Badania naukowe i innowacje będą wchodzić w interakcję – połączoną ze wsparciem – z szerokim wachlarzem kierunków polityki Unii i powiązanych celów, w tym ze wspólną polityką rolną (w szczególności polityką rozwoju obszarów wiejskich, inicjatywami w zakresie wspólnego programowania, takimi jak „Rolnictwo, bezpieczeństwo żywnościowe i zmiana klimatu”, „Zdrowe odżywianie warunkiem zdrowego życia” oraz „Zdrowe i wydajne morza i oceany”) i europejskim partnerstwem innowacyjnym na rzecz wydajnego i zrównoważonego rolnictwa, europejskim partnerstwem innowacyjnym w dziedzinie wody, wspólną polityką rybołówstwa, zintegrowaną polityką morską, europejskim programem zapobiegania zmianie klimatu, ramową dyrektywą wodną (8), dyrektywą ramową w sprawie strategii morskiej (9), planem działania UE na rzecz ochrony lasów, strategią tematyczną w zakresie gleb, unijną strategią ochrony różnorodności biologicznej do 2020 r., strategicznym planem w dziedzinie technologii energetycznych, unijną polityką w zakresie innowacji i przemysłu, polityką zewnętrzną i polityką w zakresie pomocy rozwojowej, strategią w zakresie zdrowia roślin, strategią w zakresie zdrowia i dobrostanu zwierząt oraz ramami regulacyjnymi ochrony środowiska, zdrowia i bezpieczeństwa, promowania efektywnego gospodarowania zasobami i działań w dziedzinie klimatu oraz ograniczania ilości odpadów. Lepsza integracja pełnego cyklu – od badań podstawowych do innowacji – z powiązanymi politykami Unii wydatnie zwiększy ich unijną wartość dodaną, zapewni efekt dźwigni, zwiększy znaczenie społeczne, zapewni zdrowe produkty żywnościowe i ułatwi dalszy rozwój zrównoważonego gospodarowania gruntami, morzami i oceanami oraz rynków biogospodarki.W celu wsparcia polityki Unii związanej z biogospodarką oraz ułatwienia zarządzania badaniami naukowymi i innowacją i monitorowania ich, prowadzone będą badania społeczno-gospodarcze i działania wybiegające w przyszłość dotyczące strategii biogospodarki, w tym opracowanie wskaźników, baz danych, modeli, prognozowania oraz ocen skutków inicjatyw dla gospodarki, społeczeństwa i środowiska.Stymulowane wyzwaniami działania skupiające się na korzyściach społecznych, gospodarczych i środowiskowych oraz modernizacji sektorów i rynków związanych z biogospodarką mają zostać wsparte poprzez multidyscyplinarne badania naukowe, wspomagające innowacje i prowadzące do opracowania nowych strategii, praktyk, zrównoważonych produktów i procesów. Przyjęte ma zostać również szeroko zakrojone podejście do innowacji, obejmujące innowacje technologiczne, nietechnologiczne, organizacyjne, gospodarcze i społeczne – dotyczy to np. sposobów transferu technologii, nowych modeli biznesowych, marek i usług. Trzeba docenić potencjał rolników i MŚP w przyczynianiu się do innowacji. Podejście do biogospodarki ma uwzględniać znaczenie lokalnej wiedzy i różnorodności.

Ogólne kierunki działań

(a) Zrównoważone rolnictwo i leśnictwo

Celem jest zapewnienie wystarczającego zaopatrzenia w żywność, paszę, biomasę i inne surowce, przy jednoczesnym zabezpieczeniu zasobów naturalnych, takich jak woda, gleba, oraz bioróżnorodności, w europejskiej i światowej perspektywie, oraz udoskonalenie usług ekosystemowych, w tym walka ze skutkami zmiany klimatu i łagodzenie ich. Działania mają skupiać się na podniesieniu jakości i wartości produktów rolniczych poprzez wypracowanie bardziej zrównoważonych i produktywnych systemów rolnictwa – w tym chowu zwierząt – i leśnictwa, które są różnorodne, odporne i zasobooszczędne (niskoemisyjne oraz o niskich nakładach zewnętrznych, i oszczędzające wodę), chronią zasoby naturalne, produkują mniej odpadów i mają zdolność przystosowywania się do zmieniających się warunków środowiskowych. Ponadto działania mają dotyczyć rozwoju usług, koncepcji i polityk wspierających rozwój środków utrzymania na obszarach wiejskich i zachęcających do zrównoważonej konsumpcji.W szczególności w leśnictwie celem jest wytwarzanie – w zrównoważony sposób – biomasy, produktów biologicznych i dostarczanie usług ekosystemowych, z należytym uwzględnieniem aspektów gospodarczych, ekologicznych i społecznych leśnictwa. Działania skupią się na dalszym rozwijaniu produkcji i zrównoważonego charakteru zasobooszczędnych systemów leśnictwa, które będą wpływać na podniesienie poziomu odporności lasów i ochronę bioróżnorodności i które mogą zaspokoić zwiększone zapotrzebowanie na biomasę.Pod uwagę zostanie również wzięta interakcja między roślinami użytkowymi a zdrowiem i dobrostanem, a także wykorzystanie ogrodnictwa i leśnictwa do rozwoju zazieleniania miast.

(b) Zrównoważony i konkurencyjny sektor rolno-spożywczy sprzyjający bezpiecznemu i zdrowemu odżywianiu się

Celem jest zaspokojenie wymogów obywateli i środowiska dotyczących bezpiecznej, zdrowej i przystępnej cenowo żywności oraz bardziej zrównoważone przetwarzanie, dystrybucja i konsumpcja żywności i paszy, a także większa konkurencyjność sektora spożywczego, przy jednoczesnym uwzględnieniu elementu kulturowego jakości żywności. Działania mają skupiać się na zapewnieniu zdrowej i bezpiecznej żywności dla wszystkich, umożliwieniu konsumentom podejmowania świadomych wyborów, na sposobach odżywiania się i innowacjach na rzecz poprawy stanu zdrowia oraz na konkurencyjnych metodach przetwarzania żywności wykorzystujących mniej zasobów i dodatków i generujących mniej produktów ubocznych, odpadów i gazów cieplarnianych.

(c) Uwolnienie potencjału wodnych zasobów biologicznych

Celem jest gospodarowanie, zrównoważone wykorzystywanie i utrzymanie wodnych zasobów biologicznych w celu maksymalizacji społecznych i gospodarczych korzyści i zysków z oceanów, mórz i wód śródlądowych Europy przy zachowaniu bioróżnorodności. Działania mają skupiać się na optymalizacji wkładu w bezpieczne zaopatrzenie w żywność poprzez rozwój rybołówstwa zrównoważonego i przyjaznego dla środowiska, na zrównoważonym gospodarowaniu ekosystemami będącymi źródłem towarów i usług oraz konkurencyjnej i przyjaznej dla środowiska europejskiej akwakultury w kontekście gospodarki globalnej, a także wspomaganiu innowacji morskich za pomocą biotechnologii w celu stymulowania inteligentnego „niebieskiego wzrostu”.

(d) Zrównoważone i konkurencyjne sektory bioprzemysłu oraz wspieranie rozwoju europejskiej biogospodarki

Celem jest promowanie niskoemisyjnych, zasobooszczędnych, zrównoważonych i konkurencyjnych europejskich sektorów bioprzemysłu. Działania mają skupiać się na wspieraniu biogospodarki opartej na wiedzy poprzez przekształcenie konwencjonalnych produktów i procesów przemysłowych w zasobooszczędne i energooszczędne bioprodukty i bioprocesy, rozwój zintegrowanych biorafinerii drugiej i kolejnych generacji, optymalizację wykorzystania biomasy z produkcji podstawowej, w tym pozostałości, bioodpadów i produktów ubocznych bioprzemysłu, a także otwarcie nowych rynków poprzez wspieranie systemów normalizacji i certyfikacji, a także działań w zakresie regulacji i demonstracji/prób terenowych i, z uwzględnieniem wpływu biogospodarki na użytkowanie gruntów i zmiany sposobu ich użytkowania, a także poglądów i wątpliwości społeczeństwa obywatelskiego.

(e) Przekrojowe badania morskie

Celem jest zwiększenie wpływu mórz i oceanów w Unii na wzrost gospodarczy poprzez zrównoważone wykorzystywanie zasobów morskich oraz różnych źródeł energii morskiej oraz wiele innych różnych sposobów użytkowania mórz.Działania mają się skupiać na przekrojowych morskich wyzwaniach naukowo-technicznych i mają odblokować potencjał mórz i oceanów we wszystkich sektorach przemysłu morskiego, a jednocześnie chronić środowisko i zapewnić przystosowanie się do zmiany klimatu. To skoordynowane podejście strategiczne do badań morskich w ramach wszystkich wyzwań i priorytetów programu „Horyzont 2020” będzie także wspierać wdrażanie odnośnych polityk Unii celem realizacji głównych założeń „niebieskiego wzrostu”.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:44:33";"664281" +"H2020-EU.1.4.";"fr";"H2020-EU.1.4.";"";"";"EXCELLENCE SCIENTIFIQUE - Infrastructures de recherche";"Research Infrastructures";"

EXCELLENCE SCIENTIFIQUE - Infrastructures de recherche

Objectif spécifique

L'objectif spécifique est de doter l'Europe d'infrastructures de recherche d'envergure mondiale qui soient accessibles à tous les chercheurs d'Europe et d'ailleurs et qui exploitent pleinement leur potentiel en matière de progrès scientifiques et d'innovation.Les infrastructures de recherche jouent un rôle décisif dans la compétitivité de l'Europe, dans tous les domaines de la recherche scientifique, et sont essentielles à une innovation axée sur la science. Dans de nombreux domaines, la recherche est impossible sans un accès à des superordinateurs, à des équipements d'analyse, à des sources de rayonnement pour de nouveaux matériaux, à des salles blanches et à une métrologie avancée pour les nanotechnologies, à des laboratoires spécialement équipés pour la recherche biologique et médicale, à des banques de données pour la génomique et les sciences sociales, à des observatoires et des capteurs pour les sciences de la Terre et de l'environnement, à des réseaux à très haut débit pour le transfert de données, etc. Les infrastructures de recherche sont indispensables pour mener à bien les travaux de recherche permettant de relever des défis de société majeurs. Elles font progresser la collaboration transfrontalière et interdisciplinaire et créent un espace européen ouvert et cohérent pour la recherche en ligne. Elles favorisent la mobilité des personnes et des idées, rassemblent les meilleurs scientifiques d'Europe et du monde et améliorent l'éducation scientifique. Elles incitent les chercheurs et les entreprises innovantes à concevoir des technologies de pointe. Elles renforcent par conséquent l'industrie innovante de haute technologie européenne. Elles favorisent l'excellence dans les communautés européennes de la recherche et de l'innovation et peuvent être des instruments exceptionnels de promotion de la science pour la société dans son ensemble.Pour maintenir la stature mondiale de sa recherche, l'Europe doit mettre en place, sur la base de critères adoptés d'un commun accord, des conditions stables et adéquates pour assurer la construction, l'entretien et le fonctionnement des infrastructures de recherche. Cela nécessite d'établir une coopération effective et substantielle entre les bailleurs de fonds de l'Union, nationaux et régionaux à l'égard desquels les liens étroits avec la politique de cohésion seront maintenus, de manière à susciter des synergies et à garantir une approche cohérente.Cet objectif spécifique rejoint un engagement clé de l'initiative phare «Une Union de l'innovation», qui souligne le rôle essentiel des infrastructures de recherche d'envergure mondiale lorsqu'il s'agit de créer les conditions qui permettent des avancées révolutionnaires dans la recherche et l'innovation. L'initiative phare insiste sur la nécessité d'une mise en commun des ressources à l'échelon européen, voire mondial dans certains cas, pour mettre en place et faire fonctionner des infrastructures de recherche. De même, l'initiative phare «Une stratégie numérique pour l'Europe» insiste sur la nécessité de renforcer les infrastructures en ligne de l'Europe et sur l'importance de développer des pôles d'innovation pour assurer à l'Europe une position de pointe en matière d'innovation.

Justification et valeur ajoutée de l'Union

Les infrastructures de recherche ultraperformantes deviennent de plus en plus complexes et onéreuses; elles nécessitent souvent l'intégration de différents équipements, services et sources de données ainsi qu'une intense collaboration transnationale. Aucun pays ne dispose à lui seul de ressources en suffisance pour financer toutes les infrastructures de recherche dont il a besoin. La politique européenne relative aux infrastructures de recherche a enregistré des progrès remarquables ces dernières années, que ce soit sur le plan de l'élaboration et de la mise en œuvre continues de la feuille de route du Forum stratégique européen pour les infrastructures de recherche (ESFRI) relative aux infrastructures, de l'intégration et de l'ouverture d'installations de recherche nationales ou du développement d'infrastructures en ligne qui sous-tendent un EER numérique qui soit ouvert. En offrant une formation de niveau mondial à une nouvelle génération de chercheurs et d'ingénieurs et en promouvant la collaboration interdisciplinaire, les réseaux d'infrastructures de recherche de dimension européenne renforcent la base de ressources humaines de l'Europe. Les synergies avec les actions Marie Skłodowska-Curie seront encouragées.Un renforcement et une utilisation accrue des infrastructures de recherche au niveau européen contribueront de manière significative au développement de l'EER. Si les États membres conservent un rôle central dans la mise en place et le financement des infrastructures de recherche, l'Union joue un rôle de premier plan lorsqu'il s'agit de soutenir les infrastructures à l'échelle européenne, notamment en encourageant la coordination des infrastructures de recherche européennes et en promouvant la création d'installations nouvelles et intégrées, d'ouvrir et d'encourager un large accès aux infrastructures nationales et européennes, et d'assurer la cohérence et l'efficacité des politiques régionales, nationales, européennes et internationales. Il convient d'éviter toute répétition inutile et fragmentation des activités, d'encourager l'utilisation coordonnée et efficace des installations et, le cas échéant, d'assurer une mise en commun des ressources, de sorte que l'Europe puisse également acquérir et exploiter des infrastructures de recherche d'envergure mondiale.Les TIC ont transformé la science en permettant une collaboration à distance, le traitement massif de données, l'expérimentation in silico et l'accès à des ressources éloignées. La recherche est devenue par conséquent de plus en plus transnationale et interdisciplinaire et nécessite le recours aux infrastructures des TIC dont la nature est supranationale, comme la science elle-même.Les économies d'échelle et la rationalisation des tâches qu'autorise une approche européenne de la construction, de l'utilisation et de la gestion des infrastructures de recherche, y compris les infrastructures en ligne, contribueront de manière significative à développer le potentiel de l'Europe en matière de recherche et d'innovation, et à rendre l'Union plus compétitive au niveau international.

Grandes lignes des activités

Les activités visent à développer les infrastructures de recherche européennes pour 2020 et au-delà, à promouvoir leur potentiel d'innovation et leurs ressources humaines ainsi qu'à renforcer la politique européenne relative aux infrastructures de recherche.

(a) Développer les infrastructures de recherche européennes pour 2020 et au-delà

L'objectif consiste à faciliter et à soutenir les actions liées aux éléments suivants: 1) la préparation, la mise en œuvre et l'exploitation des infrastructures de recherche recensées par l'ESFRI et des autres infrastructures de recherche d'envergure mondiale, et notamment le développement d'infrastructures partenaires régionales, lorsque l'intervention de l'Union apporte une forte valeur ajoutée; 2) l'intégration des infrastructures de recherche nationales et régionales d'intérêt européen et l'accès transnational à ces infrastructures, de manière à ce que les scientifiques européens puissent les utiliser indépendamment de leur localisation pour effectuer des recherches de haut niveau; 3) le développement, le déploiement et l'exploitation des infrastructures en ligne pour garantir une capacité de premier plan au niveau mondial en matière de mise en réseau, d'informatique et de données scientifiques.

(b) Promouvoir le potentiel d'innovation et les ressources humaines des infrastructures de recherche

Les objectifs consistent à inciter les infrastructures de recherche à jouer un rôle de pionnier dans l'adoption ou le développement des technologies de pointe, à encourager les partenariats avec les entreprises en matière de recherche et de développement, à faciliter l'utilisation des infrastructures de recherche à des fins industrielles et à stimuler la création de pôles d'innovation. Il s'agit également de soutenir la formation et/ou les échanges de personnes chargées de la gestion et de l'exploitation des infrastructures de recherche.

(c) Renforcer la politique européenne relative aux infrastructures de recherche ainsi que la coopération internationale

L'objectif est de soutenir les partenariats entre les décideurs politiques et les organismes de financement concernés, les outils de cartographie et de suivi utilisés pour la prise de décisions ainsi que les activités de coopération internationale. Les infrastructures européennes de recherche peuvent être soutenues dans le cadre de leurs activités dans le domaine des relations internationales.Les objectifs énoncés au titre des lignes d'activités décrites aux points b) et c) sont poursuivis au moyen d'actions spécifiques ainsi que, selon le cas, dans le cadre d'actions menées au titre de la ligne d'activité décrite au point a).";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:43";"664121" +"H2020-EU.2.1.5.2.";"pl";"H2020-EU.2.1.5.2.";"";"";"Technologie wspomagające energooszczędne systemy i budynki o niewielkim oddziaływaniu na środowisko";"Technologies enabling energy-efficient systems and buildings";"

Technologie wspomagające energooszczędne systemy i budynki o niewielkim oddziaływaniu na środowisko

Ograniczenie zużycia energii i emisji CO2 poprzez badania naukowe, opracowanie i wdrożenie zrównoważonych technologii i systemów budowlanych, uwzględnienie całego łańcucha wartości, jak również zmniejszenie ogólnego oddziaływania budynków na środowisko.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:06";"664201" +"H2020-EU.3.1.";"es";"H2020-EU.3.1.";"";"";"RETOS DE LA SOCIEDAD - Salud, cambio demográfico y bienestar";"Health";"

RETOS DE LA SOCIEDAD - Salud, cambio demográfico y bienestar

Objetivo específico

El objetivo específico es mejorar la salud a lo largo de la vida y el bienestar de todos.La salud a lo largo de la vida y el bienestar de todos -menores, adultos y personas mayores-, unos sistemas sanitarios y asistenciales de alta calidad, económicamente sostenibles e innovadores, como parte de los sistemas de bienestar, y oportunidades para generar nuevos puestos de trabajo y crecimiento, son los objetivos para apoyar la investigación e innovación como respuesta a este reto, efectuando así una importante contribución a la estrategia Europa 2020.El coste de los sistemas sanitario y de asistencia social de la Unión se está incrementando, ya que las medidas de atención y prevención para todas las edades son cada vez más caras y se espera que el número de europeos mayores de 65 años casi se duplique, pasando de 85 millones en 2008 a 151 millones para 2060, y que el de mayores de 80 pase de 22 a 61 millones en el mismo período. Reducir o contener estos costes de manera que no se hagan insostenibles depende, en parte, de mejorar la salud a lo largo de la vida y el bienestar de todos y, por lo tanto, de la eficacia de la prevención, el tratamiento y la gestión de la enfermedad y la discapacidad.Las dolencias y enfermedades crónicas son las principales causas de discapacidad, mala salud, abandono del trabajo por motivos de salud y muerte prematura, y suponen considerables costes sociales y económicos.En la Unión, las enfermedades cardiovasculares son responsables de más de 2 millones de fallecimientos al año y cuestan a la economía más de 192 000 millones de euros, en tanto que el cáncer ocasiona una cuarta parte de las defunciones y es la primera causa de muerte en las personas de 45 a 64 años. Más de 27 millones de personas padecen diabetes en la Unión y más de 120 millones, enfermedades reumáticas y musculoesqueléticas. Las enfermedades raras, que afectan a unos 30 millones de personas en toda Europa, siguen representando un gran reto. El coste total de los trastornos cerebrales (incluidos los que afectan a la depresión, pero no solo estos) se ha estimado en 800 000 millones EUR. Se calcula que solo la depresión afecta a 165 millones de personas en la Unión, con un coste de 118 millones EUR. Esta cifra seguirá aumentando de manera espectacular, en gran medida como resultado del envejecimiento de la población europea y del consiguiente incremento de las enfermedades neurodegenerativas. Los factores ambientales, profesionales y relacionados con el estilo de vida inciden en varias de estas enfermedades, estimándose que guarda relación con ellos hasta un tercio de la carga global de las enfermedades.Las enfermedades infecciosas, como el VIH/SIDA, la tuberculosis y la malaria, son motivo de preocupación en todo el mundo, representando el 41 % de los 1 500 millones de años de vida ajustados en función de la discapacidad en todo el mundo, un 8 % de los cuales corresponde a Europa. Las enfermedades relacionadas con la pobreza y las desatendidas son también una preocupación mundial. También hay que prepararse para las nuevas epidemias, las enfermedades infecciosas reemergentes (incluidas las enfermedades relacionadas con el agua) y la amenaza de la creciente resistencia a los antimicrobianos. También debe considerarse el aumento del riesgo de enfermedades de transmisión animal.Entretanto, los procesos de desarrollo de medicamentos y vacunas cada vez resultan más costosos y menos eficaces. Los esfuerzos por aumentar el rendimiento en el desarrollo de medicamentos y vacunas incluyen métodos alternativos para sustituir los clásicos ensayos de seguridad y eficacia. Es preciso hacer frente a la persistencia de las desigualdades ante la salud y a las necesidades de grupos específicos de población (por ejemplo, los que sufren enfermedades raras), y garantizar a todos los europeos, independientemente de su edad o procedencia social, el acceso a unos sistemas sanitarios eficaces y competentes.Otros factores como la nutrición, la actividad física, la riqueza, la inclusión social, la participación cívica, el capital social y el trabajo afectan también a la salud y el bienestar y es preciso adoptar un planteamiento holístico.Debido al aumento de la esperanza de vida, la edad y la estructura de la población europea van a cambiar. Por tanto, la investigación que promueve la salud a lo largo de la vida, el envejecimiento activo y el bienestar para todos será fundamental para el éxito de la adaptación de las sociedades al cambio demográfico.

Justificación y valor añadido de la Unión

La enfermedad y la discapacidad no se detienen en las fronteras nacionales. Una adecuada respuesta de investigación, el esfuerzo en materia de desarrollo e innovación a nivel europeo en cooperación con terceros países y la participación de todas las partes interesadas, incluidos los pacientes y los usuarios finales, puede suponer una contribución crucial para abordar dichos retos mundiales, trabajar así en el logro de los Objetivos de Desarrollo del Milenio de Naciones Unidas, ofreciendo una mejor salud y bienestar para todos y situar a Europa a la cabeza de los mercados mundiales de las innovaciones en materia de salud y bienestar, en rápida expansión.La respuesta depende de la excelencia en la investigación para mejorar nuestra comprensión fundamental de los elementos determinantes de la salud, la enfermedad, la discapacidad, las condiciones saludables de trabajo, el desarrollo y el envejecimiento (incluida la esperanza de vida), y de la plasmación generalizada y sin discontinuidades de los conocimientos resultantes y existentes en productos, estrategias, intervenciones y servicios innovadores modulables, eficaces accesibles y seguros. Además, la pertinencia de estos retos en toda Europa y, en muchos casos, a escala mundial, exige una respuesta caracterizada por un apoyo a largo plazo y coordinado a la cooperación entre equipos excelentes, multidisciplinarios y multisectoriales. Es necesario asimismo hacer frente al reto desde la perspectiva de las ciencias sociales y económicas y las humanidades.Análogamente, la complejidad del reto y la interdependencia de sus componentes exigen una respuesta a nivel europeo. Muchos planteamientos, instrumentos y tecnologías pueden aplicarse en buen número de ámbitos de investigación e innovación correspondientes este reto y es preferible apoyarlos a nivel de la Unión. Entre ellos figuran la comprensión de la base molecular de la enfermedad, la determinación de estrategias terapéuticas innovadoras y de sistemas de modelos novedosos, la aplicación pluridisciplinar del conocimiento en física, química y biología de sistemas, el desarrollo de cohortes a largo plazo y la realización de ensayos clínicos (centrados en la evolución y los efectos de los medicamentos en todos los grupos de edad), el uso clínico de las «-ómicas», o el desarrollo de las TIC y sus aplicaciones en la práctica de la asistencia sanitaria, especialmente la sanidad electrónica. Los requisitos de poblaciones específicas también se abordan mejor de forma integrada, por ejemplo, en el desarrollo de la medicina estratificada y/o personalizada, en el tratamiento de las enfermedades raras y en la oferta de soluciones para la vida autónoma y asistida.Para maximizar el impacto de las acciones a nivel de la Unión, es preciso prestar apoyo a toda la gama de actividades de investigación, de desarrollo y de innovación. Desde la investigación básica, a través de la traducción del conocimiento fundamental sobre la enfermedad a nuevas terapias, a grandes ensayos y acciones piloto y de demostración, movilizando la inversión privada. Dichas actividades incluirán también la contratación pública y precomercial de nuevos productos, servicios, soluciones modulables, que cuando proceda sean interoperables, apoyadas por normas definidas y/o directrices comunes. Dicho esfuerzo europeo coordinado aumentará las capacidades científicas y humanas en el ámbito de la investigación sobre la salud y contribuirá al desarrollo en curso del EEI. Asimismo, se vinculará, cuando y como proceda, con las actividades realizadas en el contexto del Programa ""Salud para el crecimiento"", las Iniciativas de Programación Conjunta, en especial las iniciativas ""Investigación de enfermedades neurodegenerativas"", ""Una dieta sana para una vida sana"" ""Resistencia antimicrobiana"" y ""Una vida más larga y mejor"", y de la Cooperación de Innovación Europea sobre envejecimiento activo y saludable.El Panel Científico para la Salud será una plataforma dirigida por partes interesadas que elaborará aportaciones científicas relativas en relación con los retos de la sociedad. Proporcionará un análisis coherente y científico centrado en los obstáculos a la investigación y la innovación, así como en las oportunidades relativas a dichos retos de la sociedad, contribuirá a la determinación de sus prioridades en materia de innovación y fomentará la participación científica a escala de la UE en el proceso. Mediante una cooperación activa con las partes interesadas, ayudará a consolidar capacidades y fomentar la puesta en común del conocimiento y una mayor colaboración a través de la Unión en este ámbito.

Líneas generales de las actividades

Una promoción eficaz de la salud, apoyada por una base factual sólida, previene la enfermedad, contribuye al bienestar y es rentable desde el punto de vista de los costes. La promoción de la salud, el envejecimiento activo, el bienestar y la prevención de las enfermedades también dependen de la comprensión de los factores determinantes de la salud, de unas herramientas preventivas eficaces, de una vigilancia eficaz de la salud y la enfermedad y de la preparación ante esta, y de unos programas de detección eficaces. Una promoción eficaz de la salud se ve asimismo favorecida por una mejor información a los ciudadanos, lo que fomenta la adopción de decisiones responsables en materia de salud.El éxito de los esfuerzos por prevenir, detectar de manera precoz, gestionar, tratar y curar la enfermedad, la discapacidad, la vulnerabilidad y la funcionalidad reducida se fundamenta en una comprensión básica de sus causas y factores determinantes, procesos y repercusiones, así como de los factores que subyacen a la buena salud y el bienestar. Una mejor comprensión de la salud y de la enfermedad requerirá una vinculación estrecha entre la investigación básica, clínica, epidemiológica y socioeconómica. También resultan esenciales el eficaz intercambio de datos, su tratamiento normalizado y la vinculación de estos datos a estudios de cohortes a gran escala, al igual que el traslado de los resultados de la investigación a la práctica clínica, también mediante la realización de ensayos clínicos, que habrán de tomar en consideración todos los grupos de edad para garantizar un uso adaptado de los medicamentos.La reaparición de antiguas enfermedades infecciosas, incluida la tuberculosis así como la mayor incidencia de enfermedades evitables con una vacuna ilustran la necesidad de un planteamiento mundial frente a las enfermedades asociadas a la pobreza y desatendidas. De la misma forma, el creciente problema de la resistencia antibacteriana exige un planteamiento también mundial.Deberá impulsarse una medicina personalizada con el fin de ajustar los planteamientos terapéuticos y preventivos a las necesidades de los pacientes, que además deberá estar respaldada por la detección precoz de la enfermedad. Para la sociedad constituye un reto afrontar las nuevas exigencias a los sectores sanitario y asistencial derivadas del envejecimiento de la población. Si han de mantenerse una sanidad y asistencia eficaces para todas las edades, es preciso mejorar el proceso decisorio en materia de prevención y dispensación del tratamiento, definir y respaldar la difusión de prácticas idóneas en los sectores sanitario y asistencial e impulsar la asistencia integrada. Una mejor comprensión de los procesos de envejecimiento y la prevención de las enfermedades asociadas al mismo constituyen la base para mantener sanos y activos a los ciudadanos europeos a lo largo de toda su vida. Es igualmente importante una adopción amplia de las innovaciones tecnológicas, organizativas y sociales que permitan a las personas de edad avanzada en particular, a las personas con enfermedades crónicas así como a las personas con discapacidad, permanecer activas, productivas y autónomas. De este modo se contribuirá a incrementar y prolongar su bienestar físico, social y mental.Todas estas actividades se realizarán de tal manera que se preste apoyo a todo el ciclo de la investigación y la innovación, reforzando la competitividad de las industrias establecidas en Europa y el desarrollo de nuevas oportunidades de mercado. Se hará asimismo hincapié en la participación de todas las partes interesadas del sector sanitario -incluidos los pacientes, las organizaciones de pacientes y los proveedores de atención sanitaria- con el fin de establecer un plan de investigación e innovación que asocie activamente a los ciudadanos y refleje sus necesidades y expectativas.Las actividades específicas incluirán: comprensión de los factores determinantes de la salud (incluidos los relacionados con la nutrición, la actividad física, el género, el medio ambiente, el nivel socioeconómico, el trabajo y el clima), mejora de la promoción de la salud y prevención de la enfermedad; comprensión de la enfermedad y mejora del diagnóstico y del pronóstico; desarrollo de programas de prevención y detección eficaces y mejora de la evaluación de la propensión a las enfermedades; mejorar la vigilancia de enfermedades infecciosas y la capacidad para combatir las epidemias y las enfermedades emergentes; desarrollo de nuevas y mejores vacunas preventivas y terapéuticas y medicamentos; uso de la medicina informática para mejorar la predicción y la gestión de enfermedades; el desarrollo de la medicina regenerativa, los tratamientos adaptados y el tratamiento de la enfermedad, inclusive de la medicina paliativa; transferencia de conocimientos a la práctica clínica y acciones de innovación modulables; mejorar la información sanitaria y mejor recopilación y uso de los datos sanitarios, administrativos y de cohortes; técnicas normalizadas de análisis de datos; envejecimiento activo, vida autónoma y asistida; sensibilización de los individuos y capacitación de las personas para la autogestión de su salud; promoción de la asistencia integrada, incluidos los aspectos psicosociales; mejora de instrumentos y métodos científicos al servicio de la formulación de políticas y las necesidades normativas; y optimización de la eficiencia y la eficacia de los sistemas de asistencia sanitaria; y reducción de las disparidades y desigualdades en materia de salud a través de la toma de decisiones basada en los datos y la divulgación de las mejores prácticas, y tecnologías y planteamientos innovadores. Debe fomentarse la participación activa de los proveedores de atención sanitaria para asegurar una rápida asimilación y aplicación de los resultados.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:43:12";"664237" +"H2020-EU.3.5.4.";"pl";"H2020-EU.3.5.4.";"";"";"Umożliwienie ekologizacji gospodarki i społeczeństwa poprzez ekoinnowacje";"";"

Umożliwienie ekologizacji gospodarki i społeczeństwa poprzez ekoinnowacje

Celem jest wspieranie wszystkich form ekoinnowacji umożliwiających przekształcenie gospodarki w zieloną gospodarkę. Działania mają m.in. nawiązywać do działań podjętych w ramach programu dotyczącego ekoinnowacji oraz stanowić ich uzupełnienie, a także skupiać się na: wzmocnieniu ekoinnowacyjnych technologii, procesów, usług i produktów, w tym na przeanalizowaniu sposobów ograniczenia ilości surowców w produkcji i konsumpcji, na pokonaniu barier w tym aspekcie, oraz na zwiększeniu ich wykorzystywania przez rynek i odtwarzania, ze szczególnym uwzględnieniem MŚP; wsparciu innowacyjnych kierunków polityki, zrównoważonych modeli gospodarczych i przemian społecznych; pomiarze i ocenie postępu na drodze ku zielonej gospodarce; a także wspomaganiu zasobooszczędności poprzez systemy cyfrowe. ";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:54";"664417" +"H2020-EU.3.5.4.";"it";"H2020-EU.3.5.4.";"";"";"Agevolare la transizione verso un'economia e una società verdi per mezzo dell'ecoinnovazione";"A green economy and society through eco-innovation";"

Agevolare la transizione verso un'economia e una società verdi per mezzo dell'ecoinnovazione

L'obiettivo è promuovere tutte le forme di ecoinnovazione che consentono la transizione verso un'economia verde. Le attività tra l'altro si basano su quelle intraprese nel quadro del programma per l'ecoinnovazione e le rafforzano, e si concentrano sul rafforzamento di tecnologie, processi, servizi e prodotti ecoinnovativi, anche attraverso l'esplorazione di modalità per ridurre la quantità di materie prime nella produzione e nel consumo, sul superamento delle barriere in tale contesto, nonché sulla loro diffusione e replicazione sul mercato, con particolare attenzione per le PMI, sul sostegno alle politiche innovative, ai modelli economici sostenibili e ai cambiamenti sociali, sulla misurazione e la valutazione dei progressi verso un'economia verde e sulla promozione dell'efficienza delle risorse per mezzo dei sistemi digitali.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:54";"664417" +"H2020-EU.3.5.2.";"fr";"H2020-EU.3.5.2.";"";"";"Protéger l'environnement, gérer les ressources naturelles, l'eau, la biodiversité et les écosystèmes de manière durable";"Protection of the environment";"

Protéger l'environnement, gérer les ressources naturelles, l'eau, la biodiversité et les écosystèmes de manière durable

L'objectif est de fournir des connaissances et outils qui permettront de gérer et protéger les ressources naturelles afin d'instaurer un équilibre durable entre des ressources limitées et les besoins actuels et futurs de la société et de l'économie. Les activités viseront essentiellement à approfondir notre compréhension de la biodiversité et du fonctionnement des écosystèmes, de leurs interactions avec les systèmes sociaux et de leur rôle dans la prospérité économique et le bien-être humain, à mettre au point des approches intégrées pour traiter les problèmes liés à l'eau et la transition vers une gestion et une utilisation durables des ressources et des services dans le domaine de l'eau ainsi qu'à apporter les connaissances et les outils nécessaires à une prise de décision efficace et à une implication du public.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:20";"664399" +"H2020-EU.3.5.4.";"de";"H2020-EU.3.5.4.";"";"";"Grundlagen für den Übergang zu einer umweltfreundlichen Wirtschaft und Gesellschaft durch Öko-Innovation";"A green economy and society through eco-innovation";"

Grundlagen für den Übergang zu einer umweltfreundlichen Wirtschaft und Gesellschaft durch Öko-Innovation

Ziel ist die Förderung sämtlicher Formen von Öko-Innovation, die den Übergang zu einer ""grünen"" Wirtschaft ermöglichen. Die Tätigkeiten bauen u. a. auf den im Rahmen des Öko-Innovations-Programms durchgeführten Tätigkeiten auf und verstärken diese; Schwerpunkt ist die Stärkung von Technologien, Verfahren, Dienstleistungen und Produkten der Öko-Innovation, wozu auch die Suche nach Möglichkeiten zur Verringerung der bei der Produktion und beim Verbrauch verwendeten Rohstoffmengen gehört, die Überwindung diesbezüglicher Hindernisse und die Unterstützung ihrer Markteinführung und Nachahmung, unter besonderer Berücksichtigung von KMU, die Unterstützung innovativer Strategien, nachhaltiger Wirtschaftsmodelle und gesellschaftlicher Veränderungen, die Messung und Bewertung von Fortschritten auf dem Weg zu einer ""grünen"" Wirtschaft sowie die Förderung der Ressourceneffizienz durch digitale Systeme; die Unterstützung innovativer Strategien, nachhaltiger Wirtschaftsmodelle und gesellschaftlicher Veränderungen, die Messung und Bewertung von Fortschritten auf dem Weg zu einer ""grünen"" Wirtschaft sowie die Förderung der Ressourceneffizienz durch digitale Systeme; sowie die Förderung der Ressourceneffizienz durch digitale Systeme;";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:54";"664417" +"H2020-EU.2.1.5.2.";"fr";"H2020-EU.2.1.5.2.";"";"";"Des technologies en faveur de systèmes efficaces dans l'utilisation de l'énergie et de bâtiments efficaces dans l'utilisation de l'énergie et ayant une faible incidence sur l'environnement";"Technologies enabling energy-efficient systems and buildings";"

Des technologies en faveur de systèmes efficaces dans l'utilisation de l'énergie et de bâtiments efficaces dans l'utilisation de l'énergie et ayant une faible incidence sur l'environnement

Réduire la consommation d'énergie et les émissions de CO2 grâce à la recherche, au développement et au déploiement de technologies et de systèmes de construction durables, prenant en compte toute la chaîne de valeur et réduisant l'incidence globale des bâtiments sur l'environnement.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:06";"664201" +"H2020-EU.3.2.";"it";"H2020-EU.3.2.";"";"";"SFIDE PER LA SOCIETÀ - Sicurezza alimentare, agricoltura e silvicoltura sostenibili, ricerca marina, marittima e sulle acque interne e bioeconomia";"Food, agriculture, forestry, marine research and bioeconomy";"

SFIDE PER LA SOCIETÀ - Sicurezza alimentare, agricoltura e silvicoltura sostenibili, ricerca marina, marittima e sulle acque interne e bioeconomia

Obiettivo specifico

L'obiettivo specifico è garantire un sufficiente approvvigionamento di prodotti alimentari e di altri prodotti di origine biologica sicuri, sani e di elevata qualità, sviluppando sistemi di produzione primaria produttivi, sostenibili e basati su un uso efficiente delle risorse, promuovendo i servizi ecosistemici correlati e il ripristino della diversità biologica, congiuntamente a catene di approvvigionamento, trattamento e commercializzazione competitive e a basse emissioni di carbonio. Ciò consentirà di accelerare la transizione verso una bioeconomia europea sostenibile, colmando la lacuna tra le nuove tecnologie e la loro attuazione.Nel corso dei prossimi decenni, l'Europa sarà minacciata da una crescente concorrenza per le risorse naturali limitate e finite, dagli effetti dei cambiamenti climatici, in particolare sui sistemi di produzione primaria (agricoltura, compresi il settore zootecnico e l'orticoltura, silvicoltura, pesca e acquacoltura) e dalla necessità di fornire un approvvigionamento alimentare sostenibile e sicuro per la popolazione europea e la crescente popolazione mondiale. Si ritiene necessario un aumento del 70 % dell'offerta alimentare mondiale per nutrire i 9 miliardi di abitanti del globo entro il 2050. L'agricoltura rappresenta circa il 10 % delle emissioni di gas a effetto serra dell'Unione e, sebbene queste siano in calo in Europa, si prevede che le emissioni globali del settore agricolo aumenteranno fino al 20 % entro il 2030. È inoltre necessario che l'Europa garantisca un'offerta sufficiente e prodotta in modo sostenibile di materie prime, energia e prodotti industriali, in condizioni di decremento delle risorse fossili (la produzione di idrocarburi dovrebbe registrare un calo di circa il 60 % entro il 2050), mantenendo nel contempo la sua competitività. I rifiuti organici, stimati sino a 138 milioni di tonnellate per anno nell'Unione, dei quali fino al 40 % è collocato in discarica, rappresentano un notevole problema dai costi ingenti, nonostante il loro elevato valore aggiunto potenziale.A titolo di esempio, si stima che il 30 % di tutti i prodotti alimentari nei paesi sviluppati sia gettato nella spazzatura. Sono necessari cambiamenti sostanziali per ridurre tali cifre al 50 % nell'Unione entro il 2030. I confini nazionali sono inoltre irrilevanti per quanto attiene all'ingresso e alla diffusione di parassiti e di malattie delle piante e degli animali, comprese le zoonosi, e delle sostanze patogene di origine alimentare. Mentre sono necessarie misure nazionali efficaci di prevenzione, l'azione a livello di Unione è essenziale per il controllo finale e l'efficace funzionamento del mercato unico. La sfida è complessa, riguarda un'ampia gamma di settori interconnessi e richiede un approccio olistico e sistemico.Sono necessarie risorse biologiche sempre maggiori per soddisfare la domanda di mercato di un approvvigionamento alimentare sicuro e sano, dei biomateriali, dei biocarburanti e dei bioprodotti, che vanno dai prodotti di consumo ai prodotti chimici alla rinfusa. Tuttavia le capacità degli ecosistemi terrestri e acquatici necessarie per la produzione di tali beni sono limitate, mentre vi sono pressioni concorrenti per il loro utilizzo, e spesso la gestione non è ottimale, come dimostrano ad esempio una grave diminuzione della fertilità e del tenore di carbonio nel suolo e il depauperamento degli stock ittici. Vi è un sottoutilizzo delle possibilità di promuovere i servizi ecosistemici provenienti da terreni agricoli, foreste, acque dolci e marine integrando obiettivi agronomici, ambientali e sociali nella produzione e nel consumo sostenibili.Il potenziale delle risorse biologiche e degli ecosistemi potrebbe essere utilizzato in modo molto più sostenibile, efficace e integrato. A titolo di esempio, il potenziale della biomassa derivata dall'agricoltura, dalle foreste e dai flussi di rifiuti agricoli, acquatici, industriali e urbani potrebbe essere sfruttato meglio.In sostanza è necessaria una transizione verso un uso delle risorse biologiche ottimale e rinnovabile e verso sistemi di produzione e trasformazione primari sostenibili in grado di produrre una quantità maggiore di alimenti, fibre e altri prodotti biologici con fattori produttivi, un impatto ambientale ed emissioni di gas a effetto serra ridotte al minimo, migliorando nel contempo i servizi ecosistemici, con l'azzeramento della produzione di rifiuti e un adeguato valore sociale. L'obiettivo consiste nel realizzare sistemi di produzione alimentare che potenzino, rafforzino e alimentino la base di risorse, consentendo di generare ricchezza in modo sostenibile. Occorre comprendere più in profondità e sviluppare le risposte alle modalità di fabbricazione, distribuzione, commercializzazione, consumo e regolamentazione dei prodotti alimentari. Un elemento chiave per realizzare questo obiettivo, in Europa e al di fuori, è uno sforzo critico di ricerca e innovazione interconnesse, insieme a un dialogo costante tra gruppi politici, sociali, economici e altri gruppi di interesse.

Motivazione e valore aggiunto dell'Unione

L'agricoltura, la silvicoltura, la pesca e l'acquacoltura, congiuntamente alle bioindustrie, sono i settori principali che sostengono la bioeconomia. La bioeconomia rappresenta un mercato ampio e crescente stimato a oltre 2 000 miliardi di EUR, con venti milioni di posti di lavoro che rappresentano il 9 % dell'occupazione totale nell'Unione nel 2009. Gli investimenti in ricerca e innovazione nell'ambito di questa sfida sociale consentiranno all'Europa di svolgere un ruolo di primo piano sui mercati interessati e contribuiranno alla realizzazione degli obiettivi della strategia Europa 2020 e delle pertinente iniziative faro ""Unione dell'innovazione"" e ""Un'Europa efficiente sotto il profilo delle risorse"".Una bioeconomia europea pienamente funzionale che comprenda la produzione sostenibile di risorse rinnovabili da suoli e ambienti di pesca e acquacoltura e la loro conversione in prodotti alimentari, mangimi e fibre biologici nonché in bioenergia e relativi beni pubblici, genererà un elevato valore aggiunto dell'Unione. Parallelamente alla funzione orientata al mercato, la bioeconomia sostiene anche una vasta gamma di funzioni legate ai beni pubblici, alla biodiversità e ai servizi ecosistemici. Gestita in modo sostenibile, consente di ridurre l'impatto ambientale della produzione primaria e della catena di approvvigionamento nel suo complesso. Essa può aumentare la loro competitività, accrescere l'autonomia dell'Europa e creare posti di lavoro e opportunità commerciali essenziali per lo sviluppo rurale e costiero. La sicurezza alimentare, l'agricoltura e l'allevamento, la produzione da acquacoltura e la silvicoltura sostenibili e più generalmente le sfide collegate ala bioeconomia sono di natura globale ed europea. Azioni a livello unionale sono essenziali per riunire i gruppi necessari a conseguire l'ampiezza e la massa critica necessarie per integrare gli sforzi effettuati da un unico Stato membro o da gruppi di Stati membri. Un approccio multilaterale garantirà la necessaria interazione, fonte di arricchimento reciproco, tra ricercatori, imprese, agricoltori/produttori, consulenti e utilizzatori finali. Il livello unionale è altresì necessario al fine di assicurare la coerenza tra i settori nell'affrontare tale sfida e con forti collegamenti con le politiche dell'Unione. Il coordinamento della ricerca e dell'innovazione a livello unionale consentirà di stimolare e aiutare ad accelerare i cambiamenti necessari in tutta l'Unione.La ricerca e l'innovazione si interfacceranno con un ampio spettro di politiche dell'Unione e i relativi obiettivi e assisteranno all'elaborazione degli stessi, compresa la politica agricola comune (in particolare la politica di sviluppo rurale, le iniziative di programmazione congiunta tra cui ""Agricoltura, sicurezza alimentare e cambiamenti climatici"", ""Un'alimentazione sana per una vita sana"" e ""Mari e oceani sani e produttivi"") e il partenariato europeo per l'innovazione ""Produttività e sostenibilità in campo agricolo"", il partenariato europeo per l'innovazione in materia di risorse idriche, la politica comune della pesca, la politica marittima integrata, il programma europeo per il cambiamento climatico, la direttiva quadro sulle acque, la direttiva quadro sulla strategia per l'ambiente marino, il piano d'azione UE sulla silvicoltura, la strategia tematica per la protezione del suolo, la strategia dell'Unione per il 2020 per la diversità biologica, il piano strategico europeo per le tecnologie energetiche, la politica per l'innovazione e la politica industriale dell'Unione, la politica esterna e le politiche di aiuto allo sviluppo, le strategie fitosanitarie e in materia di sanità e benessere degli animali e i quadri normativi mirati a proteggere l'ambiente, la salute e la sicurezza, a promuovere l'efficienza sotto il profilo delle risorse e l'azione per il clima e a ridurre i rifiuti. Una migliore integrazione del ciclo completo dalla ricerca di base all'innovazione nelle pertinenti politiche dell'Unione migliorerà in maniera significativa il valore aggiunto dell'Unione, fornirà gli effetti di leva, incrementerà l'interesse della società, fornirà prodotti alimentari sani e contribuirà a sviluppare ulteriormente una gestione sostenibile dei suoli, dei mari e degli oceani e i mercati bioeconomici.Al fine di sostenere le politiche dell'Unione connesse alla bioeconomia e agevolare la governance e il controllo della ricerca e dell'innovazione, saranno realizzate attività di ricerca socioeconomica e orientate al futuro in relazione alla strategia bioeconomica, compreso lo sviluppo di indicatori, di basi di dati, di modelli, di stima e previsione, nonché una valutazione dell'impatto delle iniziative sull'economia, la società e l'ambiente.Le azioni motivate dalle sfide incentrate sui benefici sociali, economici e ambientali e sulla modernizzazione dei settori e dei mercati associati in ambito bioeconomico sono sostenute attraverso una ricerca multidisciplinare, che induce all'innovazione e allo sviluppo di strategie, prassi, prodotti sostenibili e processi nuovi. Essa persegue altresì un approccio di ampio respiro all'innovazione tecnologica, non tecnologica, organizzativa, economica e sociale, ad esempio per le modalità di trasferimento tecnologico, nuovi modelli d'impresa, marchi e servizi. Occorre riconoscere il potenziale degli agricoltori e delle PMI in termini di contributo all'innovazione. L'approccio alla bioeconomia tiene conto dell'importanza delle conoscenze locali e della diversità.

Le grandi linee delle attività

(a) Agricoltura e silvicoltura sostenibili

La finalità è fornire prodotti alimentari, mangimi, biomassa e altre materie prime in quantità sufficienti, tutelando le risorse naturali quali l'acqua, il suolo e la biodiversità in una prospettiva europea e globale, e promuovendo servizi ecosistemici, anche per affrontare e attenuare il cambiamento climatico. Le attività si concentrano sull'aumento della qualità e del valore dei prodotti agricoli attraverso il conseguimento di un'agricoltura più sostenibile e produttiva, compresi il settore zootecnico e i sistemi forestali, che siano diversificati, resilienti e basati su un uso efficiente delle risorse (in termini di basse emissioni di carbonio e bassi apporti esterni e acqua), che proteggano le risorse naturali, producano meno residui e siano in grado di adeguarsi alle trasformazioni dell'ambiente. Le attività si concentrano inoltre sullo sviluppo di servizi, idee e politiche per fare prosperare i mezzi di sussistenza della popolazione rurale e promuovere il consumo sostenibile.In particolare per quanto riguarda la silvicoltura, l'obiettivo è quello di produrre in modo sostenibile biomassa e prodotti biologici e di fornire servizi ecosistemici, tenendo nella dovuta considerazione gli aspetti economici, ecologici e sociali della silvicoltura. Le attività si concentreranno sullo sviluppo ulteriore della produzione e della sostenibilità di sistemi forestali efficienti sotto il profilo delle risorse e funzionali al rafforzamento della resilienza delle foreste e della protezione della biodiversità, nonché in grado di soddisfare la crescente domanda di biomassa.Saranno considerati altresì l'interazione tra piante funzionali e salute e benessere, e lo sfruttamento dell'orticoltura e della silvicoltura per lo sviluppo del rinverdimento urbano.

(b) Un settore agroalimentare sostenibile e competitivo per un'alimentazione sicura e sana

L'obiettivo è soddisfare le esigenze dei cittadini e dell'ambiente in merito a prodotti alimentari sicuri, sani e a prezzi accessibili, e rendere la trasformazione, la distribuzione e il consumo dei prodotti alimentari e dei mangimi più sostenibili e più competitivo il settore alimentare, tenendo conto nel contempo della componente culturale della qualità alimentare. Le attività si concentrano su prodotti alimentari sani e sicuri per tutti, sulle scelte informate dei consumatori, su soluzioni e innovazioni alimentari per migliorare la salute e su metodi di trasformazione alimentare concorrenziali che utilizzano meno risorse e additivi e producono meno rifiuti, sottoprodotti e gas a effetto serra.

(c) Liberare il potenziale delle risorse biologiche acquatiche

L'obiettivo è quello di gestire, sfruttare in modo sostenibile e mantenere le risorse acquatiche viventi al fine di massimizzare il rendimento e i vantaggi sociali ed economici degli oceani, dei mari e delle acque interne d'Europa, proteggendo nel contempo la biodiversità. Le attività si concentrano su un contributo ottimale per garantire l'approvvigionamento alimentare mediante lo sviluppo di una pesca sostenibile e rispettosa dell'ambiente, sulla gestione sostenibile di ecosistemi che forniscono beni e servizi e su una acquacoltura europea concorrenziale e rispettosa dell'ambiente nel contesto dell'economia globale, nonché sulla promozione dell'innovazione marina e marittima attraverso le biotecnologie per stimolare la crescita ""blu"" intelligente.

(d) Bioindustrie sostenibili e competitive e sostegno allo sviluppo di una bioeconomia europea

L'obiettivo è la promozione delle bioindustrie europee a basse emissioni di carbonio, efficienti sotto il profilo delle risorse, sostenibili e competitive. Le attività si concentrano sulla promozione della bioeconomia basata sulla conoscenza mediante la trasformazione dei processi e dei prodotti industriali convenzionali in prodotti e processi biologici efficienti sotto il profilo delle risorse e dell'energia, lo sviluppo di bioraffinerie integrate di seconda generazione o di generazioni successive, l'ottimizzazione dell'uso di biomassa derivata dalla produzione primaria, compresi residui, rifiuti biologici e sottoprodotti biologici industriali e l'apertura di nuovi mercati attraverso il sostegno alla standardizzazione e ai sistemi di certificazione, nonché alle attività di regolamentazione e dimostrative/sperimentali e altri, tenendo conto delle conseguenze della bioeconomia sull'utilizzazione del terreno e sulle modifiche di destinazione del terreno, nonché delle opinioni e delle preoccupazioni della società civile.

(e) Ricerca marina e marittima trasversale

L'obiettivo è quello di aumentare l'impatto dei mari e degli oceani dell'Unione sulla società e sulla crescita economica attraverso lo sviluppo sostenibile delle risorse marine, l'uso delle varie fonti di energia marina e la grande varietà di utilizzazioni differenti del mare.Le attività sono incentrate su sfide scientifiche e tecnologiche trasversali nei settori marino e marittimo allo scopo di sbloccare il potenziale dei mari e degli oceani in tutto l'insieme delle industrie marine e marittime, proteggendo nel contempo l'ambiente e operando un adeguamento al cambiamento climatico. Un approccio strategico coordinato alla ricerca marina e marittima nell'ambito dell'insieme delle sfide e delle priorità di Orizzonte 2020 sosterrà inoltre l'attuazione delle pertinenti politiche dell'Unione al fine di contribuire al raggiungimento degli obiettivi chiave per la ""crescita blu"".";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:44:33";"664281" +"H2020-EU.3.1.";"fr";"H2020-EU.3.1.";"";"";"DÉFIS DE SOCIÉTÉ - Santé, évolution démographique et bien-être";"Health";"

DÉFIS DE SOCIÉTÉ - Santé, évolution démographique et bien-être

Objectif spécifique

L'objectif spécifique est d'améliorer la santé et le bien-être de tous tout au long de la vie.La santé et le bien-être de tous tout au long de la vie - enfants, adultes et personnes âgées -, des systèmes de santé et de soins de santé économiquement viables, novateurs et de qualité, intégrés dans des systèmes de sécurité sociale, et des débouchés en matière de création d'emplois et de croissance: tels sont les objectifs du soutien apporté à la recherche et à l'innovation en vue de relever ce défi, et ils représentent une composante majeure de la stratégie Europe 2020.Les coûts des systèmes de santé et d'aide sociale augmentent au sein de l'Union: les politiques de soins de santé et de prévention à tous les âges coûtent de plus en plus cher. Le nombre d'Européens âgés de plus de 65 ans devrait presque doubler, passant de 85 millions en 2008 à 151 millions d'ici 2060, et le nombre d'Européens de plus de 80 ans devrait passer de 22 millions à 61 millions sur la même période. L'une des solutions pour réduire ou maîtriser ces coûts afin qu'ils ne deviennent pas impossibles à financer est d'améliorer la santé et le bien-être de tous tout au long de la vie et, donc, de permettre une prévention, un traitement et une gestion efficaces des maladies et des handicaps.Les maladies chroniques sont des causes majeures d'incapacité, de problèmes de santé, de retraite pour cause de maladie ainsi que de décès prématuré, et représentent un coût économique et social considérable.Au sein de l'Union, les maladies cardiovasculaires font chaque année plus de 2 millions de morts et représentent un coût de plus de 192 milliards d'EUR pour l'économie, tandis que le cancer compte pour un quart du nombre de décès et est la première cause de mortalité chez les 45-64 ans. Au sein de l'Union, plus de 27 millions de personnes souffrent de diabète et plus de 120 millions de maladies rhumatismales et musculo-squelettiques. Les maladies rares demeurent un défi majeur, puisqu'elles affectent environ 30 millions de personnes à travers l'Europe. Le coût total des troubles cérébraux (y compris, à titre non exclusif, les troubles de la santé mentale, dont la dépression) a été estimé à 800 milliards d'EUR. Selon les estimations, les troubles de la santé mentale toucheraient à eux seuls 165 millions de personnes dans l'Union, pour un coût de 118 milliards d'EUR. Ces montants sont appelés à connaître une progression spectaculaire, essentiellement du fait du vieillissement de la population européenne et de l'augmentation qui en découle des cas de maladies neurodégénératives. Des facteurs relatifs à l'environnement, au travail, au mode de vie et aux conditions socio-économiques jouent un rôle dans plusieurs de ces troubles: jusqu'à un tiers de la charge de morbidité à l'échelle mondiale pourrait y être lié.Les maladies infectieuses (telles que le VIH/sida, la tuberculose et le paludisme) sont une source de préoccupation dans le monde entier. Elles représentent 41 % du 1,5 milliard d'années de vie corrigées d'incapacité dans le monde, dont 8 % concernent l'Europe. Les maladies liées à la pauvreté et négligées sont également une source de préoccupation au niveau mondial. En outre, il y a lieu de se préparer à faire face aux épidémies émergentes, aux maladies infectieuses résurgentes (y compris les maladies liées à l'eau) et à la menace que constitue la résistance croissante aux médicaments antimicrobiens. Il faudrait prendre en considération les risques accrus d'épizooties.Parallèlement, les processus de développement de médicaments et de vaccins voient leur coût augmenter et leur efficacité diminuer. Les efforts déployés pour faciliter la mise au point de médicaments et de vaccins passent notamment par des méthodes de remplacement des essais classiques de sécurité et d'efficacité. Il convient de mettre un terme aux inégalités persistantes en matière de santé, de répondre aux besoins de groupes particuliers de la population (par exemple les personnes souffrant d'une maladie rare) et de garantir l'accès de tous les Européens à des systèmes de santé et de soins efficaces et performants, indépendamment de l'âge ou du milieu.D'autres facteurs tels que l'alimentation, l'activité physique, les ressources financières, l'intégration, la participation, le capital social et le travail ont également une influence sur la santé et le bien-être; il faut dès lors d'adopter une approche globale.En raison de l'allongement de l'espérance de vie, la pyramide des âges et la structure démographique vont changer en Europe. C'est pourquoi la recherche en faveur de la santé tout au long de la vie, du vieillissement actif et du bien-être pour tous formera la pierre angulaire de l'adaptation réussie des sociétés aux changements démographiques.

Justification et valeur ajoutée de l'Union

La maladie et le handicap ne s'arrêtent pas aux frontières nationales. Un effort approprié au niveau européen sur le plan de la recherche, du développement et de l'innovation, en coopération avec les pays tiers et avec la participation de toutes les parties prenantes, y compris les patients et les utilisateurs finaux, peut, et devrait, contribuer de manière décisive à relever ces défis mondiaux, en facilitant ainsi la réalisation des objectifs du Millénaire pour le développement des Nations unies, garantir à chacun le bien-être et une meilleure santé et donner à l'Europe un rôle de premier plan sur les marchés mondiaux en rapide expansion pour ce qui est des innovations liées à la santé et au bien-être.La réponse nécessite une recherche d'excellence, afin de renforcer notre compréhension fondamentale des facteurs déterminants de la santé, de la maladie, du handicap, des conditions de travail saines, du développement et du vieillissement (y compris l'espérance de vie), ainsi qu'une traduction cohérente et généralisée des connaissances actuelles et des connaissances résultant de ces activités de recherche en produits, stratégies, interventions et services innovants, modulables, efficaces, accessibles et sûrs. La réalité de ces défis dans toute l'Europe et, souvent, dans le monde entier exige une réaction caractérisée par un appui coordonné et à long terme à la coopération entre équipes d'excellence, pluridisciplinaires et multisectorielles. Il faut en outre relever ce défi du point de vue des sciences économiques, sociales et humaines.La complexité du défi et l'interdépendance de ses composantes exigent elles aussi une réaction à l'échelle européenne. Nombre d'approches, d'outils et de technologies sont applicables à de nombreux domaines de recherche et d'innovation couverts par ce défi et sont soutenus de manière optimale au niveau européen. Ainsi en est-il, par exemple, de la compréhension de la base moléculaire des maladies, de la détermination des stratégies thérapeutiques innovantes et des systèmes modèles novateurs, de l'application pluridisciplinaire des connaissances en physique, en chimie et en biologie des systèmes, de l'établissement de cohortes sur une longue durée et de la conduite d'essais cliniques (notamment axés sur le développement et les effets des médicaments dans tous les groupes d'âge), de l'utilisation clinique des technologies en «-omique», des systèmes de biomédecine et du développement des TIC et de leurs applications dans le domaine des soins de santé, et notamment de la santé en ligne. Les exigences de certaines populations sont également mieux prises en considération lorsqu'elles sont traitées de manière intégrée, par exemple dans le cadre du développement de la médecine stratifiée et/ou personnalisée, du traitement des maladies rares ou de la fourniture de solutions en matière de vie indépendante et assistée.Pour assurer un impact maximal aux actions menées au niveau de l'Union, tout l'éventail des activités de recherche, de développement et d'innovation sera soutenu, de la recherche fondamentale aux nouvelles thérapies, essais à grande échelle, actions pilotes et de démonstration, en passant par la mise en application des connaissances sur les maladies, en mobilisant des investissements privés, aux achats publics et aux achats avant commercialisation pour les nouveaux produits, services et solutions modulables, au besoin interchangeables et soutenus par des normes précises et/ou des lignes directrices communes. Cette démarche européenne coordonnée renforcera les moyens scientifiques donnés à la recherche dans le domaine de la santé et contribuera au développement continu de l'Espace européen de la recherche. Elle interagira par ailleurs, selon les besoins, avec les activités élaborées dans le cadre du programme «Santé en faveur de la croissance», des initiatives de programmation conjointe, notamment «La recherche sur les maladies neurodégénératives», «Une alimentation saine pour une vie saine», «La résistance aux antimicrobiens» et «Vivre plus longtemps et mieux», et du partenariat d'innovation européen pour un vieillissement actif et en bonne santé.Le groupe scientifique pour la santé constituera une plateforme pour les parties prenantes axée sur la science et chargée d'apporter une contribution scientifique pour ce défi de société. Il fournira une analyse scientifique ciblée et cohérente portant sur les goulets d'étranglement dans le domaine de la recherche et de l'innovation et sur les perspectives offertes dans le cadre de ce défi de société, contribuera à définir les priorités correspondantes en matière de recherche et d'innovation, et encouragera la communauté scientifique de l'Union à participer à ces activités. Grâce à une coopération active avec les parties prenantes, le groupe contribuera à renforcer les capacités et à encourager le partage des connaissances ainsi qu'une collaboration plus étroite dans toute l'Union dans ce domaine.

Grandes lignes des activités

La promotion efficace de la santé, appuyée sur une solide base d'éléments factuels, permet de prévenir les maladies et contribue au bien-être, avec un bon rapport coût-efficacité. La promotion de la santé, du vieillissement actif, du bien-être et de la prévention des maladies dépend également d'une bonne compréhension des déterminants de la santé, d'outils de prévention efficaces, d'une surveillance et d'une préparation sanitaires effectives et de programmes de dépistage efficaces. Une promotion efficace de la santé est aussi facilitée par une meilleure information des citoyens, qui encourage les choix de santé responsables.La réussite des efforts visant à prévenir, détecter rapidement, gérer, traiter et guérir les maladies, les handicaps, les fragilités et les limitations fonctionnelles s'appuie sur une compréhension fondamentale des déterminants, des causes, des processus et des impacts en jeu, ainsi que des facteurs qui sous-tendent la santé et le bien-être. Pour mieux comprendre la santé et les pathologies, il faudra établir des liens étroits entre les volets fondamentaux, cliniques, épidémiologiques et socio-économiques de la recherche. Un partage efficace des données, leur traitement harmonisé et leur mise en relation avec des études portant sur des cohortes à grande échelle sont également essentiels, tout comme l'application clinique des résultats de la recherche, en particulier par la conduite d'essais cliniques, qui devraient porter sur tous les groupes d'âge afin de garantir que les médicaments sont adaptés à leur utilisation.La réapparition d'anciennes maladies infectieuses, y compris la tuberculose, et la prévalence accrue de maladies à prévention vaccinale démontrent également la nécessité d'une approche globale des maladies liées à la pauvreté et négligées. Dans le même ordre d'idées, le problème croissant de la résistance aux médicaments antimicrobiens exige une approche globale similaire.La médecine personnalisée devrait être développée afin d'adapter les approches préventives et thérapeutiques aux besoins du patient et elle doit s'appuyer sur la détection précoce des maladies. L'adaptation aux nouvelles exigences à l'égard des secteurs de la santé et des soins liées au vieillissement de la population constitue un défi de société. Pour maintenir des soins de santé efficaces à tout âge, des efforts s'imposent en vue d'améliorer le processus décisionnel régissant les activités préventives et thérapeutiques, de répertorier les meilleures pratiques dans le secteur des soins de santé, de soutenir leur diffusion et de faciliter l'intégration des soins. Une meilleure compréhension du processus de vieillissement et la prévention des maladies liées à la vieillesse sont les conditions de base qui permettront aux Européens de rester en bonne santé et actifs tout au long de leur vie. Tout aussi importante est l'adoption à grande échelle des innovations technologiques, organisationnelles et sociales qui permettent aux personnes âgées, aux personnes atteintes de maladies chroniques et aux personnes handicapées, en particulier, de rester actives et indépendantes. De telles mesures contribueront à augmenter leur bien-être physique, social et mental et à en prolonger la durée.Toutes ces activités sont menées de manière à apporter un soutien tout au long du cycle de la recherche et de l'innovation, en renforçant la compétitivité des entreprises européennes et le développement de nouveaux débouchés. L'accent sera également mis sur l'implication de toutes les parties prenantes dans le domaine de la santé – y compris les patients, les associations de patients, et les prestataires de soins de santé – afin d'établir un programme de recherche et d'innovation qui associe activement les citoyens et reflète leurs besoins et leurs attentes.Les activités spécifiques visent notamment à: comprendre les déterminants de la santé (y compris l'alimentation, l'activité physique et le genre, ainsi que l'environnement, les facteurs socio-économiques, professionnels et climatiques) et améliorer la promotion de la santé et la prévention des maladies; comprendre les maladies et en améliorer le diagnostic et le pronostic; développer des programmes de prévention et de dépistage efficaces et améliorer l'évaluation de la prédisposition aux maladies; améliorer la surveillance des maladies infectieuses et la préparation en vue de lutter contre les épidémies et les maladies émergentes; développer de nouveaux et meilleurs vaccins et médicaments préventifs et thérapeutiques; recourir à la médecine in silico pour améliorer la gestion et la prévision des maladies; développer la médecine régénératrice et les traitements adaptés, et le traitement des maladies, y compris la médecine palliative; transférer les connaissances dans la pratique clinique et dans des actions d'innovation évolutives; améliorer l'information en matière de santé et mieux collecter et utiliser les données sanitaires, relatives aux cohortes et administratives; harmoniser les techniques d'analyse des données; aborder le vieillissement actif, et la vie indépendante et assistée; favoriser la sensibilisation et l'autonomie individuelles menant à l'autogestion de la santé; promouvoir les soins intégrés, y compris les aspects psychosociaux; améliorer les outils et méthodes scientifiques en soutien à l'élaboration des politiques et aux besoins en matière de réglementation; optimiser l'efficacité et l'efficience de la fourniture de soins de santé; et réduire les inégalités et les disparités en matière de santé par des décisions fondées sur des éléments factuels, par la diffusion des meilleures pratiques et par des technologies et approches innovantes. La participation active des prestataires de soins de santé doit être encouragée afin de garantir l'assimilation et la mise en œuvre rapides des résultats.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:43:12";"664237" +"H2020-EU.2.1.5.2.";"de";"H2020-EU.2.1.5.2.";"";"";"Technologien für energieeffiziente Systeme und energieeffiziente und umweltverträgliche Gebäude";"Technologies enabling energy-efficient systems and buildings";"

Technologien für energieeffiziente Systeme und energieeffiziente und umweltverträgliche Gebäude

Reduzierung des Energieverbrauchs und der CO2-Emissionen durch Erforschung, Entwicklung und Einsatz nachhaltiger Bautechnologien und -systeme, Berücksichtigung der gesamten Wertschöpfungskette sowie Reduzierung der Umweltbelastung durch Gebäude.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:06";"664201" +"H2020-EU.3.1.";"pl";"H2020-EU.3.1.";"";"";"WYZWANIA SPOŁECZNE - Zdrowie, zmiany demograficzne i dobrostan";"Health";"

WYZWANIA SPOŁECZNE - Zdrowie, zmiany demograficzne i dobrostan

Cel szczegółowy

Celem szczegółowym jest poprawa zdrowia i dobrostanu wszystkich obywateli przez cały czas ich życia.Zapewnienie wszystkim obywatelom (dzieciom, dorosłym i ludziom starszym) przez cały czas ich życia zdrowia i dobrostanu, gospodarczo zrównoważonych i innowacyjnych systemów opieki zdrowotnej wysokiej jakości – jako elementu systemów zabezpieczenia społecznego – oraz umożliwienie tworzenia nowych miejsc pracy i wzrostu gospodarczego to cele przyświecające wspieraniu badań naukowych i innowacji w reakcji na to wyzwanie; wsparcie to będzie stanowić istotny wkład w realizację strategii „Europa 2020”.Koszty systemów opieki zdrowotnej i społecznej w Unii rosną wraz ze wzrostem kosztów środków w zakresie opieki i profilaktyki dla wszystkich kategorii wiekowych. Oczekuje się, że liczba Europejczyków w wieku ponad 65 lat niemal podwoi się z 85 mln w 2008 r. do 151 mln do 2060 r., a w wieku ponad 80 lat wzrośnie w tym samym okresie z 22 do 61 mln. Obniżenie tych kosztów lub utrzymanie ich na poziomie możliwym do opanowania jest częściowo uzależnione od tego, czy nastąpi poprawa zdrowia i dobrostanu wszystkich obywateli przez całe ich życie, a co za tym idzie – od skutecznego zapobiegania chorobom i niepełnosprawności, ich leczenia i postępowania z nimi.Choroby i schorzenia przewlekłe stanowią główną przyczynę niepełnosprawności, złej kondycji zdrowotnej, przechodzenia na rentę, a także przedwczesnej śmierci; wiążą się też z nimi duże koszty społeczne i gospodarcze.W Unii choroby układu krążenia co roku prowadzą do ponad 2 mln zgonów i kosztują gospodarkę ponad 192 mld EUR, natomiast rak powoduje jedną czwartą zgonów i jest główną przyczyną śmierci osób w wieku od 45 do 64 lat. Ponad 27 mln osób w Unii cierpi na cukrzycę, a ponad 120 mln na choroby reumatyczne i schorzenia układu mięśniowo-szkieletowego. Poważne wyzwanie stanowią choroby rzadkie, na które w całej Europie cierpi ok. 30 mln ludzi. Całkowity koszt schorzeń mózgu (w tym m.in. wpływających na zdrowie psychiczne, takich jak depresja) szacuje się na 800 mld EUR. Same tylko zaburzenia psychiczne dotykają według szacunków 165 mln osób w Unii, co generuje koszty w wysokości 118 mld EUR. Oczekuje się, że liczby te będą gwałtownie rosły, w głównej mierze z powodu starzenia się społeczeństwa Europy i związanego z tym wzrostu zachorowań na choroby neurodegeneracyjne. W przypadku wielu spośród wymienionych schorzeń istotną rolę odgrywają czynniki środowiskowe, związane z pracą i stylem życia oraz czynniki społeczno-gospodarcze; szacuje się, że ma z nimi związek do jednej trzeciej globalnego obciążenia chorobami.Choroby zakaźne (np. HIV/AIDS, gruźlica i malaria) to problem globalny; odpowiadają one za utratę 41% spośród 1,5 mld lat życia skorygowanych niepełnosprawnością w skali świata, w tym za 8% w Europie. Problemem globalnym są także choroby związane z ubóstwem i choroby zaniedbane. Należy się również przygotować na pojawiające się epidemie, powracające choroby zakaźne (w tym choroby mające związek z wodą) i groźbę wzrostu oporności na środki przeciwdrobnoustrojowe. Należy wziąć pod uwagę zwiększone ryzyko chorób przenoszonych przez zwierzęta.Tymczasem procesy opracowania leków i szczepionek stają się coraz droższe i coraz mniej skuteczne. Dążenia do osiągnięcia większych postępów w tym zakresie polegają m.in. na stosowaniu alternatywnych metod, które mają zastąpić klasyczne próby bezpieczeństwa i skuteczności. Należy podjąć odpowiednie kroki w związku z utrzymującymi się nierównościami pod względem stanu zdrowia oraz potrzebami poszczególnych grup populacji (np. dotkniętych chorobami rzadkimi) oraz zapewnić wszystkim Europejczykom – niezależnie od ich wieku i środowiska – dostęp do systemów skutecznej i kompetentnej opieki zdrowotnej.Inne czynniki, takie jak odżywianie się, aktywność fizyczna, zamożność, integracja, zaangażowanie, kapitał społeczny i praca również mają wpływ na zdrowie i dobrostan, i konieczne jest przyjęcie podejścia całościowego.Ze względu na dłuższe średnie trwanie życia struktura wieku i ludności w Europie zmieni się. W związku z tym badania na rzecz zachowania zdrowia przez całe życie, aktywnego starzenia się i dobrostanu dla wszystkich będą fundamentem pomyślnego zaadaptowania się społeczeństw do zmian demograficznych.

Uzasadnienie i unijna wartość dodana

Choroby i niepełnosprawność nie zatrzymują się na granicach państw. Odpowiednie działania na szczeblu europejskim w zakresie badań, rozwoju i innowacji, prowadzone we współpracy z państwami trzecimi i z udziałem zainteresowanych stron, pacjentów i użytkowników końcowych, mogą i powinny wnieść zasadniczy wkład w sprostanie tym globalnym wyzwaniom, a tym samym pomóc w realizacji milenijnych celów rozwoju ONZ, zapewnić lepsze zdrowie i dobrostan wszystkim obywatelom oraz dać Europie pozycję lidera na szybko rosnących światowych rynkach innowacji w zakresie zdrowia i dobrostanu.Ta reakcja zależy od najwyższej jakości badań naukowych służących poprawie naszego fundamentalnego zrozumienia uwarunkowań zdrowia, choroby, niepełnosprawności, zdrowych warunków pracy, rozwoju i starzenia się (w tym średniego trwania życia), a także od spójnego i powszechnego wykorzystywania posiadanej i zdobywanej wiedzy w innowacyjnych, skalowalnych, skutecznych, dostępnych i bezpiecznych produktach, strategiach, interwencjach i usługach. Ponadto znaczenie tych wyzwań w całej Europie, a w wielu przypadkach także w skali globalnej, wymaga reakcji polegającej na długoterminowym i skoordynowanym wspieraniu współpracy wybitnych, multidyscyplinarnych i wielosektorowych zespołów. Konieczne jest także przeanalizowanie tego problemu z perspektywy nauk społeczno-gospodarczych i humanistycznych.Złożoność wyzwania i wzajemne powiązania między jego składnikami także wymagają reakcji na poziomie europejskim. Wiele podejść, narzędzi i technologii znajduje zastosowanie w różnych obszarach badań naukowych i innowacji związanych z tym wyzwaniem, a najskuteczniej wprowadzenie ich można wesprzeć na poziomie Unii. Dotyczy to zrozumienia molekularnej podstawy chorób, określenia innowacyjnych strategii terapeutycznych i nowatorskich systemów modelowych, multidyscyplinarnego zastosowania wiedzy z zakresu fizyki, chemii i biologii systemowej, opracowania długoterminowych kohort i prowadzenia badań klinicznych (w tym badań koncentrujących się na rozwoju i skutkach leków we wszystkich grupach wiekowych), klinicznego wykorzystania tzw. „omik”, biomedycyny systemowej oraz rozwoju ICT oraz ich praktycznego zastosowania w opiece zdrowotnej, zwłaszcza w zakresie e-zdrowia. Wymogi poszczególnych populacji najskuteczniej zaspokaja się również w sposób zintegrowany, np. w przypadku stratyfikowanych i/lub spersonalizowanych usług medycznych, leczenia rzadkich chorób oraz dostarczania rozwiązań z zastosowaniem nowoczesnych technologii w służbie osobom starszych i ułatwiających samodzielne życie.Maksymalizacja wpływu oddziaływania na poziomie Unii wymaga wsparcia pełnego zakresu działań w zakresie badań, rozwoju i innowacji od badań podstawowych naukowych poprzez wykorzystanie wiedzy o chorobach w nowych terapiach aż po wielkoskalowe próby, działania pilotażowe i demonstracyjne poprzez pozyskanie prywatnych inwestycji; na publiczne i przedkomercyjne zamówienia publiczne na nowe produkty, usługi oraz skalowalne rozwiązania, które są, w razie potrzeby, interoperacyjne, wspierane zdefiniowanymi normami i/lub wspólnymi wytycznymi. Taki skoordynowany europejski wysiłek zwiększy możliwości naukowe w zakresie badań w dziedzinie zdrowia oraz przyczyni się do bieżącego rozwoju EPB. W stosownych przypadkach będzie się on zazębiał z działaniami prowadzonymi w kontekście programu „Zdrowie na rzecz wzrostu”, inicjatywami w zakresie wspólnego programowania, takimi jak „Badania nad chorobami neurodegeneracyjnymi”, „Zdrowe odżywianie warunkiem zdrowego życia”, „Oporność na środki przeciwdrobnoustrojowe” i „Długie lata, lepsze życie”, oraz Europejskim partnerstwem na rzecz innowacji sprzyjającej aktywnemu starzeniu się w dobrym zdrowiu.Panel naukowy ds. zdrowia będzie forum naukowym dla zainteresowanych stron, przygotowującym opinie naukowe na temat przedmiotowego wyzwania społecznego. Panel będzie prowadził spójne, naukowe i skoncentrowane na konkretnych kwestiach analizy dotyczące trudności i możliwości, jakie w obszarze badań naukowych i innowacji wiążą się z tym wyzwaniem; będzie uczestniczył w określaniu własnych priorytetów w tym obszarze i zachęcał naukowców z całej Unii do udziału w jego pracach. Dzięki aktywnej współpracy z zainteresowanymi stronami panel pomoże budować potencjał i promować upowszechnianie wiedzy oraz ściślejszą, unijną współpracę w tej dziedzinie.

Ogólne kierunki działań

Skuteczna promocja zdrowia, oparta na solidnej bazie danych, zapobiega chorobom, przyczynia się do dobrostanu i jest racjonalna pod względem kosztów. Promocja zdrowia, aktywne starzenie się, dobrostan i zapobieganie chorobom zależą również od zrozumienia czynników warunkujących stan zdrowia, od skutecznych narzędzi zapobiegania, od efektywnego nadzoru nad zdrowiem i chorobami i gotowości oraz od skutecznych programów badań przesiewowych. Skuteczną promocję zdrowia ułatwia także lepsze informowanie obywateli, zachęcające do podejmowania odpowiedzialnych decyzji co do czynników warunkujących stan zdrowia.Udane działania w zakresie zapobiegania chorobom, niepełnosprawności, niedomaganiom i ograniczonej funkcjonalności, wczesnego ich wykrywania, postępowania z nimi, leczenia i terapii bazują na fundamentalnym zrozumieniu ich przyczyn, procesów i skutków, a także czynników sprzyjających zdrowiu i dobrostanowi. Lepsze zrozumienie zdrowia i chorób będzie wymagało ścisłych powiązań między badaniami podstawowymi, klinicznymi, epidemiologicznymi i społeczno-gospodarczymi. Skuteczna wymiana danych, znormalizowane przetwarzanie danych i powiązanie takich danych z prowadzonymi na dużą skalę badaniami kohortowymi również ma podstawowe znaczenie, tak samo jak korzystanie z wyników badań naukowych w praktyce klinicznej, w szczególności w ramach badań klinicznych; powinno to dotyczyć wszystkich grup wiekowych, dzięki czemu zapewni się dostosowanie leków do ich przeznaczenia.Nawrót dawnych chorób zakaźnych, w tym gruźlicy, oraz większa częstość występowania chorób, którym można zapobiegać dzięki szczepieniom jeszcze bardziej uwidaczniają konieczność przyjęcia kompleksowego podejścia do chorób zaniedbanych i związanych z ubóstwem. Podobnego kompleksowego podejścia wymaga także rosnący problem oporności na środki przeciwdrobnoustrojowe.Należy rozwijać spersonalizowane usługi medyczne w celu stworzenia nowych strategii prewencyjnych i terapeutycznych, które można dostosować do wymogów pacjentów; usługi te muszą być wsparte wczesnym wykryciem schorzenia. Wyzwaniem społecznym jest dostosowanie się do dodatkowych wymagań, przed którymi staje sektor ochrony zdrowia i sektor opieki w związku ze starzeniem się społeczeństwa. Dla skutecznego utrzymania odpowiedniego stanu zdrowia i opieki we wszystkich grupach wiekowych konieczne są działania na rzecz poprawy procesu podejmowania decyzji dotyczących zapobiegania i leczenia, określenie i wspieranie upowszechnienia najlepszych praktyk w sektorze ochrony zdrowia i sektorze opieki oraz wspieranie opieki zintegrowanej. Lepsze zrozumienie procesów starzenia się i zapobieganie chorobom związanym z wiekiem są podstawą zachowania przez obywateli Europy zdrowia i aktywności przez całe ich życie. Podobnie ważne jest powszechne wprowadzanie innowacji technologicznych, organizacyjnych i społecznych, umożliwiających w szczególności osobom starszym, osobom przewlekle chorym, a także niepełnosprawnym kontynuację aktywnego trybu życia i zachowanie niezależności. Przyczyni się to do poprawy ich dobrostanu fizycznego, społecznego i psychicznego oraz do wydłużenia czasu jego trwania.Wszystkie te działania mają być prowadzone w sposób zapewniający wsparcie w całym cyklu badań naukowych i innowacji, wzmacniający konkurencyjność przemysłu europejskiego i ułatwiający rozwój nowych możliwości rynkowych. Nacisk zostanie położony także na zaangażowanie wszystkich zainteresowanych stron z sektora ochrony zdrowia, w tym pacjentów i organizacji pacjentów oraz podmiotów świadczących opiekę zdrowotną, w celu rozwijania programu badań naukowych i innowacji, który będzie przewidywał czynny udział obywateli i odzwierciedlał ich potrzeby i oczekiwania.Wśród działań szczegółowych mają się znaleźć: poznanie czynników warunkujących stan zdrowia (w tym odżywiania się, aktywności fizycznej, związanych z problematyką płci oraz czynników środowiskowych, społeczno-gospodarczych, zawodowych oraz i związanych z klimatem); usprawnienie promocji zdrowia i lepsze zapobieganie chorobom; poznawanie chorób i udoskonalenie diagnostyki i prognostyki; rozwój skutecznych programów profilaktyki i badań przesiewowych oraz usprawnienie oceny podatności na choroby; poprawa sytuacji w zakresie nadzoru nad chorobami zakaźnymi i większa gotowość do zwalczania epidemii oraz nowo pojawiających się chorób; opracowanie nowych i skuteczniejszych szczepionek i leków o działaniu profilaktycznym i terapeutycznym; stosowanie leków in silico w celu usprawnienia postępowania z chorobami i ich przewidywania; rozwój medycyny regeneracyjnej oraz dostosowanych terapii i leczenia chorób, w tym medycyny paliatywnej; wykorzystanie wiedzy w praktyce klinicznej i skalowalne działania innowacyjne; podniesienie jakości informacji zdrowotnych oraz lepsze gromadzenie i wykorzystywanie danych kohortowych i administracyjnych dotyczących zdrowia; znormalizowane analizy danych i techniki; aktywne starzenie się oraz stosowanie nowoczesnych technologii w służbie osobom starszym i ułatwiających niezależne życie; upodmiotowienie i uświadomienie jednostki co do samodzielnego dbania o stan zdrowia; promowanie zintegrowanej opieki z uwzględnieniem aspektów psychospołecznych; ulepszenie narzędzi i metod naukowych w celu wsparcia procesu kształtowania polityki i potrzeb regulacyjnych; optymalizacja wydajności i skuteczności zapewniania opieki zdrowotnej i zmniejszenie rozbieżności i nierówności pod względem zdrowia poprzez podejmowanie decyzji w oparciu o dane i upowszechnianie najlepszych praktyk, a także poprzez innowacyjne technologie i podejścia. Należy zachęcać do aktywnego udziału w tych działaniach podmioty świadczące opiekę zdrowotną, aby zagwarantować szybkie upowszechnienie i wdrażanie wyników.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:43:12";"664237" +"H2020-EU.3.1.";"it";"H2020-EU.3.1.";"";"";"SFIDE PER LA SOCIETÀ - Salute, evoluzione demografica e benessere";"Health";"

SFIDE PER LA SOCIETÀ - Salute, evoluzione demografica e benessere

Obiettivo specifico

L'obiettivo specifico consiste nel migliorare la salute e il benessere lungo tutto l'arco della vita di tutti.La salute e il benessere per tutta la durata della vita per tutti, bambini, adulti e anziani, sistemi sanitari e assistenziali di alta qualità, economicamente sostenibili e innovativi nel quadro dei sistemi di welfare, nonché opportunità di nuovi posti di lavoro e di crescita costituiscono gli obiettivi del sostegno fornito alla ricerca e all'innovazione per rispondere a questa sfida e rappresenteranno un contributo importante alla strategia Europa 2020.Il costo dei sistemi sanitari e di assistenza sociale dell'Unione aumenta poiché le misure di cura e prevenzione per tutte le fasce di età sono sempre più costose. Il numero di europei ultrasessantacinquenni dovrebbe quasi raddoppiare, dagli 85 milioni del 2008 a 151 milioni entro il 2060 e il numero degli ultraottantenni dovrebbe passare da 22 a 61 milioni nello stesso periodo. Ridurre o contenere tali costi affinché non diventino insostenibili dipende in parte dal migliorare la salute e il benessere lungo tutto l'arco della vita di tutti, e quindi da una prevenzione, una gestione e un trattamento efficaci delle malattie e della disabilità.Condizioni e malattie croniche sono fra le principali cause di disabilità, cattivo stato di salute, pensionamento per motivi di salute e morte precoce, e presentano notevoli costi economici e sociali.Nell'Unione, le malattie cardiovascolari ogni anno provocano oltre 2 milioni di decessi e determinano costi economici pari a oltre 192 miliardi di EUR, mentre il cancro è causa di un quarto di tutti i decessi ed è la prima causa di morte per le persone nella fascia di età 45-64. Oltre 27 milioni di persone nell'Unione soffrono di diabete e oltre 120 milioni sono affette da malattie reumatiche e muscoloscheletriche. Le malattie rare continuano a rappresentare una sfida importante e colpiscono circa 30 milioni di persone in tutta Europa. Il costo totale dei disturbi cerebrali (compresi, ma non limitati a quelli che riguardano la salute mentale, tra cui la depressione) è stato stimato a 800 miliardi di EUR. Si stima che i disturbi mentali da soli colpiscano 165 milioni di persone nell'Unione, con un costo di 118 miliardi di EUR. Si prevede che queste cifre aumenteranno in modo significativo, soprattutto a causa dell'invecchiamento della popolazione in Europa e del relativo aumento delle malattie neurodegenerative. I fattori ambientali, professionali, socioeconomici e legati allo stile di vita hanno importanza in diverse di queste problematiche e si ritiene che fino a un terzo del carico globale di malattia sia collegato a questi elementi.Le malattie contagiose (ad esempio HIV/AIDS, tubercolosi e malaria) rappresentano un problema di livello mondiale, poiché costituiscono il 41 % dell'1,5 miliardi di anni di vita con disabilità a livello mondiale, l'8 % dei quali in Europa. Anche le patologie trascurate e legate alla povertà rappresentano una preoccupazione globale. Le nuove epidemie, le malattie infettive riemergenti (comprese le malattie legate all'acqua) e la minaccia di un aumento della resistenza antimicrobica sono inoltre un fattore cui si deve far fronte. È opportuno prendere in considerazione il maggior rischio di patologie veterinarie.Nel frattempo i processi di sviluppo di farmaci e vaccini diventano più costosi e meno efficaci. Tra gli sforzi volti a rafforzare i risultati positivi dello sviluppo di medicinali e vaccini si annoverano i metodi alternativi di sostituzione delle prove di sicurezza e di efficacia classiche. È necessario affrontare le persistenti disuguaglianze nel settore della salute e le esigenze di gruppi specifici di popolazione (ad es. quanti soffrono di malattie rare) e garantire l'accesso a sistemi sanitari e assistenziali efficaci e competenti per tutti gli europei a prescindere dall'età o dal contesto sociale.Anche altri fattori quali l'alimentazione, l'attività fisica, il benessere economico, l'integrazione, l'impegno, il capitale sociale e il lavoro incidono sulla salute e sul benessere; è pertanto necessario adottare un approccio olistico.A causa della speranza di vita più elevata, in Europa la struttura della popolazione, anche in relazione all'età, è destinata a cambiare. Pertanto la ricerca dedicata ad approfondire le questioni della salute lungo tutto l'arco della vita, dell'invecchiamento attivo e del benessere per tutti sarà fondamentale per adeguare con esito positivo la società al cambiamento demografico.

Motivazione e valore aggiunto dell'Unione

Le malattie e le disabilità non si fermano alle frontiere nazionali. Un adeguato sforzo in termini di ricerca, sviluppo e innovazione a livello europeo, in cooperazione con i paesi terzi e con il coinvolgimento di tutti i soggetti interessati, compresi i pazienti e gli utilizzatori finali, può e dovrebbe contribuire radicalmente ad affrontare tali sfide globali, operando così per il conseguimento degli obiettivi di sviluppo del Millennio delle Nazioni Unite, a offrire salute e benessere migliori per tutti e a fare dell'Europa un leader sui mercati globali in rapida espansione delle innovazioni nel settore della salute e del benessere.La risposta dipende dall'eccellenza nel campo della ricerca al fine di migliorare la nostra comprensione fondamentale dei determinanti della salute, della malattia, della disabilità, delle condizioni di lavoro salutari, dello sviluppo e dell'invecchiamento della popolazione, compresa l'aspettativa di vita, e dalla trasformazione continua e diffusa dei risultati e delle conoscenze esistenti in prodotti, strategie, interventi e servizi efficaci, scalabili, innovativi, accessibili e sicuri. Inoltre, la pertinenza di queste sfide in Europa e, in molti casi, a livello mondiale, richiede una risposta caratterizzata da un sostegno coordinato di lungo termine alla cooperazione tra eccellenti squadre multidisciplinari e multisettoriali. È inoltre necessario affrontare la sfida dalla prospettiva delle scienze sociali ed economiche e delle discipline umanistiche.Analogamente, la complessità del problema e l'interdipendenza delle sue componenti richiede un intervento di livello europeo. Numerosi approcci, strumenti e tecnologie sono applicabili in molti settori della ricerca e dell'innovazione pertinenti a questa sfida e sono sostenuti in modo migliore a livello di Unione. Fra questi si annoverano la comprensione della base molecolare della malattia, l'individuazione di strategie terapeutiche innovative e di nuovi sistemi modello, l'applicazione multidisciplinare delle conoscenze nell'ambito della fisica, della chimica e della biologia dei sistemi, lo sviluppo di coorti a lungo termine e lo svolgimento di prove cliniche (incentrate tra l'altro sugli sviluppi e gli effetti dei medicinali in tutte le fasce di età), l'uso clinico di ""-omiche"", la biomedicina dei sistemi e lo sviluppo delle TIC e le loro applicazioni nella pratica dell'assistenza sanitaria, segnatamente la sanità elettronica. Le esigenze di popolazioni specifiche sono affrontate meglio con modalità integrate, ad esempio nello sviluppo della medicina stratificata e/o personalizzata, nel trattamento delle malattie rare, nonché nel fornire soluzioni per un modo di vita assistito e indipendente.Al fine di massimizzare l'impatto delle azioni a livello unionale, sarà fornito un sostegno all'intera gamma delle attività di ricerca, sviluppo e innovazione, dalla ricerca di base attraverso la traduzione di conoscenze sulle malattie fino alle nuove terapie, alle grandi azioni pilota, di sperimentazione e di dimostrazione, mobilitando gli investimenti privati, agli appalti pubblici e agli appalti pre-commerciali per nuovi prodotti, servizi e soluzioni scalabili, se necessario interoperabili e sostenuti da norme e/o orientamenti comuni definiti. Questo sforzo coordinato di livello europeo migliorerà le capacità scientifiche nell'ambito della ricerca sanitaria e contribuirà allo sviluppo continuo del SER. Se del caso, al momento opportuno tale sforzo interagirà con le attività sviluppate nell'ambito del programma ""Salute per la crescita"", delle iniziative di programmazione congiunta, incluse ""Ricerca sulle malattie neurodegenerative"", ""Un'alimentazione sana per una vita sana"", ""Resistenza antimicrobica"" e ""Vivere di più, vivere meglio"" nonché del partenariato europeo per l'innovazione a favore dell'invecchiamento attivo e sano.Il comitato scientifico per la sanità sarà una piattaforma di soggetti interessati a guida scientifica che elaborerà il contributo scientifico riguardante tale sfida per la società. Fornirà un'analisi coerente incentrata sulla scienza delle strozzature e delle opportunità in materia di ricerca e innovazione relative a tale sfida per la società, contribuirà alla definizione delle sue priorità di ricerca e innovazione e incoraggerà la partecipazione scientifica a livello di Unione. Attraverso la cooperazione attiva con le parti interessate, contribuirà allo sviluppo di capacità e a sostenere la condivisione delle conoscenze e il rafforzamento della collaborazione nel settore in tutta l'Unione.

Le grandi linee delle attività

Una promozione efficace della salute, sostenuta da una solida base di dati, previene la malattia, contribuisce al benessere ed è efficiente in termini di costi. La promozione della salute, l'invecchiamento attivo, il benessere e la prevenzione delle malattie dipendono anche dalla comprensione dei determinanti sanitari, da strumenti di prevenzione efficaci, da un'efficace vigilanza e preparazione in materia di salute e malattie oltre che da efficaci programmi di screening. Un'efficace promozione della salute è agevolata altresì mediante la messa a disposizione di migliori informazioni presso i cittadini che incoraggino scelte responsabili in materia di salute.Il successo degli sforzi volti a prevenire, rilevare precocemente, gestire, trattare e curare le malattie, la disabilità, la fragilità e la funzionalità ridotta si fondano sulla comprensione fondamentale dei relativi determinanti e cause, dei processi e dell'impatto, nonché dei fattori alla base delle buone condizioni di salute e del benessere. Per comprendere meglio la salute e le malattie occorrerà una stretta connessione tra le ricerche fondamentali, cliniche, epidemiologiche e socioeconomiche. È inoltre essenziale un'efficace condivisione dei dati, un trattamento standardizzato dei dati e il collegamento di questi dati con studi di coorti su larga scala, così come traslare i risultati della ricerca nella prassi clinica, in particolare attraverso la realizzazione di sperimentazioni cliniche, che dovrebbero rivolgersi a tutte le fasce di età al fine di garantire che i medicinali siano adeguati al loro impiego.La ricomparsa di malattie infettive diffuse in passato, ad esempio la tubercolosi, e l'aumento dell'incidenza di malattie a prevenzione vaccinale sottolineano ulteriormente la necessità di un approccio globale per quanto riguarda le malattie trascurate e legate alla povertà. Allo stesso modo, il crescente problema della resistenza antimicrobica richiede un approccio globale analogo.È opportuno sviluppare la medicina personalizzata, che deve essere sostenuta dal rilevamento precoce della malattia, al fine di adattare gli approcci preventivi e terapeutici alle necessità del paziente. Una sfida per la società consiste nell'adeguarsi alle ulteriori necessità relative ai settori sanitari e assistenziali causate dall'invecchiamento della popolazione. Se si intende mantenere una sanità e un'assistenza efficaci per tutte le età, è necessario compiere sforzi per migliorare il processo decisionale in tema di offerta di prevenzione e di trattamento, al fine di individuare e sostenere la diffusione delle migliori pratiche nei settori della sanità e dell'assistenza e di supportare forme integrate di assistenza. Affinché i cittadini europei possano restare sani e attivi per tutto il corso della vita è fondamentale comprendere meglio i processi di invecchiamento e prevenire le patologie connesse all'età. Di analoga importanza è l'ampia diffusione delle innovazioni tecnologiche, organizzative e sociali che consentono di coinvolgere in particolare gli anziani, le persone con malattie croniche e i disabili affinché restino attivi e indipendenti. In questo modo si contribuirà ad aumentare il loro benessere fisico, sociale e mentale e a prolungarne la durata.È necessario che tutte queste attività siano svolte in modo da fornire un sostegno lungo tutto il ciclo della ricerca e dell'innovazione, rafforzando la competitività delle industrie europee e lo sviluppo di nuove opportunità di mercato. Si porrà inoltre l'accento sulla partecipazione di tutti i soggetti interessati, tra cui i pazienti e le loro organizzazioni e gli addetti del settore sanitario, al fine di elaborare un programma di ricerca e innovazione che coinvolga attivamente i cittadini e rifletta le loro esigenze e aspettative.Le attività specifiche comprendono: la comprensione dei determinanti sanitari (inclusi i fattori nutritivi, relativi all'attività fisica e di genere, e ambientali, socioeconomici, professionali e climatici), il miglioramento della promozione della salute e della prevenzione delle malattie, la comprensione della malattia e il miglioramento della diagnosi e della prognosi, lo sviluppo di efficaci programmi di screening e prevenzione e il miglioramento della valutazione della predisposizione alle malattie, il miglioramento della sorveglianza delle malattie infettive e della capacità di risposta nella lotta contro le epidemie e le malattie emergenti, lo sviluppo di nuovi e migliori vaccini e farmaci preventivi e terapeutici, il ricorso alla medicina in silico per migliorare la gestione e la previsione delle malattie e lo sviluppo della medicina rigenerativa e di cure adeguate e del trattamento delle malattie, compresa la medicina palliativa, il trasferimento delle conoscenze verso la pratica clinica e le azioni di innovazione scalabili, il miglioramento dell'informazione in materia di salute e una raccolta e un uso migliori dei dati sanitari amministrativi e di coorte, tecniche e analisi standardizzate dei dati, l'invecchiamento attivo, e la vita indipendente e assistita, la partecipazione attiva e la consapevolezza dei singoli nell'autogestione della salute, la promozione di forme integrate di assistenza, compresi gli aspetti psicosociali, il miglioramento degli strumenti e dei metodi scientifici a sostegno delle esigenze in materia di elaborazione delle politiche e di regolamentazione, l'ottimizzazione dell'efficienza ed efficacia delle prestazioni di assistenza sanitaria, nonché la riduzione delle disparità e disuguaglianze in materia di salute grazie a processi decisionali basati su elementi fattuali e alla diffusione delle migliori pratiche, nonché a tecnologie e approcci innovativi. La partecipazione attiva degli addetti del settore sanitario deve essere incoraggiata al fine di assicurare una rapida adozione e attuazione dei risultati.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:43:12";"664237" +"H2020-EU.3.5.4.";"fr";"H2020-EU.3.5.4.";"";"";"Garantir la transition vers une économie et une société «vertes» grâce à l'éco-innovation";"A green economy and society through eco-innovation";"

Garantir la transition vers une économie et une société «vertes» grâce à l'éco-innovation

L'objectif est de stimuler toutes les formes d'éco-innovation qui permettent une transition vers une économie verte. Les activités se fondent notamment sur celles menées dans le cadre du programme d'éco-innovation tout en les consolidant, et elles visent avant tout à renforcer les technologies, les procédés, les services et les produits éco-innovants, notamment à étudier les moyens de réduire les quantités de matières premières dans la production et la consommation, à surmonter les obstacles dans ce contexte, et à encourager leur adoption par le marché et leur reproduction, en accordant une attention particulière aux PME; à soutenir des politiques innovantes, des modèles économiques durables et des changements sociétaux; à mesurer et évaluer les progrès vers une économie verte; et à promouvoir une utilisation efficace des ressources grâce aux systèmes numériques.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:54";"664417" +"H2020-EU.3.5.4.";"es";"H2020-EU.3.5.4.";"";"";"Posibilitar la transición hacia una economía y una sociedad ""verdes"" a través de la ecoinnovación";"A green economy and society through eco-innovation";"

Posibilitar la transición hacia una economía y una sociedad ""verdes"" a través de la ecoinnovación

El objetivo es promover todas las formas de ecoinnovación que hagan posible la transición a una economía ecológica. Las actividades aprovecharán e impulsarán, entre otras, las emprendidas en el Programa de ecoinnovación y se centrarán en: reforzar las tecnologías, procesos, servicios y productos ecoinnovadores, incluida la exploración de modos de reducir las cantidades de materias primas en la producción y el consumo, y la superación de las barreras en este contexto, e impulsar su absorción por el mercado y su renovación, prestando especial atención a las PYME; apoyar los cambios sociales, los modelos económicos sostenibles y las políticas innovadoras; medir y evaluar los progresos hacia una economía ecológica; y fomentar la eficiencia en el mar de los recursos a través de sistemas digitales.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:54";"664417" +"H2020-EU.3.2.";"fr";"H2020-EU.3.2.";"";"";"DÉFIS DE SOCIÉTÉ - Sécurité alimentaire, agriculture et sylviculture durables, recherche marine, maritime et dans le domaine des eaux intérieures, et la bioéconomie";"Food, agriculture, forestry, marine research and bioeconomy";"

DÉFIS DE SOCIÉTÉ - Sécurité alimentaire, agriculture et sylviculture durables, recherche marine, maritime et dans le domaine des eaux intérieures, et la bioéconomie

Objectif spécifique

L'objectif spécifique est d'assurer des approvisionnements suffisants en aliments sûrs, sains et de qualité et en autres bioproduits, en développant des systèmes de production primaire productifs, durables et efficaces dans l'utilisation des ressources, et en promouvant les services écosystémiques associés ainsi que le rétablissement de la biodiversité, parallèlement à des chaînes d'approvisionnement, de traitement et de commercialisation compétitives et émettant peu de carbone. Une telle démarche accélérera la transition vers une bioéconomie européenne durable, en comblant l'écart entre l'émergence de nouvelles technologies et leur mise en œuvre.Au cours des décennies à venir, l'Europe sera confrontée à une concurrence croissante pour un accès à des ressources naturelles limitées, aux effets du changement climatique, notamment sur les systèmes de production primaire (agriculture, y compris élevage et horticulture, sylviculture, pêche et aquaculture), et à la nécessité d'assurer un approvisionnement alimentaire durable, sûr et fiable à la population européenne et à une population mondiale en augmentation. On estime que la production alimentaire mondiale devra augmenter de 70 % pour nourrir les 9 milliards d'habitants que comptera notre planète d'ici 2050. L'agriculture représente environ 10 % des émissions de gaz à effet de serre de l'Union et, si les émissions dues à l'agriculture diminuent en Europe, elles devraient, à l'échelle mondiale, enregistrer une hausse qui pourrait atteindre 20 % d'ici 2030. Qui plus est, l'Europe devra s'assurer un approvisionnement suffisant en matières premières, en énergie et en produits industriels générés de manière durable, dans un contexte de diminution des réserves d'énergies fossiles (la production de pétrole et de gaz liquide devrait chuter d'environ 60 % d'ici 2050), tout en maintenant sa compétitivité. Les biodéchets (qui représentent, selon les estimations, jusqu'à 138 millions de tonnes par an au sein de l'Union, dont jusqu'à 40 % sont mis en décharge) posent un problème considérable et génèrent des coûts colossaux, en dépit de leur forte valeur ajoutée potentielle.On estime par exemple à 30 % la part des aliments produits dans les pays développés qui finissent par être jetés. De profonds changements s'imposent pour réduire ce chiffre de 50 % d'ici 2030 au sein de l'Union. En outre, les frontières nationales n'empêchent aucunement l'entrée et la propagation des ravageurs et des maladies qui touchent les animaux et les végétaux, dont les zoonoses, et des agents pathogènes présents dans la chaîne alimentaire. Si des mesures de prévention efficaces à l'échelon national sont indispensables, une action au niveau de l'Union est essentielle pour garantir un contrôle optimal et assurer le bon fonctionnement du marché unique. Le défi est complexe, concerne une grande variété de secteurs interconnectés et exige une approche globale et systémique.Une quantité sans cesse croissante de ressources biologiques est nécessaire pour satisfaire la demande du marché en produits alimentaires sûrs et sains, en biomatériaux, en biocarburants et en bioproduits, qui vont des produits de consommation courante aux produits chimiques en vrac. Les capacités des écosystèmes terrestres et aquatiques nécessaires à leur production sont cependant limitées; leur utilisation fait l'objet de projets concurrents et, souvent, leur gestion n'est pas optimale, comme le montrent par exemple la baisse considérable de la teneur en carbone et de la fertilité de certains sols et l'épuisement des stocks de poissons. S'il est possible de développer les services écosystémiques fournis par les terres agricoles, les forêts, les eaux marines et les eaux douces en intégrant des objectifs agronomiques, environnementaux et sociaux dans une production et une consommation durables, ce potentiel reste sous-exploité.Le potentiel des ressources biologiques et des écosystèmes pourrait être utilisé de manière beaucoup plus durable, efficace et intégrée. Ainsi, le potentiel de l'agriculture en matière de biomasse, de la sylviculture et des flux de déchets d'origine agricole, aquatique, industrielle et urbaine pourrait être mieux exploité.Il est fondamentalement nécessaire d'assurer une transition vers une utilisation optimale et renouvelable des ressources biologiques et vers des systèmes durables de production primaire et de transformation, capables de produire davantage d'aliments, de fibres et autres bioproduits tout en limitant au maximum la consommation de ressources, l'impact environnemental et les émissions de gaz à effet de serre, en développant les services écosystémiques, en ne produisant pas de déchets et en répondant aux besoins de la société. L'objectif est de mettre en place des systèmes de production alimentaire qui consolident, renforcent et alimentent la base de ressources et qui permettent une production durable de richesse. Il importe de mieux cerner et d'améliorer la manière dont nous produisons, distribuons, commercialisons, consommons et réglementons les produits alimentaires. Pour réaliser cette transition, en Europe et au-delà, il est essentiel de lancer d'ambitieux programmes de recherche et d'innovation et d'en assurer l'interconnexion, ainsi que de nouer un dialogue permanent entre le monde politique, la société, les sphères économiques et les autres parties prenantes.

Justification et valeur ajoutée de l'Union

L'agriculture, la sylviculture, la pêche et l'aquaculture représentent, avec les bio-industries, les principaux secteurs à la base de la bioéconomie. Cette dernière représente un marché important et en expansion, d'une valeur estimée à plus de 2 000 milliards d'euros. En 2009, elle employait 20 millions de personnes au sein de l'Union, ce qui représente 9 % du total des emplois. Les investissements dans les activités de recherche et d'innovation au titre de ce défi de société permettront à l'Europe de devenir un acteur de premier plan sur les marchés concernés et contribueront à la réalisation des objectifs de la stratégie Europe 2020 et de ses initiatives phares «Une Union de l'innovation» et «Une Europe efficace dans l'utilisation des ressources».Une bioéconomie européenne pleinement opérationnelle, couvrant la production durable de ressources renouvelables issues des milieux terrestres, de la pêche et de l'aquaculture, leur transformation en produits alimentaires, en aliments pour animaux, en fibres, en bioproduits et en bioénergie, ainsi que les biens publics connexes, générera une forte valeur ajoutée de l'Union. Parallèlement aux fonctions afférentes au marché, la bioéconomie assure également un large éventail de fonctions liées à la production de biens publics, à la biodiversité et aux services écosystémiques. Gérée de manière durable, elle peut réduire l'empreinte environnementale de la production primaire et de la chaîne d'approvisionnement dans son ensemble. Elle peut en renforcer la compétitivité, accroître l'autonomie de l'Europe et fournir des emplois et des débouchés commerciaux essentiels pour contribuer au développement des zones rurales et des zones côtières. Les défis liés à la sécurité alimentaire, à l'agriculture, à l'élevage, à l'aquaculture et à la sylviculture durables et, globalement, à la bioéconomie sont d'envergure européenne et mondiale. Il est essentiel d'agir au niveau de l'Union pour constituer des pôles, en vue d'atteindre les dimensions et la masse critique nécessaires pour compléter les efforts réalisés par un seul État membre ou par des groupes d'États membres. Une approche fondée sur la participation d'une multitude d'acteurs permettra les indispensables interactions, sources d'enrichissement mutuel, entre les chercheurs, les entreprises, les agriculteurs/producteurs, les consultants et les utilisateurs finaux. Une action au niveau de l'Union s'impose par ailleurs pour que ce défi soit relevé de manière cohérente dans tous les secteurs, en veillant à établir des liens étroits avec les politiques concernées de l'Union. La coordination des activités de recherche et d'innovation au niveau européen promouvra et contribuera à accélérer les changements nécessaires dans l'ensemble de l'Union.Les activités de recherche et d'innovation recouperont un vaste éventail de politiques de l'Union et d'objectifs connexes, et en soutiendront l'élaboration, notamment la politique agricole commune (en particulier la politique de développement rural et les initiatives de programmation conjointe telles que «Agriculture, sécurité alimentaire et changement climatique», «Un régime sain pour une vie saine» et «Des mers et des océans sains et productifs») et le partenariat d'innovation européen «Productivité et développement durable de l'agriculture», le partenariat européen pour l'innovation concernant l'eau, la politique commune de la pêche, la politique maritime intégrée, le programme européen sur le changement climatique, la directive-cadre sur l'eau, la directive-cadre «Stratégie pour le milieu marin», le plan d'action sylvicole de l'Union, la stratégie thématique pour la protection des sols, la stratégie de l'Union en matière de biodiversité à l'horizon 2020, le plan stratégique pour les technologies énergétiques, les politiques industrielles et d'innovation de l'Union, les politiques extérieure et d'aide au développement, les stratégies phytosanitaires, les stratégies relatives à la santé et au bien-être des animaux, et les cadres réglementaires visant à préserver l'environnement, la santé et la sécurité, à soutenir une utilisation efficace des ressources et la lutte contre le changement climatique ainsi qu'à réduire la production de déchets. Une meilleure intégration de l'ensemble du cycle allant de la recherche fondamentale à l'innovation dans les politiques connexes de l'Union améliorera sensiblement leur valeur ajoutée européenne, produira des effets de levier, renforcera l'intérêt qu'elles présentent pour la société, permettra de fournir des produits alimentaires sains et contribuera à promouvoir la gestion durable des terres, des mers et des océans et les marchés relatifs à la bioéconomie.Afin de soutenir les politiques de l'Union liées à la bioéconomie et de faciliter la gestion et le suivi de la recherche et de l'innovation, des activités de recherche socio-économique et de prospective seront menées en lien avec la stratégie relative à la bioéconomie, comprenant notamment le développement d'indicateurs, de bases de données et de modèles, des travaux d'anticipation et de prévision, ainsi qu'une analyse de l'impact des initiatives sur l'économie, la société et l'environnement.Les actions axées sur les défis qui mettent l'accent sur les avantages socio-économiques et environnementaux, sur la modernisation des secteurs liés à la bioéconomie et sur les marchés sont soutenues au moyen d'activités de recherche pluridisciplinaires, qui favorisent l'innovation et conduisent au développement de stratégies, pratiques, produits durables et processus nouveaux. Ces activités portent sur l'innovation au sens large, couvrant aussi bien l'innovation technologique, non technologique, organisationnelle, économique et sociale que, par exemple, les modalités des transferts technologiques, modèles d'entreprise, stratégies de marque et services innovants. Il y a lieu de reconnaître le potentiel que représentent les agriculteurs et les PME en termes de contribution à l'innovation. L'approche de la bioéconomie tient compte de l'importance des connaissances locales et de la diversité.

Grandes lignes des activités

(a) Agriculture et sylviculture durables

L'objectif est de fournir en suffisance des aliments pour les hommes et les animaux, de la biomasse et d'autres matières premières tout en préservant les ressources naturelles, telles que l'eau, les sols et la biodiversité, dans une perspective européenne et mondiale, et en renforçant les services écosystémiques, notamment en s'efforçant de lutter contre le changement climatique et de l'atténuer. Les activités viseront à augmenter la qualité et la valeur des produits agricoles en mettant en œuvre une agriculture plus durable et plus productive, y compris des systèmes d'élevage et de sylviculture qui soient diversifiés, résistants et efficaces dans l'utilisation des ressources (en termes de faible émission de carbone, de faible apport extérieur et de consommation d'eau), protègent les ressources naturelles, produisent moins de déchets et puissent s'adapter à un environnement en transformation. Elles seront en outre axées sur le développement des services, des concepts et des politiques qui aideront les populations rurales à prospérer et elles viseront à favoriser une consommation compatible avec le développement durable.Dans le domaine de la sylviculture en particulier, l'objectif est de produire de la biomasse et des bioproduits et de fournir des services écosystémiques de façon durable, tout en tenant compte des aspects économiques, écologiques et sociaux de ce secteur. Les activités seront axées sur le développement de la production et de la durabilité de systèmes sylvicoles qui soient économes en ressources et de nature à renforcer la résilience des forêts ainsi que la protection de la biodiversité, et qui puissent répondre à la hausse de la demande de biomasse.En outre, on prendra en considération l'interaction entre les plantes fonctionnelles, d'une part, et la santé et le bien-être, d'autre part, ainsi que l'exploitation de l'horticulture et de la sylviculture pour le développement de la place du végétal dans les villes.

(b) Un secteur agro-alimentaire durable et compétitif pour une alimentation sûre et saine

L'objectif est de répondre aux demandes des citoyens, qui recherchent des aliments sûrs, sains et à prix abordable, ainsi qu'aux besoins environnementaux, de renforcer le caractère durable des activités de transformation, de distribution et de consommation des produits destinés à l'alimentation humaine et animale et d'accroître la compétitivité du secteur de l'alimentation tout en tenant compte des aspects culturels liés à la qualité des aliments. Les activités se concentrent sur la production d'aliments sûrs et sains pour tous, sur la possibilité pour les consommateurs de faire des choix éclairés, sur des solutions et des innovations diététiques permettant d'améliorer la santé, ainsi que sur le développement de méthodes de transformation des aliments compétitives, nécessitant moins de ressources et d'additifs et générant moins de sous-produits, de déchets et de gaz à effet de serre.

(c) Exploiter le potentiel des ressources aquatiques vivantes

L'objectif est de gérer, d'exploiter de manière durable et de préserver ces ressources de façon à maximiser les retombées et les bénéfices économiques et sociaux générés par les océans, les mers et les eaux intérieures de l'Europe tout en protégeant la biodiversité. Les activités se concentrent sur la meilleure façon de contribuer à la sécurité de l'approvisionnement en denrées alimentaires dans le contexte de l'économie mondiale, en développant une pêche durable et écologique, une gestion durable des écosystèmes fournissant des biens et des services ainsi qu'une aquaculture européenne compétitive et respectueuse de l'environnement, ainsi que sur la promotion de l'innovation marine et maritime grâce aux biotechnologies, en vue d'alimenter une croissance intelligente et «bleue».

(d) Des bio-industries durables et compétitives et une aide à la création d'une bioéconomie européenne

L'objectif est de promouvoir des bio-industries européennes à faibles émissions de carbone, qui soient économes en ressources, durables et compétitives. Les activités visent à promouvoir la bioéconomie basée sur la connaissance en transformant les processus et les produits industriels conventionnels en bioproduits économes en ressources et en énergie, en développant des bioraffineries intégrées de deuxième génération ou d'une génération ultérieure, en optimisant l'utilisation de la biomasse issue de la production primaire, y compris des résidus, des biodéchets et des sous-produits des bio-industries, et en assurant l'ouverture de nouveaux marchés en soutenant les systèmes de normalisation et de certification, ainsi que les activités de réglementation, de démonstration/d'essai en plein champ et autres, tout en prenant en considération les implications de la bioéconomie sur l'utilisation des sols et les changements en la matière, ainsi que les avis et préoccupations de la société civile.

(e) Recherche marine et maritime à caractère transversal

L'objectif est d'augmenter l'effet des mers et des océans de l'Union sur la société et la croissance économique grâce à l'exploitation durable des ressources marines ainsi qu'à l'utilisation des différentes sources d'énergie marine et aux très nombreux modes d'exploitation des mers.Les activités se concentrent sur les enjeux scientifiques et technologiques transversaux dans le domaine marin et maritime en vue de libérer le potentiel des mers et des océans pour tous les secteurs industriels marins et maritimes, tout en protégeant l'environnement et en veillant à l'adaptation au changement climatique. Une approche stratégique coordonnée pour la recherche marine et maritime à travers tous les défis et priorités d'Horizon 2020 soutiendra également la mise en œuvre des politiques concernées de l'Union afin de contribuer à atteindre les objectifs clés en matière de croissance bleue.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:44:33";"664281" +"H2020-EU.3.5.2.";"pl";"H2020-EU.3.5.2.";"";"";"Ochrona środowiska, zrównoważone gospodarowanie zasobami naturalnymi, wodą, bioróżnorodnością i ekosystemami";"Protection of the environment";"

Ochrona środowiska, zrównoważone gospodarowanie zasobami naturalnymi, wodą, bioróżnorodnością i ekosystemami

Celem jest dostarczenie wiedzy i narzędzi na potrzeby zarządzania i ochrony zasobów naturalnych zapewniający celem osiągnięcia trwałej równowagi między ograniczonymi zasobami a obecnymi i przyszłymi potrzebami społeczeństwa i gospodarki. Działania mają koncentrować się na: poszerzaniu wiedzy na temat bioróżnorodności i funkcjonowania ekosystemów, ich interakcji z systemami społecznymi i roli w zakresie zrównoważenia gospodarki i dobrostanu ludzi; opracowaniu zintegrowanych podejść do zrównoważonego zarządzania wyzwaniami związanymi z wodą oraz przejściu do zrównoważonego zarządzania zasobami wodnymi i usługami w tym zakresie, a także zapewnieniu wiedzy i narzędzi na potrzeby skutecznego procesu decyzyjnego i udziału społeczeństwa.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:20";"664399" +"H2020-EU.2.1.5.2.";"it";"H2020-EU.2.1.5.2.";"";"";"Tecnologie per sistemi efficienti sul piano energetico ed edifici con un basso impatto ambientale";"Technologies enabling energy-efficient systems and buildings";"

Tecnologie per sistemi efficienti sul piano energetico ed edifici con un basso impatto ambientale

Ridurre il consumo di energia e le emissioni di CO2 mediante la ricerca, lo sviluppo e la diffusione di tecnologie e sistemi di costruzione sostenibili, in grado di far fronte all'intera catena di valore, riducendo altresì l'incidenza globale degli edifici sull'ambiente.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:06";"664201" +"H2020-EU.1.4.";"pl";"H2020-EU.1.4.";"";"";"DOSKONAŁA BAZA NAUKOWA - Infrastruktura badawcza";"Research Infrastructures";"

DOSKONAŁA BAZA NAUKOWA - Infrastruktura badawcza

Cel szczegółowy

Celem szczegółowym jest zapewnienie Europie światowej klasy infrastruktury badawczej, dostępnej dla wszystkich naukowców w Europie i poza jej granicami, oraz pełne wykorzystanie jej potencjału w zakresie rozwoju nauki i innowacji.Infrastruktura badawcza to kluczowy czynnik warunkujący konkurencyjność Europy w pełnym przekroju dziedzin nauki, istotny również dla innowacji opartych na nauce. Badania naukowe w wielu obszarach nie są możliwe bez dostępu do superkomputerów, narzędzi analitycznych, źródeł promieniowania dla nowych materiałów, pomieszczeń czystych i zaawansowanej metrologii do badań nanotechnologicznych, specjalnie wyposażonych laboratoriów do badań biologicznych i medycznych, banków danych do badań genomicznych i badań z zakresu nauk społecznych, obserwatoriów i czujników do badań z zakresu nauk o Ziemi i środowisku, szybkich szerokopasmowych sieci do przesyłu danych itd. Infrastruktura badawcza jest konieczna do prowadzenia badań naukowych niezbędnych do rozwiązania wielkich wyzwań społecznych. Stymuluje ona współpracę ponad granicami i między dyscyplinami oraz tworzy spójną i otwartą przestrzeń europejską dla badań internetowych. Promuje mobilność ludzi i pomysłów, łączy najlepszych naukowców z Europy i świata oraz podnosi poziom edukacji naukowej. Pobudza naukowców i innowacyjne przedsiębiorstwa do rozwoju najnowocześniejszych technologii. W ten sposób wzmacnia innowacyjny europejski przemysł zaawansowanych technologii. Stymuluje najwyższą jakość w europejskich społecznościach badawczych i innowacyjnych oraz może służyć do prezentacji wybitnych osiągnięć naukowych szerszemu społeczeństwu.Jeśli Europa chce utrzymać światowy poziom prowadzonych u siebie badań naukowych, musi zapewnić – w oparciu o wspólnie uzgodnione kryteria – odpowiednią i stabilną podstawę budowy, utrzymania i eksploatacji infrastruktury badawczej. Wymaga to zasadniczej, skutecznej współpracy między instytucjami finansującymi na szczeblu Unii, krajowym i regionalnym; w tym celu ustanowione zostaną silne powiązania z polityką spójności pozwalające na zapewnienie synergii i spójnego podejścia.Ten cel szczegółowy jest związany z podstawowym założeniem inicjatywy przewodniej „Unia innowacji”, kładącej nacisk na zasadniczą rolę, jaką światowej klasy infrastruktura badawcza odgrywa w umożliwianiu przełomowych badań naukowych i innowacji. Inicjatywa podkreśla, że budowa i funkcjonowanie infrastruktury badawczej wymaga łączenia zasobów w skali całej Europy, a w niektórych przypadkach w skali globalnej. Także inicjatywa przewodnia „Europejska agenda cyfrowa” uwypukla potrzebę wzmocnienia europejskiej infrastruktury elektronicznej oraz znaczenie rozwijania klastrów innowacyjnych dla zapewnienia Europie przewagi w dziedzinie innowacji.

Uzasadnienie i unijna wartość dodana

Nowoczesna infrastruktura badawcza jest coraz bardziej złożona i kosztowna, często wymaga też integracji różnego wyposażenia, usług i źródeł danych oraz rozległej współpracy transnarodowej. Żaden kraj w pojedynkę nie dysponuje zasobami wystarczającymi do wsparcia całej potrzebnej mu infrastruktury badawczej. W ostatnich latach poczyniono znaczne postępy w wypracowywaniu europejskiego podejścia do infrastruktury badawczej, co przejawia się ciągłym rozwojem i realizacją planu działania Europejskiego Forum Strategii ds. Infrastruktur Badawczych (ESFRI)w odniesieniu do infrastruktury, integracją i otwarciem krajowych obiektów badawczych oraz rozwojem infrastruktury elektronicznej mającej podstawowe znaczenie dla otwartej cyfrowej EPB. Sieci infrastruktury badawczej w Europie wzmacniają jej zasoby ludzkie, zapewniając światowej klasy szkolenie dla nowego pokolenia naukowców i inżynierów oraz promując interdyscyplinarną współpracę. Wspierać się będzie synergię z działaniami „Maria Skłodowska-Curie”.Dalsza rozbudowa i powszechniejsze wykorzystywanie infrastruktury badawczej na szczeblu europejskim w istotnym stopniu przyczynią się do rozwoju EPB. Państwa członkowskie wprawdzie nadal mają podstawowe znaczenie w rozwijaniu i finansowaniu infrastruktury badawczej, jednak Unia odgrywa istotną rolę polegającą na wspieraniu infrastruktury na poziomie europejskim, taką jak wspieranie koordynowania europejskiej infrastruktury badawczej, promując tworzenie nowych i zintegrowanych obiektów, umożliwiając i wspierając szeroki dostęp do infrastruktury krajowej i europejskiej oraz zapewniając spójność i skuteczność polityki regionalnej, krajowej, europejskiej i międzynarodowej. Jest to konieczne dla zapobieżenia powielaniu i rozdrobnieniu wysiłków, dla wspierania skoordynowanego i skutecznego wykorzystywania obiektów, a tam gdzie to właściwe – dla łączenia zasobów i umożliwia tym samym Europie pozyskiwanie i eksploatowanie infrastruktury badawczej na światowym poziomie.Technologie informacyjno-komunikacyjne zmieniły naukę dzięki umożliwieniu współpracy na odległość, przetwarzaniu ogromnych ilości danych, eksperymentom in silico oraz dostępowi do odległych zasobów. Badania naukowe stają się zatem coraz bardziej międzynarodowe i interdyscyplinarne, co wymaga wykorzystania technologii informacyjno-komunikacyjnych, które są ponadnarodowe, podobnie jak sama nauka.Korzyści skali i zakresu osiągane dzięki europejskiemu podejściu w zakresie budowy infrastruktury badawczej, w tym infrastruktury elektronicznej, jej wykorzystania i zarządzania nią, przyczynią się w znacznym stopniu do wzmocnienia europejskiego potencjału w zakresie badań naukowych i innowacji oraz zwiększą konkurencyjność Unii na szczeblu międzynarodowym.

Ogólne kierunki działań

Działania mają na celu budowę europejskiej infrastruktury badawczej na miarę 2020 r. i dalszej przyszłości, wspieranie jej potencjału innowacyjnego i zasobów ludzkich oraz wzmocnienie europejskiej polityki w tym zakresie.

(a) Rozwijanie europejskiej infrastruktury badawczej na miarę 2020 r. i dalszej przyszłości

Celem jest ułatwianie i wspieranie działań związanych z: (1) przygotowaniem, wdrożeniem i wykorzystaniem ESFRI oraz innych rodzajów światowej klasy infrastruktury badawczej, w tym rozwoju regionalnych obiektów partnerskich tam, gdzie istnieje znaczna wartość dodana interwencji unijnej; (2) integracją i zapewnieniem ponadnarodowego dostępu do krajowej i regionalnej infrastruktury badawczej o znaczeniu europejskim, aby naukowcy europejscy mogli z niej korzystać – niezależnie od umiejscowienia – do prowadzenia badań naukowych na najwyższym poziomie; (3) rozwijaniem, wdrażaniem i eksploatacją e-infrastruktury w celu zapewnienia najlepszych na świecie możliwości w zakresie łączenia w sieć, zdolności obliczeniowych oraz danych naukowych.

(b) Wspieranie innowacyjnego potencjału infrastruktury badawczej i jej zasobów ludzkich

Celem jest wspomaganie infrastruktury badawczej w zakresie wczesnego przyjmowania lub opracowywania najnowocześniejszych technologii, promowanie partnerstw badawczo-rozwojowych z przemysłem, ułatwianie przemysłowego wykorzystania infrastruktury badawczej oraz stymulowanie tworzenia klastrów innowacyjnych. W ramach tego działania wspiera się również szkolenie lub wymiany personelu zarządzającego infrastrukturą badawczą oraz obsługującego ją.

(c) Wzmocnienie europejskiej polityki w zakresie infrastruktury badawczej i współpracy międzynarodowej

Celem jest wspieranie partnerstw między odnośnymi decydentami a organami finansującymi, tworzenia narzędzi mapowania i monitorowania na potrzeby procesu decyzyjnego, a także wspieranie współpracy międzynarodowej. Należy wspierać europejską infrastrukturę badawczą w działaniach z zakresu stosunków międzynarodowych.Cele wymienione w działaniach pod pozycjami b) i c) są realizowane w drodze specjalnych działań, a także – w odpowiednich przypadkach – w ramach działań wypracowywanych zgodnie z działaniem pod pozycją a).";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:43";"664121" +"H2020-EU.3.5.2.";"it";"H2020-EU.3.5.2.";"";"";"Protezione dell'ambiente, gestione sostenibile delle risorse naturali e idriche, della biodiversità e degli ecosistemi";"Protection of the environment";"

Protezione dell'ambiente, gestione sostenibile delle risorse naturali e idriche, della biodiversità e degli ecosistemi

L'obiettivo è fornire le conoscenze e gli strumenti per la gestione e la protezione delle risorse naturali, al fine di conseguire un equilibrio sostenibile tra risorse limitate ed esigenze presenti e future della società e dell'economia. Le attività si concentrano sullo sviluppo della nostra comprensione della biodiversità e del funzionamento degli ecosistemi, della loro interazione con i sistemi sociali e del loro ruolo nel sostenere l'economia e il benessere umano, sullo sviluppo di approcci integrati per affrontare le sfide connesse all'acqua e la transizione verso una gestione e un uso sostenibili delle risorse e dei servizi idrici e sulla fornitura di conoscenze e strumenti che consentano un processo decisionale efficace e il coinvolgimento del pubblico.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:20";"664399" +"H2020-EU.3.5.2.";"de";"H2020-EU.3.5.2.";"";"";"Umweltschutz, nachhaltige Bewirtschaftung der natürlichen Ressourcen, Wasser, biologische Vielfalt und Ökosysteme";"Protection of the environment";"

Umweltschutz, nachhaltige Bewirtschaftung der natürlichen Ressourcen, Wasser, biologische Vielfalt und Ökosysteme

Ziel ist die Bereitstellung von Wissen und Instrumenten für die Bewirtschaftung und den Schutz natürlicher Ressourcen, um ein nachhaltiges Gleichgewicht zwischen den begrenzten Ressourcen und den aktuellen und künftigen Bedürfnissen von Gesellschaft und Wirtschaft herzustellen. Schwerpunkt der Tätigkeiten ist die Vertiefung der Erkenntnisse über die biologische Vielfalt und die Funktionsweise von Ökosystemen, deren Wechselwirkungen mit sozialen Systemen und deren Aufgabe zur Sicherung der Wirtschaft und des Wohlergehens des Menschen, die Entwicklung integrierter Konzepte für die Bewältigung der Wasserprobleme sowie den Übergang zu einer nachhaltigen Bewirtschaftung und Nutzung der Wasserressourcen und -dienstleistungen sowie die Bereitstellung von Wissen und Instrumenten für eine wirksame Entscheidungsfindung und öffentliches Engagement";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:20";"664399" +"H2020-EU.2.1.5.2.";"es";"H2020-EU.2.1.5.2.";"";"";"Tecnologías que permitan edificios y sistemas energéticamente eficientes con bajo impacto medioambiental";"Technologies enabling energy-efficient systems and buildings";"

Tecnologías que permitan edificios y sistemas energéticamente eficientes con bajo impacto medioambiental

Reducir el consumo de energía y de las emisiones de CO2 mediante la investigación, desarrollo y despliegue de tecnologías de construcción, automatización y control sostenibles y de sistemas que aborden asimismo toda la cadena de valor, y reducir el impacto ambiental global de los edificios.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:06";"664201" +"H2020-EU.1.4.";"it";"H2020-EU.1.4.";"";"";"ECCELLENZA SCIENTIFICA - Infrastrutture di ricerca";"Research Infrastructures";"

ECCELLENZA SCIENTIFICA - Infrastrutture di ricerca

Obiettivo specifico

L'obiettivo specifico è dotare l'Europa di infrastrutture di ricerca di livello mondiale, che siano accessibili a tutti i ricercatori in Europa e non solo e che sfruttino appieno il potenziale di progresso e innovazione scientifici.Le infrastrutture di ricerca rappresentano fattori chiave della competitività europea nell'intero spettro dei campi scientifici e sono essenziali per l'innovazione scientifica. In molti campi la ricerca è impossibile senza avere accesso ai supercomputer, agli strumenti analitici, alle fonti radianti per i nuovi materiali, ad ambienti puliti e alla metrologia avanzata per le nanotecnologie, a laboratori appositamente equipaggiati per la ricerca in campo biologico e medico, a banche di dati per la genomica e le scienze sociali, agli osservatori e a sensori per le scienze della Terra e dell'ambiente, alle reti a banda larga ad alta velocità per trasferire i dati, ecc. Le infrastrutture di ricerca sono essenziali per svolgere la ricerca necessaria per affrontare le grandi sfide per la società. Queste infrastrutture stimolano la collaborazione transfrontaliera e le discipline creano uno Spazio europeo della ricerca in linea aperto e senza soluzioni di continuità. Promuovono la mobilità delle persone e delle idee, riuniscono i migliori scienziati di tutta Europa e del mondo e rafforzano l'istruzione scientifica. Stimolano i ricercatori e le imprese innovative a sviluppare tecnologie all'avanguardia. In questo modo rafforzano l'industria innovativa ad alta tecnologia europea. Esse incanalano l'eccellenza nelle comunità di ricerca e innovazione europee e possono rappresentare vetrine scientifiche d'eccezione per la società nel suo complesso.L'Europa deve stabilire, sulla base di criteri convenuti di comune accordo, una base adeguata e stabile per costruire, mantenere e gestire le infrastrutture di ricerca se vuole che la ricerca europea resti di livello mondiale. A tal fine è necessaria una cooperazione sostanziale ed efficace fra l'Unione e i finanziatori nazionali e regionali nella quale sono necessari forti legami con la politica di coesione per garantire le sinergie e un approccio coerente.L'obiettivo specifico affronta un impegno centrale dell'iniziativa faro ""Unione dell'innovazione"", che sottolinea il ruolo di primo piano svolto dalle infrastrutture di ricerca di livello mondiale nel consentire la ricerca e innovazione di portata rivoluzionaria. L'iniziativa sottolinea la necessità di mettere in comune le risorse a livello europeo, e in taluni casi mondiale, al fine di costruire e gestire infrastrutture di ricerca. Analogamente, l'iniziativa faro ""Un'agenda digitale europea"" sottolinea l'esigenza di rafforzare le infrastrutture in rete europee e l'importanza di sviluppare poli di innovazione per creare il vantaggio innovativo europeo.

Motivazione e valore aggiunto dell'Unione

Le infrastrutture di ricerca d'avanguardia diventano sempre più costose e complesse, spesso richiedendo l'integrazione di attrezzature, fonti di dati e servizi diversi nonché un'ampia collaborazione transnazionale. Nessun paese dispone da solo delle risorse sufficienti per sostenere tutte le infrastrutture di ricerca necessarie. Negli ultimi anni l'approccio europeo alle infrastrutture di ricerca ha compiuto progressi notevoli grazie al costante sviluppo e all'attuazione della tabella di marcia del Forum strategico europeo sulle infrastrutture di ricerca (ESFRI) per le infrastrutture, che integra e apre gli impianti di ricerca nazionali e sviluppa le infrastrutture in rete alla base del SER digitale aperto. La rete delle infrastrutture di ricerca in Europa rafforza la base di capitale umano grazie alla fornitura di una formazione di livello mondiale per una nuova generazione di ricercatori e ingegneri e promuovendo la collaborazione interdisciplinare. Saranno incoraggiate le sinergie con le azioni Marie Skłodowska-Curie.Un ulteriore sviluppo e un uso più ampio delle infrastrutture di ricerca a livello europeo contribuiranno in modo significativo allo sviluppo del SER. Mentre il ruolo degli Stati membri resta centrale nello sviluppo e nel finanziamento delle infrastrutture di ricerca, l'Unione ha una parte importante nel sostegno delle infrastrutture a livello europeo, come incoraggiare il coordinamento delle infrastrutture di ricerca europee, stimolando la creazione di strutture nuove ed integrate, favorendo e sostenendo un ampio accesso alle infrastrutture nazionali ed europee e garantendo che le politiche regionali, nazionali, europee e internazionali siano coerenti ed efficaci. È necessario evitare le duplicazioni e la frammentazione degli sforzi, promuovere un uso coordinato ed efficace di tali strutture e, se del caso, mettere in comune le risorse in modo che l'Europa possa anche acquisire e gestire infrastrutture di ricerca di livello mondiale.Le TIC hanno trasformato la scienza consentendo la collaborazione a distanza, il trattamento di enormi moli di dati, la sperimentazione in silico e l'accesso a risorse distanti. La ricerca diventa pertanto sempre più transnazionale e interdisciplinare e richiede l'utilizzo di infrastrutture TIC, che sono sovranazionali come la scienza stessa.L'efficienza della scala e della portata conseguite mediante un approccio europeo alla costruzione, all'uso e alla gestione delle infrastrutture di ricerca, comprese quelle in rete, contribuirà in modo significativo a rafforzare il potenziale europeo di ricerca e innovazione e a rendere l'Unione più competitiva a livello internazionale.

Le grandi linee delle attività

Le attività mirano a sviluppare le infrastrutture europee di ricerca per il 2020 e oltre, promuovendo il loro potenziale innovativo e il capitale umano nonché rafforzando la politica europea per le infrastrutture di ricerca.

(a) Sviluppare le infrastrutture di ricerca europee per il 2020 e oltre

Gli obiettivi consistono nell'agevolare e sostenere azioni legate a: 1) la preparazione, l'attuazione e la gestione di ESFRI e di altre infrastrutture di ricerca di livello mondiale, compreso lo sviluppo di strutture partner regionali, ove vi sia un forte valore aggiunto per l'intervento dell'Unione; 2) l'integrazione e l'accesso transnazionale alle infrastrutture di ricerca nazionali e regionali di interesse europeo, in modo che gli scienziati europei possano utilizzarle, a prescindere dalla loro ubicazione, per condurre ricerche di alto livello; 3) lo sviluppo, l'introduzione e la gestione delle infrastrutture in rete per assicurare una capacità d'importanza mondiale nell'ambito delle strutture di rete, dell'elaborazione e dei dati scientifici.

(b) Promuovere il potenziale di innovazione e le risorse umane delle infrastrutture di ricerca

L'obiettivo è incoraggiare le infrastrutture di ricerca ad agire in veste di pioniere o sviluppatore nell'uso delle tecnologie di punta, promuovere partenariati R&S con l'industria, agevolare l'uso industriale delle infrastrutture di ricerca e stimolare la creazione di poli di innovazione. Tale attività mira inoltre a sostenere la formazione e/o gli scambi del personale che dirige e gestisce le infrastrutture di ricerca.

(c) Rafforzamento della politica europea in materia di infrastrutture di ricerca e della cooperazione internazionale

L'obiettivo è sostenere i partenariati fra i pertinenti responsabili politici e gli organismi di finanziamento, mappando e monitorando gli strumenti di decisione politica e le attività di cooperazione internazionale. Le infrastrutture di ricerca europee possono essere sostenute nell'ambito delle loro attività di relazioni internazionali.Gli obiettivi stabiliti nell'ambito delle attività di cui alle lettere b) e c) sono perseguiti mediante azioni ad hoc e all'interno delle azioni sviluppate nell'ambito delle attività di cui alla lettera a), ove opportuno.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:43";"664121" +"H2020-EU.3.3.8.3.";"en";"H2020-EU.3.3.8.3.";"";"";"Demonstrate on a large scale the feasibility of using hydrogen to support integration of renewable energy sources into the energy systems, including through its use as a competitive energy storage medium for electricity produced from renewable energy sources";"";"";"";"H2020";"H2020-EU.3.3.8.";"";"";"2014-09-22 21:40:11";"665339" +"H2020-EU.1.4.";"es";"H2020-EU.1.4.";"";"";"CIENCIA EXCELENTE - Infraestructuras de investigación";"Research Infrastructures";"

CIENCIA EXCELENTE - Infraestructuras de investigación

Objetivo específico

El objetivo específico es dotar a Europa de infraestructuras de investigación de categoría mundial, accesibles a todos los investigadores de Europa y de fuera de ella, y aprovechar plenamente su potencial para el avance científico y la innovación.Las infraestructuras de investigación son factores determinantes de la competitividad de Europa en todos los ámbitos científicos, además de resultar esenciales para la innovación basada en la ciencia. En muchos ámbitos, la investigación es imposible sin acceso a superordenadores, instalaciones analíticas, fuentes de radiación para los nuevos materiales, salas limpias y metrología avanzada para las nanotecnologías, laboratorios especialmente equipados para la investigación biológica y médica, bases de datos para la genómica y las ciencias sociales, observatorios y sensores para las ciencias de la tierra y el medio ambiente, redes de banda ancha de alta velocidad para la transferencia de datos, etc. Las infraestructuras de investigación son necesarias para llevar a cabo la investigación que se precisa para afrontar los grandes retos de la sociedad. Estas infraestructuras propulsan la colaboración a través de las fronteras y las disciplinas y crean un espacio europeo abierto y sin fisuras para la investigación en línea. Fomentan la movilidad de las personas y las ideas, reuniendo a los mejores científicos de toda Europa y del mundo y favoreciendo la educación científica. Su construcción exigirá de investigadores y empresas innovadoras el desarrollo de tecnología punta. De este modo, robustecen la industria innovadora europea de alta tecnología. Impulsan la excelencia en las comunidades de investigación e innovación europeas y pueden constituir un magnífico escaparate de la ciencia ante la sociedad en general.Si Europa quiere que su investigación siga teniendo categoría mundial, debe establecer una base adecuada y estable para la construcción, mantenimiento y explotación de las infraestructuras de investigación que se asiente en criterios decididos de común acuerdo. Esto exige una cooperación sustancial y eficaz entre las entidades financiadoras de la Unión, nacionales y regionales para que puedan crearse sólidos vínculos con la política de cohesión a fin de crear sinergias y un planteamiento coherente.Este objetivo específico aborda uno de los compromisos esenciales de la iniciativa emblemática Unión por la Innovación, que subraya el papel crucial que desempeñan las infraestructuras de investigación de categoría mundial para hacer posible una investigación e innovación pioneras. La iniciativa subraya la necesidad de poner en común los recursos en Europa, y en algunos casos en todo el mundo, para construir y explotar las infraestructuras de investigación. Igualmente, la iniciativa emblemática Agenda Digital para Europa hace hincapié en la necesidad de reforzar las infraestructuras electrónicas de Europa y en la importancia de impulsar las agrupaciones de innovación para construir la ventaja innovadora de Europa.

Justificación y valor añadido de la Unión

Las infraestructuras avanzadas de investigación se están haciendo cada vez más complejas y costosas, y exigen a menudo la integración de diferentes equipos, servicios y fuentes de datos, así como una intensa colaboración transnacional. Ningún país cuenta aisladamente con recursos suficientes para sufragar todas las infraestructuras de investigación que necesita. El planteamiento europeo con respecto a las infraestructuras de investigación ha avanzado notablemente en los últimos años con el desarrollo y la aplicación constantes de la hoja de ruta del Foro Estratégico Europeo sobre Infraestructuras de Investigación (ESFRI) para las infraestructuras, la integración y apertura de las instalaciones nacionales de investigación y el desarrollo de las infraestructuras electrónicas que sustentan un EEI digital abierto. Las redes de infraestructuras de investigación en toda Europa refuerzan nuestra base de recursos humanos, facilitando formación de categoría mundial a una nueva generación de investigadores e ingenieros y promoviendo la colaboración interdisciplinaria. Se fomentarán las sinergias con las acciones Marie Skłodowska-Curie.Un mayor desarrollo y utilización de las infraestructuras de investigación a nivel europeo supondrá una contribución significativa al desarrollo del EEI. Aun cuando el papel de los Estados miembros sigue siendo central en el desarrollo y la financiación de las infraestructuras de investigación, la Unión desempeña un importante papel a la hora de prestar apoyo a la infraestructura a nivel europeo, como impulsar la coordinación de las infraestructuras de investigación distribuidas en Europa, fomentar la aparición de nuevas instalaciones integradas, permitir y respaldar un amplio acceso a las infraestructuras nacionales y europeas y asegurarse de que las políticas regional, nacional, europea e internacional sean coherentes y eficaces. Es necesario evitar la duplicación y la fragmentación de esfuerzos, fomentar la utilización coordinada y efectiva de las instalaciones y en los casos pertinentes poner en común los recursos para que Europa también pueda adquirir y explotar infraestructuras de investigación a nivel mundial.Las TIC han transformado la ciencia al permitir la cooperación a distancia, el tratamiento masivo de datos, la experimentación informática y el acceso a los recursos remotos. En consecuencia, la investigación es cada vez más transnacional e interdisciplinaria, lo que requiere el uso de infraestructuras de TIC que sean tan supranacionales como la propia ciencia.Las eficiencias de escala y alcance conseguidas aplicando un enfoque europeo a la construcción, utilización y gestión de las infraestructuras de investigación, en particular las electrónicas, supondrán una aportación importante para impulsar el potencial europeo de investigación e innovación y mejorarán la competitividad de la Unión a escala internacional.

Líneas generales de las actividades

Las actividades tendrán como objetivo el desarrollo de las infraestructuras de investigación europeas para 2020 y años posteriores, fomentando su potencial de innovación y sus recursos humanos y reforzando la política europea de infraestructuras de investigación.

(a) Desarrollar las infraestructuras de investigación europeas para 2020 y años posteriores

Se tratará de facilitar y apoyar acciones relacionadas con: (1) la preparación, la implantación y el funcionamiento del ESFRI y otras infraestructuras de investigación de categoría mundial, incluido el desarrollo de instalaciones regionales asociadas, cuando la intervención de la Unión aporte un importante valor añadido; (2) la integración de las infraestructuras de investigación nacionales y regionales de interés y el acceso transnacional a ellas, de modo que los científicos europeos puedan utilizarlas, independientemente de su ubicación, a fin de realizar una investigación del más alto nivel; (3) el desarrollo, despliegue y uso de las infraestructuras electrónicas con el fin de garantizar una capacidad de liderazgo mundial en materia de creación de redes, informática y datos científicos.

(b) Fomentar el potencial innovador de las infraestructuras de investigación y sus recursos humanos

El objetivo será instar a las infraestructuras de investigación a actuar como pioneras en la adopción o el desarrollo de tecnología punta, fomentar asociaciones de I+D con la industria, facilitar el uso industrial de las infraestructuras de investigación y estimular la creación de agrupaciones de innovación. Esta actividad también apoyará la formación y/o el intercambio del personal que gestiona y explota las infraestructuras de investigación.

(c) Reforzar la política europea de infraestructuras de investigación y la cooperación internacional

El objetivo será prestar apoyo a las asociaciones entre los responsables políticos pertinentes y los organismos de financiación, inventariar y hacer un seguimiento de las herramientas para la toma de decisiones, y también actividades de cooperación internacional. Las infraestructuras europeas de investigación podrán recibir apoyo para sus actividades de relaciones internacionales.Se perseguirán los objetivos expuestos en las líneas de actividad recogidas en las letras b) y c) mediante acciones bien determinadas, y siempre que sea pertinente mediante las acciones emprendidas a tenor de lo previsto en la línea de actividad recogida en la letra a).";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:43";"664121" +"H2020-EU.1.4.";"de";"H2020-EU.1.4.";"";"";"WISSENSCHAFTSEXZELLENZ - Forschungsinfrastrukturen";"";"

WISSENSCHAFTSEXZELLENZ - Forschungsinfrastrukturen

Einzelziel

Das Einzelziel besteht darin, Europa mit Forschungsinfrastrukturen von Weltrang auszustatten, die allen Forschern in Europa und darüber hinaus zugänglich sind, und die ihr Potenzial für den wissenschaftlichen Fortschritt und die Innovation uneingeschränkt nutzen.Forschungsinfrastrukturen sind ein wesentlicher Faktor für Europas Wettbewerbsfähigkeit in der gesamten Breite der Wissenschaftsgebiete und unerlässlich für die wissenschaftsgestützte Innovation. Forschung ist auf vielen Gebieten nicht möglich ohne beispielsweise den Zugang zu Höchstleistungsrechnern, Prüfeinrichtungen, Strahlenquellen für neue Werkstoffe, Reinräumen und modernster Messtechnik für Nanotechnologien, speziell ausgestatteten Labors für die biologische und medizinische Forschung, Datenbanken für Genomik und Sozialwissenschaften, Observatorien und Sensoren für die Geografie und die Umwelt sowie Hochgeschwindigkeits-Breitbandnetzen für die Übermittlung von Daten usw. Forschungsinfrastrukturen werden für Forschungsarbeiten benötigt, die zur Bewältigung großer gesellschaftlicher Herausforderungen notwendig sind. Sie erleichtern die Zusammenarbeit über Grenzen und Disziplinen hinweg und schaffen einen nahtlosen und offenen europäischen Raum für die Online-Forschung. Sie fördern die Mobilität von Menschen und Ideen, bringen die besten Wissenschaftler aus ganz Europa und der Welt zusammen und verbessern die wissenschaftliche Bildung. Sie stellen Forscher und innovative Unternehmen vor die Herausforderung, dem neuesten Stand der Technik entsprechende Lösungen zu entwickeln. Damit stärken sie die innovative High-Tech-Industrie in Europa. Sie sind Motor für Exzellenz innerhalb der europäischen Forschungs- und Innovationsgemeinschaften und möglicherweise auch hervorragende wissenschaftliche Anschauungsobjekte für die breite Öffentlichkeit.Europa muss auf der Grundlage gemeinsam vereinbarter Kriterien eine angemessene und stabile Grundlage für den Aufbau, die Pflege und den Betrieb von Forschungsinfrastrukturen schaffen, wenn seine Forschung weiterhin ihr Weltniveau halten soll. Hierfür bedarf es einer intensiven und wirksamen Zusammenarbeit zwischen der Union und nationalen wie auch regionalen Geldgebern, weshalb enge Verbindungen mit der Kohäsionspolitik angestrebt werden, um Synergien und Kohärenz zu gewährleisten.Dieses Einzelziel steht im Mittelpunkt der Leitinitiative ""Innovationsunion"", in der die wichtige Rolle von Forschungsinfrastrukturen von Weltrang unterstrichen wird, die bahnbrechende Forschung und Innovation möglich machen. Die Initiative betont die Notwendigkeit, europaweit, wenn nicht sogar weltweit, Ressourcen zu bündeln, um Forschungsinfrastrukturen aufzubauen und zu betreiben. Auch die Leitinitiative ""Digitale Agenda für Europa"" verweist auf die Notwendigkeit, Europas e-Infrastrukturen zu stärken und Innovationscluster aufzubauen, um Europas innovativen Vorteil auszubauen.

Begründung und Mehrwert für die Union

Forschungsinfrastrukturen nach dem neuesten Stand der Technik sind zunehmend komplex und kostspielig und erfordern die Integration unterschiedlicher Geräte, Dienste und Datenquellen sowie eine umfangreiche transnationale Zusammenarbeit. Kein Land verfügt allein über genügend Ressourcen, dass es alle von ihm benötigten Infrastrukturen unterstützen könnte. Das Konzept Europas hinsichtlich der Forschungsinfrastrukturen hat in den letzten Jahren beachtliche Fortschritte erzielt mit der kontinuierlichen Weiterentwicklung und Umsetzung des Fahrplans des Europäischen Strategieforums für Forschungsinfrastrukturen (ESFRI) für Infrastrukturen, der Integration und Öffnung nationaler Forschungseinrichtungen und der Entwicklung von e-Infrastrukturen, die einen offenen digitalen Europäischen Forschungsraum untermauern. Die europaweite Vernetzung von Forschungsinfrastrukturen stärkt Europas Basis an Humanressourcen, da sie einer neuen Generation von Forschern und Ingenieuren eine erstklassige Ausbildung bietet und die interdisziplinäre Zusammenarbeit fördert. Synergien mit den Marie-Skłodowska-Curie-Maßnahmen werden gefördert.Die Weiterentwicklung und der erweiterte Einsatz von Forschungsinfrastrukturen auf europäischer Ebene werden einen deutlichen Beitrag zum Ausbau des Europäischen Forschungsraums leisten. Wenngleich den Mitgliedstaaten nach wie vor die zentrale Aufgabe zukommt, Forschungsinfrastrukturen aufzubauen und zu finanzieren, spielt die Union eine wichtige Rolle bei der Förderung von Infrastrukturen auf europäischer Ebene, z. B. bei der Förderung der Koordinierung der europäischen Forschungsinfrastrukturen, durch die Unterstützung des Entstehens neuer und integrierter Einrichtungen, bei der Ermöglichung und Unterstützung eines breiten Zugangs zu nationalen und europäischen Infrastrukturen und der Gewährleistung von Kohärenz und Wirksamkeit regionaler, nationaler, europäischer und internationaler Strategien. Es ist notwendig, Überschneidungen und Fragmentierungen der Anstrengungen zu vermeiden, die koordinierte und effektive Nutzung der Einrichtungen zu fördern und gegebenenfalls Ressourcen zu bündeln, so dass Europa auch Forschungsinfrastrukturen von Weltrang erwerben und betreiben kann.IKT haben einen Wandel in der Wissenschaft bewirkt, indem sie Fernzusammenarbeit, die Verarbeitung von immensen Datenmengen, In-silico-Experimente und Zugang zu weit entfernten Ressourcen ermöglichen. Die Forschung findet vermehrt länder- und disziplinübergreifend statt und benötigt dafür IKT-Infrastrukturen, die ebenso supranational wie die Wissenschaft selbst sind.Die durch ein europäisches Konzept für Bau, Nutzung und Verwaltung von Forschungsinfrastrukturen, auch von e-Infrastrukturen, erzielten Einsparungen aufgrund von Skalen- und Verbundeffekten werden sich spürbar auf die Steigerung des europäischen Forschungs- und Innovationspotenzials auswirken und die internationale Wettbewerbsfähigkeit der Union erhöhen.

Einzelziele und Tätigkeiten in Grundzügen

Ziel der Tätigkeiten ist der Aufbau europäischer Forschungsinfrastrukturen bis zum Jahr 2020 und darüber hinaus, die Förderung ihres Innovationspotenzials und ihrer Humanressourcen und die Stärkung der Politik auf dem Gebiet der europäischen Forschungsinfrastrukturen.

(a)Ausbau der europäischen Forschungsinfrastrukturen bis 2020 und darüber hinaus

Ziel ist die Begünstigung und Unterstützung von Maßnahmen im Zusammenhang mit: (1) Konzeption, Verwirklichung und Betrieb des ESFRI und anderer Forschungsinfrastrukturen von Weltrang, einschließlich des Aufbaus regionaler Partnereinrichtungen in Fällen, in denen mit dem Unionsbeitrag ein erheblicher Zusatznutzen verbunden ist; (2) Integration nationaler und regionaler Forschungsinfrastrukturen von europäischem Interesse und Eröffnung des transnationalen Zugangs zu diesen, so dass sie von den europäischen Wissenschaftlern – ungeachtet ihres Standorts – für die Spitzenforschung genutzt werden können; (3) Entwicklung, Aufbau und Betrieb von e-Infrastrukturen, um weltweit eine Führungsrolle in den Bereichen Vernetzung, EDV und wissenschaftliche Daten einzunehmen.

(b) Steigerung des Innovationspotenzials der Forschungsinfrastrukturen und ihrer Humanressourcen

Ziel ist es, Forschungsinfrastrukturen dazu zu ermuntern, Spitzentechnologien in einem frühen Stadium einzusetzen oder zu entwickeln, FuE-Partnerschaften mit der Industrie zu fördern, die industrielle Nutzung von Forschungsinfrastrukturen zu erleichtern und Anreize für die Schaffung von Innovationsclustern zu geben. Unterstützt werden auch Ausbildung bzw. der Austausch von Personal, das Forschungsinfrastrukturen leitet oder betreibt.

(c) Stärkung der europäischen Forschungsinfrastrukturpolitik und der internationalen Zusammenarbeit

Ziel ist die Unterstützung von Partnerschaften zwischen den zuständigen politischen Entscheidungsträgern und Fördergremien, die Bestandsaufnahme und Überwachung von Instrumenten für die Entscheidungsfindung sowie die Unterstützung der internationalen Zusammenarbeit. Die europäischen Forschungsinfrastrukturen können bei ihren Tätigkeiten im Rahmen internationaler Beziehungen unterstützt werden.Die unter den Buchstaben b und c aufgeführten Ziele werden durch spezifische Maßnahmen sowie gegebenenfalls im Rahmen der unter Buchstabe a dargelegten Maßnahmen verfolgt.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:43";"664121" +"H2020-EU.1.4.2.1.";"en";"H2020-EU.1.4.2.1.";"";"";"Exploiting the innovation potential of research infrastructures";"";"";"";"H2020";"H2020-EU.1.4.2.";"";"";"2014-09-22 20:40:04";"664133" +"H2020-EU.1.4.";"en";"H2020-EU.1.4.";"";"";"EXCELLENT SCIENCE - Research Infrastructures";"Research Infrastructures";"

EXCELLENT SCIENCE - Research Infrastructures

Specific objective

The specific objective is to endow Europe with world-class research infrastructures which are accessible to all researchers in Europe and beyond and which fully exploit their potential for scientific advance and innovation.Research infrastructures are key determinants of Europe's competitiveness across the full breadth of scientific domains and essential to science-based innovation. In many fields research is impossible without access to supercomputers, analytical facilities, radiation sources for new materials, clean rooms and advanced metrology for nanotechnologies, specially equipped labs for biological and medical research, databases for genomics and social sciences, observatories and sensors for the Earth sciences and the environment, high-speed broadband networks for transferring data, etc. Research infrastructures are necessary to carry out the research needed to address major societal challenges. They propel collaboration across borders and disciplines and create a seamless and open European space for online research. They promote mobility of people and ideas, bring together the best scientists from across Europe and the world and enhance scientific education. They challenge researchers and innovative companies to develop state of the art technology. In this way, they strengthen Europe's high-tech innovative industry. They drive excellence within the European research and innovation communities and can be outstanding showcases of science for society at large.Europe must establish, on the basis of commonly agreed criteria, an adequate, stable base for building, maintaining and operating research infrastructures if its research is to remain world-class. This requires substantial and effective cooperation between Union, national and regional funders for which strong links with the cohesion policy will be pursued to ensure synergies and a coherent approach.This specific objective addresses a core commitment of the flagship initiative 'Innovation Union', which highlights the crucial role played by world-class research infrastructures in making ground-breaking research and innovation possible. The initiative stresses the need to pool resources across Europe, and in some cases globally, in order to build and operate research infrastructures. Equally, the flagship initiative 'Digital Agenda for Europe' emphasises the need to reinforce Europe's e-infrastructures and the importance of developing innovation clusters to build Europe's innovative advantage.

Rationale and Union added value

State-of-the-art research infrastructures are becoming increasingly complex and costly, often requiring integration of different equipment, services and data sources and extensive transnational collaboration. No single country has enough resources to support all the research infrastructures it needs. The European approach to research infrastructures has made remarkable progress in recent years with continuously developing and implementing the European Strategy Forum on Research Infrastructures (ESFRI) roadmap for infrastructures, integrating and opening national research facilities and developing e-infrastructures underpinning an open digital ERA. The networks of research infrastructures across Europe strengthen its human resource base by providing world-class training for a new generation of researchers and engineers and promoting interdisciplinary collaboration. Synergies with Marie Skłodowska-Curie actions will be encouraged.Further development and wider use of research infrastructures at European level will make a significant contribution to development of the ERA. While the role of Member States remains central in developing and financing research infrastructures, the Union plays an important part in supporting infrastructure at European level such as encouraging co-ordination of European research infrastructures, by fostering the emergence of new and integrated facilities, opening up and supporting broad access to national and European infrastructures, and making sure that regional, national, European and international policies are consistent and effective. It is necessary to avoid duplication and fragmentation of efforts, to foster coordinated and effective use of the facilities and, where appropriate, to pool resources so that Europe can also acquire and operate research infrastructures at world-class level.ICT has transformed science by enabling remote collaboration, massive data processing, in silico experimentation and access to distant resources. Research therefore becomes increasingly transnational and interdisciplinary, requiring the use of ICT infrastructures that are as supranational as science itself.The efficiencies of scale and scope achieved by a European approach to construction, use and management of research infrastructures, including e-infrastructures, will make a significant contribution to boosting Europe's research and innovation potential and make the Union more competitive at international level.

Broad lines of the activities

The activities shall aim at developing the European research infrastructures for 2020 and beyond, fostering their innovation potential and human resources and reinforcing European research infrastructure policy.

(a) Developing the European research infrastructures for 2020 and beyond

The aim shall be to facilitate and support actions linked to: (1) the preparation, implementation and operation of the ESFRI and other world-class research infrastructures, including the development of regional partner facilities, when a strong added value for Union intervention exists; (2) the integration of and transnational access to national and regional research infrastructures of European interest, so that European scientists can use them, irrespective of their location, to conduct top-level research; (3) the development, deployment and operation of e-infrastructures to ensure world-leading capability in networking, computing and scientific data.

(b) Fostering the innovation potential of research infrastructures and their human resources

The aims shall be to encourage research infrastructures to act as early adopters or developers of cutting-edge technology, to promote R&D partnerships with industry, to facilitate industrial use of research infrastructures and to stimulate the creation of innovation clusters. This activity shall also support training and/or exchanges of staff managing and operating research infrastructures.

(c) Reinforcing European research infrastructure policy and international cooperation

The aim shall be to support partnerships between relevant policymakers and funding bodies, mapping and monitoring tools for decision-making and also international cooperation activities. European research infrastructures may be supported in their international relations activities.The objectives set out under activity lines (b) and (c) shall be pursued by dedicated actions, as well as within the actions developed under activity line (a), when appropriate.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:43";"664121" +"H2020-EU.1.4.1.1.";"en";"H2020-EU.1.4.1.1.";"";"";"Developing new world-class research infrastructures";"";"";"";"H2020";"H2020-EU.1.4.1.";"";"";"2014-09-22 20:39:50";"664125" +"H2020-EU.3.2.";"en";"H2020-EU.3.2.";"";"";"SOCIETAL CHALLENGES - Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy";"Food, agriculture, forestry, marine research and bioeconomy";"

SOCIETAL CHALLENGES - Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy

Specific objective

The specific objective is to secure sufficient supplies of safe, healthy and high quality food and other bio-based products, by developing productive, sustainable and resource-efficient primary production systems, fostering related ecosystem services and the recovery of biological diversity, alongside competitive and low-carbon supply, processing and marketing chains. This will accelerate the transition to a sustainable European bioeconomy, bridging the gap between new technologies and their implementation.Over the coming decades, Europe will be challenged by increased competition for limited and finite natural resources, by the effects of climate change, in particular on primary production systems (agriculture including animal husbandry and horticulture, forestry, fisheries and aquaculture), and by the need to provide a sustainable, safe and secure food supply for the European and an increasing global population. A 70 % increase of the world food supply is estimated to be required to feed the 9 billion global population by 2050. Agriculture accounts for about 10 % of Union greenhouse gas emissions, and while declining in Europe, global emissions from agriculture are projected to increase up to 20 % by 2030. Furthermore, Europe will need to ensure sufficient and sustainably produced supplies of raw materials, energy and industrial products, under conditions of decreasing fossil carbon resources (oil and liquid gas production expected to decrease by about 60 % by 2050), while maintaining its competitiveness. Biowaste (estimated at up to 138 million tonnes per year in the Union, of which up to 40 % is land-filled) represents a huge problem and cost, despite its high potential added value.For example, an estimated 30 % of all food produced in developed countries is discarded. Major changes are needed to reduce this amount by 50 % in the Union by 2030 (7). In addition, national borders are irrelevant in the entry and spread of animal and plant pests and diseases, including zoonotic diseases, and food borne pathogens. While effective national prevention measures are needed, action at Union level is essential for ultimate control and the effective running of the single market. The challenge is complex, affects a broad range of interconnected sectors and requires a holistic and systemic approach.More and more biological resources are needed to satisfy market demand for a secure and healthy food supply, biomaterials, biofuels and bio-based products, ranging from consumer products to bulk chemicals. However, the capacities of the terrestrial and aquatic ecosystems required for their production are limited, while there are competing claims for their utilisation, and often not optimally managed, as shown for example by a severe decline in soil carbon content and fertility and fish stock depletion. There is under-utilised scope for fostering ecosystem services from farmland, forests, marine and fresh waters by integrating agronomic, environmental and social goals into sustainable production and consumption.The potential of biological resources and ecosystems could be used in a much more sustainable, efficient and integrated manner. For examples, the potential of biomass from agriculture, forests and waste streams from agricultural, aquatic, industrial, and also municipal origins could be better harnessed.In essence, a transition is needed towards an optimal and renewable use of biological resources and towards sustainable primary production and processing systems that can produce more food, fibre and other bio-based products with minimised inputs, environmental impact and greenhouse gas emissions, enhanced ecosystem services, zero-waste and adequate societal value. The aim is establishing food production systems that strengthen, reinforce and nourish the resource base and enable sustainable wealth generation. Responses to the way food production is generated, distributed, marketed, consumed and regulated must be better understood and developed. A critical effort of interconnected research and innovation, as well as a continuous dialogue between political, social, economic and other stakeholder groups, is a key element for this to happen, in Europe and beyond.

Rationale and Union added value

Agriculture, forestry, fisheries and aquaculture together with the bio-based industries are the major sectors underpinning the bioeconomy. The bioeconomy represents a large and growing market estimated to be worth over EUR 2 trillion, providing 20 million jobs and accounting for 9 % of total employment in the Union in 2009. Investments in research and innovation under this societal challenge will enable Europe to take leadership in the concerned markets and will play a role in achieving the goals of the Europe 2020 strategy and its flagship initiatives 'Innovation Union' and 'Resource-efficient Europe'.A fully functional European bioeconomy – encompassing the sustainable production of renewable resources from land, fisheries and aquaculture environments and their conversion into food, feed, fibre bio-based products and bioenergy as well as into the related public goods - will generate high Union added value. In parallel to the market-related function, the bioeconomy sustains also a wide range of public goods functions, biodiversity and ecosystem services. Managed in a sustainable manner, it can reduce the environmental footprint of primary production and the supply chain as a whole. It can increase their competitiveness, enhance Europe's self-reliance and provide jobs and business opportunities essential for rural and coastal development. The food security, sustainable agriculture and farming, aquatic production, forestry and overall bioeconomy – related challenges are of a European and global nature. Actions at Union level are essential to bring together clusters to achieve the necessary breadth and critical mass to complement efforts made by a single Member State or groups of Member States. A multi-actor approach will ensure the necessary cross-fertilising interactions between researchers, businesses, farmers/producers, advisors and end-users. The Union level is also necessary to ensure coherence in addressing this challenge across sectors and with strong links to relevant Union policies. Coordination of research and innovation at Union level will stimulate and help to accelerate the required changes across the Union.Research and innovation will interface with and support elaboration of a wide spectrum of Union policies and related targets, including the Common Agriculture Policy (in particular the Rural Development Policy, the Joint Programming Initiatives, including ""Agriculture, Food Security and Climate Change"", ""A Healthy Diet for a Healthy Life"" and ""Healthy and Productive Seas and Oceans"") and the European Innovation Partnership 'Agricultural Productivity and Sustainability' and the European Innovation Partnership on Water, the Common Fisheries Policy, the Integrated Maritime Policy, the European Climate Change Programme, the Water Framework Directive (8), the Marine Strategy Framework Directive (9), the EU Forestry Action Plan, the Soil Thematic Strategy, the Union's 2020 Biodiversity Strategy, the Strategic Energy Technology Plan, the Union's innovation and industrial policies, external and development aid policies, plant health strategies, animal health and welfare strategies and regulatory frameworks to protect the environment, health and safety, to promote resource efficiency and climate action, and to reduce waste. A better integration of the full cycle from basic research to innovation into related Union policies will significantly improve their Union added value, provide leverage effects, increase societal relevance, provide healthy food products and help to further develop sustainable land, seas and oceans management and bioeconomy markets.For the purpose of supporting Union policies related to the bioeconomy and to facilitate governance and monitoring of research and innovation, socio-economic research and forward-looking activities will be performed in relation to the bioeconomy strategy, including development of indicators, data bases, models, foresight and forecast, and impact assessment of initiatives on the economy, society and the environment.Challenge-driven actions focusing on social, economic and environmental benefits and the modernisation of the bioeconomy associated sectors and markets shall be supported through multi-disciplinary research, driving innovation and leading to the development of new strategies, practices, sustainable products and processes. It shall also pursue a broad approach to innovation ranging from technological, non-technological, organisational, economic and social innovation to, for instance, ways for technology transfer, novel business models, branding and services. The potential of farmers and SMEs to contribute to innovation must be recognised. The approach to the bioeconomy shall take account of the importance of local knowledge and diversity.

Broad lines of activities

(a) Sustainable agriculture and forestry

The aim is to supply sufficient food, feed, biomass and other raw-materials, while safeguarding natural resources, such as water, soil and biodiversity, in a European and world-wide perspective, and enhancing ecosystems services, including coping with and mitigating climate change. The activities shall focus on increasing the quality and value of agricultural products by delivering more sustainable and productive agriculture, including animal husbandry and forestry systems, which are diverse, resilient and resource-efficient (in terms of low-carbon and low external input and water), protect natural resources, produce less waste and can adapt to a changing environment. Furthermore, the activities shall focus on developing services, concepts and policies for thriving rural livelihoods and encouraging sustainable consumption.In particular for forestry, the aim is to sustainably produce biomass and bio-based products and deliver ecosystem services, with due consideration to economic, ecological and social aspects of forestry. Activities will focus on the further development of production and sustainability of resource-efficient forestry systems which are instrumental in the strengthening of forest resilience and biodiversity protection, and which can meet increased biomass demand.The interaction of functional plants with health and well being, as well as the exploitation of horticulture and forestry for the development of urban greening, will also be considered.

(b) Sustainable and competitive agri-food sector for a safe and healthy diet

The aim is to meet the requirements of citizens and the environment for safe, healthy and affordable food, and to make food and feed processing, distribution and consumption more sustainable and the food sector more competitive while also considering the cultural component of food quality. The activities shall focus on healthy and safe food for all, informed consumer choices, dietary solutions and innovations for improved health, and competitive food processing methods that use less resources and additives and produce less by-products, waste and greenhouse gases.

(c) Unlocking the potential of aquatic living resources

The aim is to manage, sustainably exploit and maintain aquatic living resources to maximise social and economic benefits/returns from Europe's oceans, seas and inland waters while protecting biodiversity. The activities shall focus on an optimal contribution to secure food supplies by developing sustainable and environmentally friendly fisheries, on sustainable management of ecosystems providing goods and services, on competitive as well as environmentally friendly European aquaculture in the context of the global economy, and on boosting marine and maritime innovation through biotechnology to fuel smart ""blue"" growth.

(d) Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy

The aim is the promotion of low-carbon, resource-efficient, sustainable and competitive European bio-based industries. The activities shall focus on fostering the knowledge-based bioeconomy by transforming conventional industrial processes and products into bio-based resource and energy efficient ones, the development of integrated second and subsequent generation biorefineries, optimising the use of biomass from primary production including residues, biowaste and bio-based industry by-products, and opening new markets through supporting standardisation and certification systems as well as regulatory and demonstration/field trial activities, while taking into account the implications of the bioeconomy on land use and land use changes, as well as the views and concerns of civil society.

(e) Cross-cutting marine and maritime research

The aim is to increase the impact of Union seas and oceans on society and economic growth through the sustainable exploitation of marine resources as well as the use of different sources of marine energy and the wide range of different uses that is made of the seas.Activities shall focus on cross-cutting marine and maritime scientific and technological challenges with a view to unlocking the potential of seas and oceans across the range of marine and maritime industries, while protecting the environment and adapting to climate change. A strategic coordinated approach for marine and maritime research across all challenges and priorities of Horizon 2020 will also support the implementation of relevant Union policies to help deliver key blue growth objectives.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:44:33";"664281" +"H2020-EU.3.1.";"en";"H2020-EU.3.1.";"";"";"SOCIETAL CHALLENGES - Health, demographic change and well-being";"Health";"

SOCIETAL CHALLENGES - Health, demographic change and well-being

Specific objective

The specific objective is to improve the lifelong health and well-being of all.Lifelong health and well-being for all - children, adults and older people - high-quality, economically sustainable and innovative health and care systems, as part of welfare systems, and opportunities for new jobs and growth are the aims of the support provided to research and innovation in response to this challenge, and they will make a major contribution to the Europe 2020 strategy.The cost of Union health and social care systems is rising, with care and prevention measures in all ages increasingly expensive. The number of Europeans aged over 65 is expected to nearly double from 85 million in 2008 to 151 million by 2060, and the number of those over 80 is expected to rise from 22 to 61 million in the same period. Reducing or containing these costs so that they do not become unsustainable depends partly on improving the lifelong health and well-being of all and therefore on the effective prevention, treatment and management of disease and disability.Chronic conditions and diseases are major causes of disability, ill-health, health-related retirement and premature death, and present considerable social and economic costs.In the Union, cardiovascular disease annually accounts for more than 2 million deaths and costs the economy more than EUR 192 billion while cancer accounts for a quarter of all deaths and is the number one cause of death for people aged 45-64. Over 27 million people in the Union suffer from diabetes and over 120 million from rheumatic and musculoskeletal conditions. Rare diseases remain a major challenge, affecting approximately 30 million people across Europe. The total cost of brain disorders (including, but not limited to those affecting mental health, including depression) has been estimated at EUR 800 billion. It is estimated that mental disorders alone affect 165 million people in the Union, at a cost of EUR 118 billion. These sums are expected to rise significantly, largely as a result of Europe's ageing population and the associated increases in neurodegenerative diseases. Environmental, occupational, life-style and socio-economic factors are relevant in several of these conditions with up to one third of the global disease burden estimated to be related to these.Infectious diseases (e.g. HIV/AIDS, tuberculosis and malaria), are a global concern, accounting for 41 % of the 1,5 billion disability adjusted life years worldwide, with 8 % of these in Europe. Poverty-related and neglected diseases are also a global concern. Emerging epidemics, re-emerging infectious diseases (including water-related diseases) and the threat of increasing anti-microbial resistance must also be prepared for. Increased risks for animal-borne diseases should be considered.Meanwhile, drug and vaccine development processes are becoming more expensive and less effective. Efforts to increase the success of drug and vaccine development include alternative methods to replace classical safety and effectiveness testing. Persistent health inequalities and the needs of specific population groups (e.g. those suffering from rare diseases) must be addressed, and access to effective and competent health and care systems must be ensured for all Europeans irrespective of their age or background.Other factors, such as nutrition, physical activity, wealth, inclusion, engagement, social capital and work, also affect health and well-being, and a holistic approach must be taken.Due to higher life expectancy the age and population structure in Europe will change. Therefore, research furthering lifelong health, active ageing and well-being for all will be a cornerstone of the successful adaptation of societies to demographic change.

Rationale and Union added value

Disease and disability are not stopped by national borders. An appropriate European level research, development and innovation effort, in cooperation with third countries and with the involvement of all stakeholders, including patients and end-users, can and should make a crucial contribution to addressing these global challenges, thereby working to achieve the United Nations' Millennium Development Goals, deliver better health and well-being for all, and position Europe as a leader in the rapidly expanding global markets for health and well-being innovations.The response depends on excellence in research to improve our fundamental understanding of the determinants of health, disease, disability, healthy employment conditions, development and ageing (including of life expectancy), and on the seamless and widespread translation of the resulting and existing knowledge into innovative, scalable, effective, accessible and safe products, strategies, interventions and services. Furthermore, the pertinence of these challenges across Europe and in many cases, globally, demands a response characterised by long-term and coordinated support for co-operation between excellent, multidisciplinary and multi-sector teams. It is also necessary to address the challenge from the perspective of the social and economic sciences and humanities.Similarly, the complexity of the challenge and the interdependency of its components demand a European level response. Many approaches, tools and technologies have applicability across many of the research and innovation areas of this challenge and are best supported at Union level. These include understanding the molecular basis of disease, the identification of innovative therapeutic strategies and novel model systems, the multidisciplinary application of knowledge in physics, chemistry and systems biology, the development of long-term cohorts and the conduct of clinical trials (including focus on the development and effects of medicines in all age groups), the clinical use of ""-omics"", systems biomedicine and the development of ICT and their applications in healthcare practice, notably e-health. The requirements of specific populations are also best addressed in an integrated manner, for example in the development of stratified and/or personalised medicine, in the treatment of rare diseases, and in providing assisted and independent living solutions.To maximise the impact of Union level actions, support will be provided to the full spectrum of research, development and innovation activities from basic research through translation of knowledge on disease to new therapeutics, to large trials, piloting and demonstration actions, by mobilising private investment; to public and pre-commercial procurement for new products, services and scalable solutions, which are, when necessary, interoperable and supported by defined standards and/or common guidelines. This coordinated, European effort will increase the scientific capabilities in health research and contribute to the ongoing development of the ERA. It will also interface, as and when appropriate, with activities developed in the context of the Health for Growth Programme, the Joint Programming Initiatives, including ""Neurodegenerative Disease Research"", ""A Healthy Diet for a Healthy Life"", ""Antimicrobial resistance"" and ""More Years, Better Lives"", and the European Innovation Partnership on Active and Healthy Ageing.The Scientific Panel for Health will be a science-led stakeholder platform which elaborates scientific input concerning this societal challenge. It will provide a coherent scientific focused analysis of research and innovation bottlenecks and opportunities related to this societal challenge, contribute to the definition of its research and innovation priorities and encourage Union-wide scientific participation in it. Through active cooperation with stakeholders, it will help to build capabilities and to foster knowledge sharing and stronger collaboration across the Union in this field.

Broad lines of the activities

Effective health promotion, supported by a robust evidence base, prevents disease, contributes to well-being and is cost effective. Promotion of health, active ageing, well-being and disease prevention also depend on an understanding of the determinants of health, on effective preventive tools on effective health and disease surveillance and preparedness, and on effective screening programmes. Effective health promotion is also facilitated by the provision of better information to citizens which encourages responsible health choices.Successful efforts to prevent, detect early, manage, treat and cure disease, disability, frailty and reduced functionality are underpinned by the fundamental understanding of their determinants and causes, processes and impacts, as well as factors underlying good health and well-being. Improved understanding of health and disease will demand close linkage between fundamental, clinical, epidemiological and socio-economic research. Effective sharing of data, standardised data processing and the linkage of these data with large-scale cohort studies is also essential, as is the translation of research findings into the clinic, in particular through the conduct of clinical trials, which should address all age groups to ensure that medicines are adapted to their use.The resurgence of old infectious diseases, including tuberculosis, and the increased prevalence of vaccine-preventable diseases further underlines the need for a comprehensive approach towards poverty-related and neglected diseases. Likewise, the growing problem of anti-microbial resistance demands a similarly comprehensive approach.Personalised medicine should be developed in order to suit preventive and therapeutic approaches to patient requirements, and must be underpinned by the early detection of disease. It is a societal challenge to adjust to the further demands on health and care sectors due to the ageing population. If effective health and care is to be maintained for all ages, efforts are required to improve decision making in prevention and in treatment provision, to identify and support the dissemination of best practice in the health and care sectors, and to support integrated care. A better understanding of ageing processes and the prevention of age-related illnesses are the basis for keeping European citizens healthy and active throughout the course of their lives. Similarly important is the wide uptake of technological, organisational and social innovations empowering in particular older persons, persons with chronic diseases as well as disabled persons to remain active and independent. Doing so will contribute to increasing their physical, social, and mental well-being and lengthening the duration thereof.All of these activities shall be undertaken in such a way as to provide support throughout the research and innovation cycle, strengthening the competitiveness of the European based industries and development of new market opportunities. Emphasis will also be placed on engaging all health stakeholders – including patients and patient organisations, and health and care providers – in order to develop a research and innovation agenda that actively involves citizens and reflects their needs and expectations.Specific activities shall include: understanding the determinants of health (including nutrition, physical activity and gender, and environmental, socio-economic, occupational and climate-related factors); improving health promotion and disease prevention; understanding disease and improving diagnosis and prognosis; developing effective prevention and screening programmes and improving the assessment of disease susceptibility; improving the surveillance of infectious diseases and preparedness for combating epidemics and emerging diseases; developing new and better preventive and therapeutic vaccines and drugs; using in-silico medicine for improving disease management and prediction; developing regenerative medicine and adapted treatments, and treating disease, including palliative medicine; transferring knowledge to clinical practice and scalable innovation actions; improving health information and better collection and use of health cohort and administrative data; standardised data analysis and techniques; active ageing, and independent and assisted living; individual awareness and empowerment for self-management of health; promotion of integrated care, including psychosocial aspects; improving scientific tools and methods to support policy making and regulatory needs; optimising the efficiency and effectiveness of healthcare provision; and reducing health disparities and inequalities by evidence-based decision making and dissemination of best practice and by innovative technologies and approaches. Active involvement of healthcare providers must be encouraged in order to secure rapid take-up and implementation of results.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:43:12";"664237" +"H2020-EU.1.4.1.";"en";"H2020-EU.1.4.1.";"";"";"Developing the European research infrastructures for 2020 and beyond";"Research infrastructures for 2020 and beyond";"

Developing the European research infrastructures for 2020 and beyond

The aim shall be to facilitate and support actions linked to: (1) the preparation, implementation and operation of the ESFRI and other world-class research infrastructures, including the development of regional partner facilities, when a strong added value for Union intervention exists; (2) the integration of and transnational access to national and regional research infrastructures of European interest, so that European scientists can use them, irrespective of their location, to conduct top-level research; (3) the development, deployment and operation of e-infrastructures to ensure world-leading capability in networking, computing and scientific data.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:39:46";"664123" +"H2020-EU.1.4.3.";"en";"H2020-EU.1.4.3.";"";"";"Reinforcing European research infrastructure policy and international cooperation";"Research infrastructure policy and international cooperation";"

Reinforcing European research infrastructure policy and international cooperation

The aim shall be to support partnerships between relevant policymakers and funding bodies, mapping and monitoring tools for decision-making and also international cooperation activities. European research infrastructures may be supported in their international relations activities.The objectives set out under activity lines (b) and (c) shall be pursued by dedicated actions, as well as within the actions developed under activity line (a), when appropriate.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:11";"664137" +"H2020-EU.1.4.2.";"en";"H2020-EU.1.4.2.";"";"";"Fostering the innovation potential of research infrastructures and their human resources";"Research infrastructures and their human resources";"

Fostering the innovation potential of research infrastructures and their human resources

The aims shall be to encourage research infrastructures to act as early adopters or developers of cutting-edge technology, to promote R&D partnerships with industry, to facilitate industrial use of research infrastructures and to stimulate the creation of innovation clusters. This activity shall also support training and/or exchanges of staff managing and operating research infrastructures.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:01";"664131" +"H2020-EU.3.3.3.";"en";"H2020-EU.3.3.3.";"";"";"Alternative fuels and mobile energy sources";"Alternative fuels and mobile energy sources";"

Alternative fuels and mobile energy sources

Activities shall focus on research, development and full scale demonstration of technologies and value chains to make bioenergy and other alternative fuels more competitive and sustainable for power and heat and for surface, maritime and air transport, with potential for more efficient energy conversion, to reduce time to market for hydrogen and fuel cells and to bring new options showing long-term potential to maturity.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:31";"664341" +"H2020-EU.3.3.1.";"en";"H2020-EU.3.3.1.";"";"";"Reducing energy consumption and carbon foorpint by smart and sustainable use";"Reducing energy consumption and carbon footprint";"

Reducing energy consumption and carbon footprint by smart and sustainable use

Activities shall focus on research and full-scale testing of new concepts, non-technological solutions, more efficient, socially acceptable and affordable technology components and systems with in-built intelligence, to allow real-time energy management for new and existing near-zero-emission, near-zero-energy and positive energy buildings, retrofitted buildings, cities and districts, renewable heating and cooling, highly efficient industries and mass take-up of energy efficiency and energy saving solutions and services by companies, individuals, communities and cities. ";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:45:58";"664323" +"H2020-EU.3.3.5.";"en";"H2020-EU.3.3.5.";"";"";"New knowledge and technologies";"New knowledge and technologies";"

New knowledge and technologies

Activities shall focus on multi-disciplinary research for clean, safe and sustainable energy technologies (including visionary actions) and joint implementation of pan-European research programmes and world-class facilities.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:48";"664351" +"H2020-EU.3.3.4.";"en";"H2020-EU.3.3.4.";"";"";"A single, smart European electricity grid";"A single, smart European electricity grid";"

A single, smart European electricity grid

Activities shall focus on research, development and full scale demonstration of new smart energy grid technologies, back-up and balancing technologies enabling higher flexibility and efficiency, including conventional power plants, flexible energy storage, systems and market designs to plan, monitor, control and safely operate interoperable networks, including standardisation issues, in an open, decarbonised, environmentally sustainable, climate-resilient and competitive market, under normal and emergency conditions";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:45";"664349" +"H2020-EU.3.3.8.";"en";"H2020-EU.3.3.8.";"";"";"FCH2 (energy objectives)";"";"";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 21:40:01";"665333" +"H2020-EU.3.3.7.";"en";"H2020-EU.3.3.7.";"";"";"Market uptake of energy innovation - building on Intelligent Energy Europe";"Market uptake of energy innovation";"

Market uptake of energy innovation - building on Intelligent Energy Europe

Activities shall build upon and further enhance those undertaken within the Intelligent Energy Europe (IEE) programme. They shall focus on applied innovation and promotion of standards to facilitate the market uptake of energy technologies and services, to address non-technological barriers and to accelerate the cost-effective implementation of the Union's energy policies. Attention will also be given to innovation for the smart and sustainable use of existing technologies";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:56";"664355" +"H2020-EU.3.3.6.";"en";"H2020-EU.3.3.6.";"";"";"Robust decision making and public engagement";"Robust decision making and public engagement";"

Robust decision making and public engagement

Activities shall focus on the development of tools, methods, models and forward-looking and perspective scenarios for a robust and transparent policy support, including activities on public engagement, user involvement, environmental impact and sustainability assessment improving the understanding of energy-related socio-economic trends and prospects.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:52";"664353" +"H2020-EU.3.3.2.";"en";"H2020-EU.3.3.2.";"";"";"Low-cost, low-carbon energy supply";"Low-cost, low-carbon energy supply";"

Low-cost, low-carbon electricity supply

Activities shall focus on research, development and full scale demonstration of innovative renewables, efficient, flexible and low carbon emission fossil power plants and carbon capture and storage, or CO2 re-use technologies, offering larger scale, lower cost, environmentally safe technologies with higher conversion efficiency and higher availability for different market and operating environments.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:12";"664331" +"H2020-EU.2.1.1.1.";"en";"H2020-EU.2.1.1.1.";"";"";"A new generation of components and systems: Engineering of advanced embedded and energy and resource efficient components and systems";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 20:40:33";"664149" +"H2020-EU.2.1.1.6.";"en";"H2020-EU.2.1.1.6.";"";"";"Micro- and nanoelectronics and photonics: Key enabling technologies related to micro- and nanoelectronics and to photonics, covering also quantum technologies";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 20:40:51";"664159" +"H2020-EU.2.1.1.7.";"en";"H2020-EU.2.1.1.7.";"";"";"ECSEL";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 21:39:46";"665325" +"H2020-EU.2.1.1.4.";"en";"H2020-EU.2.1.1.4.";"";"";"Content technologies and information management: ICT for digital content, cultural and creative industries";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 20:40:44";"664155" +"H2020-EU.2.1.1.2.";"en";"H2020-EU.2.1.1.2.";"";"";"Next generation computing: Advanced and secure computing systems and technologies, including cloud computing";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 20:40:37";"664151" +"H2020-EU.2.1.1.5.";"en";"H2020-EU.2.1.1.5.";"";"";"Advanced interfaces and robots: Robotics and smart spaces";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 20:40:47";"664157" +"H2020-EU.2.1.1.3.";"en";"H2020-EU.2.1.1.3.";"";"";"Future Internet: Software, hardware, Infrastructures, technologies and services";"";"";"";"H2020";"H2020-EU.2.1.1.";"";"";"2014-09-22 20:40:40";"664153" +"H2020-EU.2.3.1.";"en";"H2020-EU.2.3.1.";"";"";" Mainstreaming SME support, especially through a dedicated instrument";"Mainstreaming SME support";"

Mainstreaming SME support especially through a dedicated instrument

SMEs shall be supported across Horizon 2020. For this purpose, to participate in Horizon 2020, better conditions for SMEs shall be established. In addition, a dedicated SME instrument shall provide staged and seamless support covering the whole innovation cycle. The SME instrument shall be targeted at all types of innovative SMEs showing a strong ambition to develop, grow and internationalise. It shall be provided for all types of innovation, including service, non-technological and social innovations, given each activity has a clear European added value. The aim is to develop and capitalise on the innovation potential of SMEs by filling the gap in funding for early stage high-risk research and innovation, stimulating innovations and increasing private-sector commercialisation of research results.The instrument will operate under a single centralised management system, light administrative regime and a single entry point. It shall be implemented primarily in a bottom-up manner through a continuously open call.All of the specific objectives of the priority 'Societal challenges', and the specific objective 'Leadership in enabling and industrial technologies' will apply the dedicated SME instrument and allocate an amount for this.";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:51";"664225" +"H2020-EU.2.3.2.";"en";"H2020-EU.2.3.2.";"";"";"Specific support";"";"";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:54";"664227" +"H2020-EU.1.3.4.";"en";"H2020-EU.1.3.4.";"";"";"Increasing structural impact by co-funding activities";"MSCA Co-funding";"

Increasing the structural impact by co-funding the activities

The goal is, by leveraging additional funds, to increase the numerical and structural impact of Marie Skłodowska-Curie actions and to foster excellence at national level in researchers' training, mobility and career development.Key activities shall be, with the aid of a co-funding mechanism, to encourage regional, national and international organisations, both public and private, to create new programmes and to adapt existing ones to international and intersectoral training, mobility and career development. This will increase the quality of research training in Europe at all career stages, including at doctoral level, foster free circulation of researchers and scientific knowledge in Europe, promote attractive research careers by offering open recruitment and attractive working conditions, and support research and innovation cooperation between universities, research institutions and enterprises and cooperation with third countries and international organisations.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:36";"664117" +"H2020-EU.1.3.5.";"en";"H2020-EU.1.3.5.";"";"";"Specific support and policy actions";"MSCA Specific support";"

Specific support and policy action

The goals are to monitor progress, identify gaps and barriers in the Marie Skłodowska-Curie actions and to increase their impact. In this context, indicators shall be developed and data related to researchers' mobility, skills, careers and gender equality analysed, seeking synergies and close coordination with the policy support actions on researchers, their employers and funders carried out under the specific objective 'Europe in a changing world - Inclusive, innovative and reflective societies'. The activity shall further aim at raising awareness of the importance and attractiveness of a research career and at disseminating research and innovation results emanating from work supported by Marie Skłodowska-Curie actions.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:39";"664119" +"H2020-EU.3.1.6.";"en";"H2020-EU.3.1.6.";"";"";"Health care provision and integrated care";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 20:44:22";"664275" +"H2020-EU.3.1.1.";"en";"H2020-EU.3.1.1.";"";"";"Understanding health, wellbeing and disease";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 20:43:16";"664239" +"H2020-EU.3.1.7.";"en";"H2020-EU.3.1.7.";"";"";"Innovative Medicines Initiative 2 (IMI2)";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 21:40:29";"665349" +"H2020-EU.3.1.5.";"en";"H2020-EU.3.1.5.";"";"";"Methods and data";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 20:44:07";"664267" +"H2020-EU.3.1.4.";"en";"H2020-EU.3.1.4.";"";"";"Active ageing and self-management of health";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 20:43:57";"664261" +"H2020-EU.3.1.2.";"en";"H2020-EU.3.1.2.";"";"";"Preventing disease";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 20:43:31";"664247" +"H2020-EU.2.1.5.1.";"en";"H2020-EU.2.1.5.1.";"";"";"Technologies for Factories of the Future";"Technologies for Factories of the Future";"

Technologies for Factories of the Future

Promoting sustainable industrial growth by facilitating a strategic shift in Europe from cost-based manufacturing to an approach based on resource efficiency and the creation of high added value products and ICT-enabled intelligent and high performance manufacturing in an integrated system.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:03";"664199" +"H2020-EU.2.1.5.4.";"en";"H2020-EU.2.1.5.4.";"";"";"New sustainable business models";"New sustainable business models";"

New sustainable business models

Deriving concepts and methodologies for adaptive, knowledge-based business models in customised approaches, including alternative resource-productive approaches.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:14";"664205" +"H2020-EU.2.1.5.2.";"en";"H2020-EU.2.1.5.2.";"";"";"Technologies enabling energy-efficient systems and energy-efficient buildings with a low environmental impact";"Technologies enabling energy-efficient systems and buildings";"

Technologies enabling energy-efficient systems and energy-efficient buildings with a low environmental impact

Reducing energy consumption and CO2 emissions by the research, development and deployment of sustainable construction technologies and systems, addressing the whole value chain as well as reducing the overall environmental impact of buildings.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:06";"664201" +"H2020-EU.3.1.3.1.";"en";"H2020-EU.3.1.3.1.";"";"";"Treating disease, including developing regenerative medicine";"";"";"";"H2020";"H2020-EU.3.1.3.";"";"";"2014-09-22 20:43:49";"664257" +"H2020-EU.3.1.3.2.";"en";"H2020-EU.3.1.3.2.";"";"";"Transferring knowledge to clinical practice and scalable innovation actions";"";"";"";"H2020";"H2020-EU.3.1.3.";"";"";"2014-09-22 20:43:53";"664259" +"H2020-EU.2.1.6.3.";"en";"H2020-EU.2.1.6.3.";"";"";"Enabling exploitation of space data";"Enabling exploitation of space data";"

Enabling exploitation of space data

A considerably increased exploitation of data from European satellites (scientific, public or commercial) can be achieved if further effort is made for the processing, archiving, validation, standardisation and sustainable availability of space data as well as for supporting the development of new information products and services resulting from those data, having regard to Article 189 TFEU, including innovations in data handling, dissemination and interoperability, in particular promotion of access to and exchange of Earth science data and metadata. These activities can also ensure a higher return on investment of space infrastructure and contribute to tackling societal challenges, in particular if coordinated in a global effort such as through the Global Earth Observation System of Systems (GEOSS), namely by fully exploiting the Copernicus programme as its main European contribution, the European satellite navigation programme Galileo or the Intergovernmental Panel on Climate Change (IPCC) for climate change issues. A fast introduction of these innovations into the relevant application and decision-making processes will be supported. This also includes the exploitation of data for further scientific investigation.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:29";"664213" +"H2020-EU.2.1.6.2.";"en";"H2020-EU.2.1.6.2.";"";"";"Enabling advances in space technology";"Enabling advances in space technology";"

Enabling advances in space technologies

This aims at developing advanced and enabling space technologies and operational concepts from idea to demonstration in space. This includes technologies supporting access to space, technologies for the protection of space assets from threats such as debris and solar flares, as well as satellite telecommunication, navigation and remote sensing. The development and application of advanced space technologies requires the continuous education and training of highly skilled engineers and scientists as well as strong links between them and the users of space applications.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:25";"664211" +"H2020-EU.2.1.6.4.";"en";"H2020-EU.2.1.6.4.";"";"";"Enabling European research in support of international space partnerships";"Research in support of international space partnerships";"

Enabling European research in support of international space partnerships

Space undertakings have a fundamentally global character. This is particularly clear for activities such as Space Situational Awareness (SSA), and many space science and exploration projects. The development of cutting edge space technology is increasingly taking place within such international partnerships. Ensuring access to these constitutes an important success factor for European researchers and industry. The definition and implementation of long-term roadmaps and the coordination with international partners are essential to this objective.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:32";"664215" +"H2020-EU.3.7.";"en";"H2020-EU.3.7.";"";"";"Secure societies - Protecting freedom and security of Europe and its citizens";"Secure societies";"

Secure societies - Protecting freedom and security of Europe and its citizens

Specific objective

The specific objective is to foster secure European societies in a context of unprecedented transformations and growing global interdependencies and threats, while strengthening the European culture of freedom and justice.Europe has never been so peacefully consolidated, and the levels of security enjoyed by European citizens are high compared to other parts of the world. However, Europe's vulnerability continues to exist in a context of ever-increasing globalisation in which societies are facing security threats and challenges that are growing in scale and sophistication.The threat of large-scale military aggressions has decreased and security concerns are focused on new multifaceted, interrelated and transnational threats. Aspects such as human rights, environmental degradation, political stability and democracy, social issues, cultural and religious identity or migration need to be taken into account. In this context the internal and external aspects of security are inextricably linked. In order to protect freedom and security, the Union requires effective responses using a comprehensive and innovative suite of security instruments. Research and innovation can play a clear supporting role although it cannot alone guarantee security. Research and innovation activities should aim at understanding, detecting, preventing, deterring, preparing and protecting against security threats. Furthermore, security presents fundamental challenges that cannot be resolved by independent and sector-specific treatment but rather need more ambitious, coordinated and holistic approaches.Many forms of insecurity, whether from crime, violence, terrorism, natural or man-made disasters, cyber attacks or privacy abuses, and other forms of social and economic disorders increasingly affect citizens.According to estimates, there are likely to be up to 75 million direct victims of crime every year in Europe. The direct cost of crime, terrorism, illegal activities, violence and disasters in Europe has been estimated at least EUR 650 billion (about 5 % of the Union GDP) in 2010. Terrorism has shown its fatal consequences in several parts of Europe and worldwide costing many lives and important economic losses. It also has a significant cultural and global impact.Citizens, firms and institutions are increasingly involved in digital interactions and transactions in social, financial and commercial areas of life, but the development of Internet has also led to cyber crime worth billions of Euros each year, to cyber attacks on critical infrastructures and to breaches of privacy affecting individuals or entities across the continent. Changes in the nature and perception of insecurity in everyday life are likely to affect citizens' trust not only in institutions but also in each other.In order to anticipate, prevent and manage these threats, it is necessary to understand the causes, develop and apply innovative technologies, solutions, foresight tools and knowledge, stimulate cooperation between providers and users, find civil security solutions, improve the competitiveness of the European security industry and services, including ICT, and prevent and combat the abuse of privacy and breaches of human rights in the Internet and elsewhere, while ensuring European citizens' individual rights and freedom.To enhance better cross-border collaboration between different kinds of emergency services, attention should be given to interoperability and standardisation.Finally, as security policies should interact with different social policies, enhancing the societal dimension of security research will be an important aspect of this societal challenge.Respecting fundamental values such as freedom, democracy, equality and the rule of law must be the base of any activity undertaken in the context of this challenge to provide security to European citizens.

Rationale and Union added value

The Union and its citizens, industry and international partners are confronted with a range of security threats like crime, terrorism, illegal trafficking and mass emergencies due to natural or man-made disasters. These threats can span across borders and aim at physical targets or the cyberspace with attacks arising from different sources. Attacks against information or communication systems of public authorities and private entities, for instance, not only undermine the citizens' trust in information and communication systems and lead to direct financial losses and a loss of business opportunities, but may also seriously affect critical infrastructure and services such as energy, aviation and other transport, water and food supply, health, finance or telecommunications.These threats could possibly endanger the inner foundations of our society. Technology and creative design can bring an important contribution to any response to be made. Yet, new solutions should be developed while bearing in mind the appropriateness of the means and their adequacy to the societal demand, in particular in terms of guarantees for citizens' fundamental rights and freedoms.Finally, security also represents a major economic challenge, considering Europe's share of the fast growing global security market. Given the potential impact of some threats on services, networks or businesses, the deployment of adequate security solutions has become critical for the economy and European manufacturing competitiveness. Cooperation among Member States but also with third countries and international organisations is part of this challenge.Union research and innovation funding under this societal challenge will thus support the development, implementation and adaptation of key Union policies, notably the objectives of the Europe 2020 strategy, the Common Foreign and Security Policy, the Union's Internal Security Strategy and the flagship initiative 'Digital Agenda for Europe'. Coordination with the JRC direct actions will be pursued.

Broad lines of activities

The aim is to support Union policies for internal and external security and to ensure cyber security, trust and privacy in the Digital Single Market, whilst at the same time improving the competitiveness of the Union's security industry and services, including ICT. The activities will include a focus on the research and development of the next generation of innovative solutions, by working on novel concepts, designs and interoperable standards. This will be done by developing innovative technologies and solutions that address security gaps and lead to a reduction in the risk from security threats.These mission-oriented actions will integrate the demands of different end-users (citizens, businesses, civil society organisations and administrations, including national and international authorities, civil protection, law enforcement, border guards, etc.) in order to take into account the evolution of security threats and privacy protection and the necessary societal aspects.The focus of activities shall be to:(a) fight crime, illegal trafficking and terrorism, including understanding and tackling terrorist ideas and beliefs; (b) protect and improve the resilience of critical infrastructures, supply chains and transport modes; (c) strengthen security through border management;(d) improve cyber security; (e) increase Europe's resilience to crises and disasters; (f) ensure privacy and freedom, including in the Internet, and enhance the societal legal and ethical understanding of all areas of security, risk and management; (g) enhance standardisation and interoperability of systems, including for emergency purposes; (h) support the Union's external security policies, including conflict prevention and peace-building. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:50:23";"664463" +"H2020-EU.3.6.";"en";"H2020-EU.3.6.";"";"";"SOCIETAL CHALLENGES - Europe In A Changing World - Inclusive, Innovative And Reflective Societies";"Inclusive, innovative and reflective societies";"

SOCIETAL CHALLENGES - Europe In A Changing World - Inclusive, Innovative And Reflective Societies

Specific objective

The specific objective is to foster a greater understanding of Europe, provide solutions and support inclusive, innovative and reflective European societies in a context of unprecedented transformations and growing global interdependencies.Europe is confronted with major socio-economic challenges which significantly affect its common future. These include growing economic and cultural interdependencies, ageing and demographic change, social exclusion and poverty, integration and disintegration, inequalities and migration flows, a growing digital divide, fostering a culture of innovation and creativity in society and enterprises, and a decreasing sense of trust in democratic institutions and between citizens within and across borders. These challenges are enormous and they call for a common European approach, based upon shared scientific knowledge that social sciences and humanities, among others, can provide.Significant inequalities persist in the Union both across countries and within them. In 2011 the Human Development Index, an aggregate measure of progress in health, education and income, scores the Member States between 0,771 and 0,910, thus reflecting considerable divergences between countries. Significant gender inequalities also persist: for instance, the gender pay gap in the Union remains at an average of 17,8 % in favour of men. In 2011, one in every six Union citizens (around 80 million people) was at risk of poverty. Over the past two decades the poverty of young adults and families with children has risen. The youth unemployment rate is above 20 %. 150 million Europeans (some 25 %) have never used the internet and may never get sufficient digital literacy. Political apathy and polarisation in elections has also risen, reflecting citizens' faltering trust in current political systems.These figures suggest that some social groups and communities are persistently left out of social and economic development and/or democratic politics. These inequalities do not only stifle societal development but hamper the economies in the Union and reduce the research and innovation capacities within and across countries.A central challenge in addressing these inequalities will be the fostering of settings in which European, national and ethnic identities can coexist and be mutually enriching.Moreover, the number of Europeans aged over 65 is expected to rise significantly by 42 % from 87 million in 2010 to 124 million in 2030. This presents a major challenge for the economy, society and the sustainability of public finances.Europe's productivity and economic growth rates have been relatively decreasing for four decades. Furthermore, its share of the global knowledge production and its innovation performance lead compared to key emerging economies such as Brazil and China are declining fast. Although Europe has a strong research base, it needs to make this base a powerful asset for innovative goods and services.It is well-known that Europe needs to invest more in science and innovation and that it will also have to coordinate these investments better than in the past. Since the financial crisis many economic and social inequalities in Europe have been aggravated even further, and the return of pre-crisis rates of economic growth seems a long way off for most of the Union. The current crisis also suggests that it is challenging to find solutions to crises that reflect the heterogeneity of Member States and their interests.These challenges must be tackled together and in innovative and multi-disciplinary ways because they interact in complex and often unexpected ways. Innovation may lead to weakening inclusiveness, as can be seen, for instance, in the phenomena of digital divide or labour market segmentation. Social innovation and social trust are sometimes difficult to reconcile in policies, for instance in socially depressed areas in large cities in Europe. Besides, the conjunction of innovation and citizens' evolving demands also lead policymakers and economic and social actors to find new answers that ignore established boundaries between sectors, activities, goods or services. Phenomena such as the growth of Internet, of the financial systems, of the ageing economy and of the ecological society abundantly show how it is necessary to think and respond to these issues across their dimensions of inclusiveness and innovation at the same time.The in-built complexity of these challenges and the evolutions of demands thus make it essential to develop innovative research and new smart technologies, processes and methods, social innovation mechanisms, coordinated actions and policies that will anticipate or influence major evolutions for Europe. It calls for a renewed understanding of determinants of innovation. In addition, it calls for understanding the underlying trends and impacts within these challenges and rediscovering or reinventing successful forms of solidarity, behaviour, coordination and creativity that make Europe distinctive in terms of inclusive, innovative and reflective societies compared to other regions of the world.It also requires a more strategic approach to cooperation with third countries, based on a deeper understanding of the Union's past and its current and future role as a global player.

Rationale and Union added value

These challenges go beyond national borders and thus call for more complex comparative analyses to develop a base upon which national and European policies can be better understood. Such comparative analyses should address mobility (of people, goods, services and capital but also of competences, knowledge and ideas) and forms of institutional cooperation, intercultural interactions and international cooperation. If these challenges are not better understood and anticipated, forces of globalisation also push European countries to compete with each other rather than cooperate, thus accentuating differences in Europe rather than commonalities and a right balance between cooperation and competition. Addressing such critical issues, including socio-economic challenges, only at national level, carries the danger of inefficient use of resources, externalisation of problems to other European and non-European countries and the accentuation of social, economic and political tensions that may directly affect the aims of the Treaties regarding its values, in particular Title I of the Treaty on European Union.In order to understand, analyse and build inclusive, innovative and reflective societies, Europe requires a response which unfolds the potential of shared ideas for the European future to create new knowledge, technologies and capabilities. The concept of inclusive societies acknowledges the diversity in culture, regions and socio-economic settings as a European strength. Turning European diversity into a source of innovation and development is needed. Such endeavour will help Europe tackle its challenges not only internally but also as a global player on the international scene. This, in turn, will also help Member States benefit from experiences elsewhere and allow them to better define their own specific actions corresponding to their respective contexts.Fostering new modes of cooperation between countries within the Union and worldwide, as well as across relevant research and innovation communities, will therefore be a central task under this societal challenge. Supporting social and technological innovation processes, encouraging smart and participatory public administration, as well as informing and promoting evidence-based policy making will be systematically pursued in order to enhance the relevance of all these activities for policymakers, social and economic actors, and citizens. Research and innovation will be a precondition for the competitiveness of European businesses and services with particular attention to sustainability, advancing education, increasing employment, and reducing poverty.Union funding under this challenge will thus support the development, implementation and adaptation of key Union policies, notably the objectives of the Europe 2020 strategy. It will interface, as and when appropriate, with Joint Programming Initiatives, including ""Cultural Heritage"", ""More Years, Better Lives"" and ""Urban Europe"", and coordination with the JRC direct actions will be pursued.

Broad lines of activities

Inclusive societies

The aim is to gain a greater understanding of the societal changes in Europe and their impact on social cohesion, and to analyse and develop social, economic and political inclusion and positive inter-cultural dynamics in Europe and with international partners, through cutting-edge science and interdisciplinarity, technological advances and organisational innovations. The main challenges to be tackled concerning European models for social cohesion and well-being are, inter alia, migration, integration, demographic change, the ageing society and disability, education and lifelong learning, as well as the reduction of poverty and social exclusion taking into account the different regional and cultural characteristics.Social sciences and humanities research plays a leading role here as it explores changes over time and space and enables exploration of imagined futures. Europe has a huge shared history of both co-operation and conflict. Its dynamic cultural interactions provide inspiration and opportunities. Research is needed to understand identity and belonging across communities, regions and nations. Research will support policymakers in designing policies that foster employment, combat poverty and prevent the development of various forms of divisions, conflict and political and social exclusion, discrimination and inequalities, such as gender and intergenerational inequalities, discrimination due to disability or ethnic origin, or digital or innovation divides, in European societies and in other regions of the world. It shall in particular feed into the implementation and the adaptation of the Europe 2020 strategy and the broad external action of the Union.The focus of activities shall be to understand and foster or implement:(a) the mechanisms to promote smart, sustainable and inclusive growth; (b) trusted organisations, practices, services and policies that are necessary to build resilient, inclusive, participatory, open and creative societies in Europe, in particular taking into account migration, integration and demographic change; (c) Europe's role as a global actor, notably regarding human rights and global justice; (d) the promotion of sustainable and inclusive environments through innovative spatial and urban planning and design.

Innovative societies

The aim is to foster the development of innovative societies and policies in Europe through the engagement of citizens, civil society organisations, enterprises and users in research and innovation and the promotion of coordinated research and innovation policies in the context of globalisation and the need to promote the highest ethical standards. Particular support will be provided for the development of the ERA and the development of framework conditions for innovation.Cultural and societal knowledge is a major source of creativity and innovation, including business, public sector and social innovation. In many cases social and user-led innovations also precede the development of innovative technologies, services and economic processes. The creative industries are a major resource to tackle societal challenges and for competitiveness. As interrelations between social and technological innovation are complex, and rarely linear, further research, including cross-sectoral and multidisciplinary research, is needed into the development of all types of innovation and activities funded to encourage its effective development into the future.The focus of activities shall be to:(a) strengthen the evidence base and support for the flagship initiative ""Innovation Union"" and ERA; (b) explore new forms of innovation, with special emphasis on social innovation and creativity, and understand how all forms of innovation are developed, succeed or fail; (c) make use of the innovative, creative and productive potential of all generations; (d) promote coherent and effective cooperation with third countries.

Reflective societies - cultural heritage and European identity

The aim is to contribute to an understanding of Europe's intellectual basis – its history and the many European and non-European influences – as an inspiration for our lives today. Europe is characterized by a variety of different peoples (including minorities and indigenous people), traditions and regional and national identities as well as by different levels of economic and societal development. Migration and mobility, the media, industry and transport contribute to the diversity of views and lifestyles. This diversity and its opportunities should be recognized and considered.European collections in libraries, including digital ones, archives, museums, galleries and other public institutions have a wealth of rich, untapped documentation and objects for study. These archival resources, together with intangible heritage, represent the history of individual Member States but also the collective heritage of a Union that has emerged through time. Such materials should be made accessible, also through new technologies, to researchers and citizens to enable a look to the future through the archive of the past. Accessibility and preservation of cultural heritage in these forms is needed for the vitality of the living engagements within and across European cultures now and contributes to sustainable economic growth.The focus of activities shall be to:(a) study European heritage, memory, identity, integration and cultural interaction and translation, including its representations in cultural and scientific collections, archives and museums, to better inform and understand the present by richer interpretations of the past; (b) research into European countries' and regions' history, literature, art, philosophy and religions and how these have informed contemporary European diversity; (c) research on Europe's role in the world, on the mutual influence and ties between the regions of the world, and a view from outside on European cultures. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:49:28";"664435" +"H2020-EU.3.5.";"en";"H2020-EU.3.5.";"";"";"SOCIETAL CHALLENGES - Climate action, Environment, Resource Efficiency and Raw Materials";"Climate and environment";"

SOCIETAL CHALLENGES - Climate action, Environment, Resource Efficiency and Raw Materials

Specific objective

The specific objective is to achieve a resource- and water-efficient and climate change resilient economy and society, the protection and sustainable management of natural resources and ecosystems, and a sustainable supply and use of raw materials, in order to meet the needs of a growing global population within the sustainable limits of the planet's natural resources and ecosystems. Activities will contribute to increasing European competitiveness and raw materials security and to improving well being, whilst assuring environmental integrity, resilience and sustainability with the aim of keeping average global warming below 2 °C and enabling ecosystems and society to adapt to climate change and other environmental changes.During the 20th century, the world increased both its fossil fuel use and the extraction of material resources by a factor of ten. This era of seemingly plentiful and cheap resources is coming to an end. Raw materials, water, air, biodiversity and terrestrial, aquatic and marine ecosystems are all under pressure. Many of the world's major ecosystems are being degraded, with up to 60 % of the services that they provide being used unsustainably. In the Union, some 16 tonnes of materials are used per person each year, of which 6 tonnes are wasted, with half going to landfill. The global demand for resources continues to increase with the growing population and rising aspirations, in particular of middle-income earners in emerging economies. Economic growth needs to be decoupled from resource use.The average temperature of the Earth's surface has increased by about 0,8 °C over the past 100 years and is projected to increase by between 1,8 to 4 °C by the end of the 21st century (relative to the 1980-1999 average). The likely impacts on natural and human systems associated with these changes will challenge the planet and its ability to adapt, as well as threaten future economic development and the well being of humanity.The growing impacts from climate change and environmental problems, such as ocean acidification, changes in ocean circulation, increase of seawater temperature, ice melting in the Arctic and decreased seawater salinity, land degradation and use, loss of soil fertility, water scarcity, droughts and floods, seismic and volcanic hazards, changes in spatial distribution of species, chemical pollution, over-exploitation of resources, and biodiversity loss, indicate that the planet is approaching its sustainability boundaries. For example, without improvements in efficiency across all sectors, including through innovative water systems, water demand is projected to overshoot supply by 40 % in 20 years time, which will lead to severe water stress and shortages. Forests are disappearing at an alarmingly high rate of 5 million hectares per year. Interactions between resources can cause systemic risks, with the depletion of one resource generating an irreversible tipping point for other resources and ecosystems. Based on current trends, the equivalent of more than two planet Earths will be needed by 2050 to support the growing global population.The sustainable supply and resource-efficient management of raw materials, including their exploration, extraction, processing, re-use, recycling and substitution, is essential for the functioning of modern societies and their economies. European sectors, such as construction, chemicals, automotive, aerospace, machinery and equipment, which provide a total added value of some EUR 1,3 trillion and employment for approximately 30 million people, heavily depend on access to raw materials. However, the supply of raw materials to the Union is coming under increasing pressure. Furthermore, the Union is highly dependent on imports of strategically important raw materials, which are being affected at an alarming rate by market distortions.Moreover, the Union still has valuable mineral deposits, whose exploration, extraction and processing is limited by a lack of adequate technologies, by inadequate waste cycle management and by lack of investment, and hampered by increased global competition. Given the importance of raw materials for European competitiveness, for the economy and for their application in innovative products, the sustainable supply and resource-efficient management of raw materials is a vital priority for the Union.The ability of the economy to adapt and become more climate change resilient and resource-efficient and at the same time to remain competitive depends on high levels of eco-innovation, of a societal, economic, organisational and technological nature. With the global market for eco-innovation worth around EUR 1 trillion per year and expected to triple by 2030, eco-innovation represents a major opportunity to boost competitiveness and job creation in European economies.

Rationale and Union added value

Meeting Union and international targets for greenhouse gas emissions and concentrations and coping with climate change impacts requires a transition towards a low-carbon society and the development and deployment of cost-effective and sustainable technological and non-technological solutions, and mitigation and adaptation measures, and a stronger understanding of societal responses to these challenges. Union and global policy frameworks must ensure that ecosystems and biodiversity are protected, valued and appropriately restored in order to preserve their ability to provide resources and services in the future. Water challenges in the rural, urban and industrial environments need to be addressed to promote water system innovation and resource efficiency and to protect aquatic ecosystems. Research and innovation can help secure reliable and sustainable access to and exploitation of raw materials on land and sea bed and ensure a significant reduction in resource use and wastage.The focus of Union actions shall therefore be on supporting key Union objectives and policies covering the whole innovation cycle and the elements of the knowledge triangle, including the Europe 2020 strategy; the flagship initiatives 'Innovation Union', 'An industrial policy for the globalisation era', 'Digital Agenda for Europe' and 'Resource-efficient Europe' and the corresponding Roadmap; the Roadmap for moving to a competitive low-carbon economy in 2050; 'Adapting to climate change: Towards a European framework for action'; the Raw Materials Initiative; the Union's Sustainable Development Strategy; an Integrated Maritime Policy for the Union; the Marine Strategy Framework Directive; the Water Framework Directive and the Directives based on it; the Floods Directive; the Eco-innovation Action Plan; and the General Union Environment Action Programme to 2020. These actions shall, when appropriate, interface with relevant European Innovation Partnerships and Joint Programming Initiatives. These actions shall reinforce the ability of society to become more resilient to environmental and climate change and ensure the availability of raw materials.Given the transnational and global nature of the climate and the environment, their scale and complexity, and the international dimension of the raw materials supply chain, activities have to be carried out at the Union level and beyond. The multi-disciplinary character of the necessary research requires pooling complementary knowledge and resources in order to effectively tackle this challenge in a sustainable way. Reducing resource use and environmental impacts, whilst increasing competitiveness, will require a decisive societal and technological transition to an economy based on a sustainable relationship between nature and human well-being. Coordinated research and innovation activities will improve the understanding and forecasting of climate and environmental change in a systemic and cross-sectoral perspective, reduce uncertainties, identify and assess vulnerabilities, risks, costs and opportunities, as well as expand the range and improve the effectiveness of societal and policy responses and solutions. Actions will also seek to improve research and innovation delivery and dissemination to support policy making and to empower actors at all levels of society to actively participate in this process.Addressing the availability of raw materials calls for co-ordinated research and innovation efforts across many disciplines and sectors to help provide safe, economically feasible, environmentally sound and socially acceptable solutions along the entire value chain (exploration, extraction, processing, design, sustainable use and re-use, recycling and substitution). Innovation in these fields will provide opportunities for growth and jobs, as well as innovative options involving science, technology, the economy, society, policy and governance. For these reasons, European Innovation Partnerships on Water and Raw Materials have been launched.Responsible eco-innovation may provide valuable new opportunities for growth and jobs. Solutions developed through Union level action will counter key threats to industrial competitiveness and enable rapid uptake and replication across the single market and beyond. This will enable the transition towards a green economy that takes into account the sustainable use of resources. Partners for this approach will include international, European and national policy makers, international and Member State research and innovation programmes, European business and industry, the European Environment Agency and national environment agencies, and other relevant stakeholders.In addition to bilateral and regional cooperation, Union level actions will also support relevant international efforts and initiatives, including the Intergovernmental Panel on Climate Change (IPCC), the Intergovernmental Platform on Biodiversity and Ecosystem Services (IPBES) and the Group on Earth Observations (GEO).

Broad lines of the activities

(a) Fighting and adapting to climate change

The aim is to develop and assess innovative, cost-effective and sustainable adaptation and mitigation measures and strategies, targeting both CO2 and non-CO2 greenhouse gases and aerosols, and underlining both technological and non technological green solutions, through the generation of evidence for informed, early and effective action and the networking of the required competences. Activities shall focus on improving the understanding of climate change and the risks associated with extreme events and abrupt climate-related changes with a view to providing reliable climate projections; assessing impacts at global, regional and local level, and vulnerabilities; developing innovative cost-effective adaptation and risk prevention and management measures; and supporting mitigation policies and strategies, including studies that focus on impact from other sectoral policies.

(b) Protecting the environment, sustainably managing natural resources, water, biodiversity and ecosystems

The aim is to provide knowledge and tools for the management and protection of natural resources, in order to achieve a sustainable balance between limited resources and the present and future needs of society and the economy. Activities shall focus on furthering our understanding of biodiversity and the functioning of ecosystems, their interactions with social systems and their role in sustaining the economy and human well-being; developing integrated approaches to address water-related challenges and the transition to sustainable management and use of water resources and services; and providing knowledge and tools for effective decision making and public engagement.

(c) Ensuring the sustainable supply of non-energy and non-agricultural raw materials

The aim is to improve the knowledge base on raw materials and develop innovative solutions for the cost-effective, resource-efficient and environmentally friendly exploration, extraction, processing, use and re-use, recycling and recovery of raw materials and for their substitution by economically attractive and environmentally sustainable alternatives with a lower environmental impact, including closed-loop processes and systems. Activities shall focus on improving the knowledge base on the availability of raw materials; promoting the sustainable and efficient supply, use and re-use of raw materials, including mineral resources, from land and sea; finding alternatives for critical raw materials; and improving societal awareness and skills on raw materials.

(d) Enabling the transition towards a green economy and society through eco-innovation

The aim is to foster all forms of eco-innovation that enable the transition to a green economy. Activities shall, inter alia, build upon and enhance those undertaken in the Eco-Innovation Programme and focus on strengthening eco-innovative technologies, processes, services and products, including exploring ways to reduce the quantities of raw materials in production and consumption, overcoming barriers in this context, and boosting their market uptake and replication, with special attention for SMEs; supporting innovative policies, sustainable economic models and societal changes; measuring and assessing progress towards a green economy; and fostering resource efficiency through digital systems.

(e) Developing comprehensive and sustained global environmental observation and information systems

The aim is to ensure the delivery of the long-term data and information required to address this challenge. Activities shall focus on the capabilities, technologies and data infrastructures for Earth observation and monitoring from both remote sensing and in situ measurements that can continuously provide timely and accurate information and permit forecasts and projections. Free, open and unrestricted access to interoperable data and information will be encouraged. Activities shall help define future operational activities of the Copernicus programme and enhance the use of Copernicus data for research activities.

(f) Cultural heritage

The aim is to research into the strategies, methodologies and tools needed to enable a dynamic and sustainable cultural heritage in Europe in response to climate change. Cultural heritage in its diverse physical forms provides the living context for resilient communities responding to multivariate changes. Research in cultural heritage requires a multidisciplinary approach to improve the understanding of historical material. Activities shall focus on identifying resilience levels through observations, monitoring and modelling as well as provide for a better understanding on how communities perceive and respond to climate change and seismic and volcanic hazards.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:48:01";"664389" +"H2020-EU.3.6.2.1.";"en";"H2020-EU.3.6.2.1.";"";"";"Strengthen the evidence base and support for the Innovation Union and ERA";"";"";"";"H2020";"H2020-EU.3.";"";"";"2018-11-28 15:58:24";"703985" +"H2020-EU.4.";"en";"H2020-EU.4.";"";"";"SPREADING EXCELLENCE AND WIDENING PARTICIPATION";"Spreading excellence and widening participation";"

SPREADING EXCELLENCE AND WIDENING PARTICIPATION

Specific objective

The specific objective is to fully exploit the potential of Europe's talent pool and to ensure that the benefits of an innovation-led economy are both maximised and widely distributed across the Union in accordance with the principle of excellence.Despite a recent tendency for the innovation performances of individual countries and regions to converge, sharp differences among Member States still remain. Furthermore, by putting national budgets under constraint, the current financial crisis is threatening to widen gaps. Exploiting the potential of Europe's talent pool and maximising and spreading the benefits of innovation across the Union is vital for Europe's competitiveness and its ability to address societal challenges in the future.

Rationale and Union added value

In order to progress towards a sustainable, inclusive and smart society, Europe needs to make the best use of the intelligence that is available in the Union and to unlock untapped R&I potential.By nurturing and connecting pools of excellence, the activities proposed will contribute to strengthening the ERA.

Broad lines of the activities

Specific actions will facilitate the spreading of excellence and widening of participation through the following actions:— Teaming of excellent research institutions and low performing RDI regions aiming at the creation of new (or significant upgrade of existing) centres of excellence in low performing RDI Member States and regions.— Twinning of research institutions aiming at significantly strengthening a defined field of research in an emerging institution through links with at least two internationally-leading institutions in a defined field. — Establishing ‚ERA Chairs’ to attract outstanding academics to institutions with a clear potential for research excellence, in order to help these institutions fully unlock this potential and hereby create a level playing field for research and innovation in the ERA. Possible synergies with ERC activities should be explored.— A Policy Support Facility to improve the design, implementation and evaluation of national/regional research and innovation policies.— Supporting access to international networks for excellent researchers and innovators who lack sufficient involvement in European and international networks, including COST. — Strengthening the administrative and operational capacity of transnational networks of National Contact Points, including through training, so that they can provide better support to potential participants. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:57";"664481" +"H2020-EU.1.";"en";"H2020-EU.1.";"";"";"PRIORITY 'Excellent science'";"Excellent Science";"

PRIORITY 'Excellent science'

This Part aims to reinforce and extend the excellence of the Union's science base and to consolidate the ERA in order to make the Union's research and innovation system more competitive on a global scale. It consists of four specific objectives:a)""The European Research Council (ERC)"" shall provide attractive and flexible funding to enable talented and creative individual researchers and their teams to pursue the most promising avenues at the frontier of science, on the basis of Union-wide competition. H2020-EU.1.1. (http://cordis.europa.eu/programme/rcn/664099_en.html)b)""Future and emerging technologies (FET)"" shall support collaborative research in order to extend Europe's capacity for advanced and paradigm-changing innovation. It shall foster scientific collaboration across disciplines on radically new, high-risk ideas and accelerate development of the most promising emerging areas of science and technology as well as the Union-wide structuring of the corresponding scientific communities. H2020-EU.1.2. (http://cordis.europa.eu/programme/rcn/664101_en.html)c)""Marie Skłodowska-Curie actions"" shall provide excellent and innovative research training as well as attractive career and knowledge-exchange opportunities through cross-border and cross-sector mobility of researchers to best prepare them to face current and future societal challenges. H2020-EU.1.3. (http://cordis.europa.eu/programme/rcn/664109_en.html)d)""Research infrastructures"" shall develop and support excellent European research infrastructures and assist them to contribute to the ERA by fostering their innovation potential, attracting world-level researchers and training human capital, and complement this with the related Union policy and international cooperation. H2020-EU.1.4. (http://cordis.europa.eu/programme/rcn/664121_en.html)Each of those objectives has been proven to have high Union added value. Together, they form a powerful and balanced set of activities which, in concert with activities at national, regional and local level, span the breadth of Europe's needs regarding advanced science and technology. Bringing them together in a single programme will enable them to operate with greater coherence, in a rationalised, simplified and more focused way, while maintaining the continuity which is vital to sustain their effectiveness.The activities are inherently forward-looking, building skills in the long term, focusing on the next generation of science, technology, researchers and innovations and providing support for emerging talent from across the Union and associated countries, as well as worldwide. In view of their science-driven nature and largely 'bottom-up', investigator-driven funding arrangements, the European scientific community will play a strong role in determining the avenues of research followed under Horizon 2020";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:18:04";"664091" +"H2020-EU.5.";"en";"H2020-EU.5.";"";"";"SCIENCE WITH AND FOR SOCIETY";"Science with and for Society";"

SCIENCE WITH AND FOR SOCIETY

Specific objective

The aim is to build effective cooperation between science and society, to recruit new talent for science and to pair scientific excellence with social awareness and responsibility.

Rationale and Union added value

The strength of the European science and technology system depends on its capacity to harness talent and ideas from wherever they exist. This can only be achieved if a fruitful and rich dialogue and active cooperation between science and society is developed to ensure a more responsible science and to enable the development of policies more relevant to citizens. Rapid advances in contemporary scientific research and innovation have led to a rise of important ethical, legal and social issues that affect the relationship between science and society. Improving the cooperation between science and society to enable a widening of the social and political support to science and to technology in all Member States is an increasingly crucial issue which the current economic crisis has greatly exacerbated. Public investment in science requires a vast social and political constituency sharing the values of science, educated and engaged in its processes and able to recognise its contributions to knowledge, to society and to economic progress.

Broad lines of activities

The focus of activities shall be to:(a) make scientific and technological careers attractive to young students, and foster sustainable interaction between schools, research institutions, industry and civil society organisations; (b) promote gender equality in particular by supporting structural changes in the organisation of research institutions and in the content and design of research activities; (c) integrate society in science and innovation issues, policies and activities in order to integrate citizens' interests and values and to increase the quality, relevance, social acceptability and sustainability of research and innovation outcomes in various fields of activity from social innovation to areas such as biotechnology and nanotechnology; (d) encourage citizens to engage in science through formal and informal science education, and promote the diffusion of science-based activities, namely in science centres and through other appropriate channels; (e) develop the accessibility and the use of the results of publicly-funded research; (f) develop the governance for the advancement of responsible research and innovation by all stakeholders (researchers, public authorities, industry and civil society organisations), which is sensitive to society needs and demands, and promote an ethics framework for research and innovation; (g) take due and proportional precautions in research and innovation activities by anticipating and assessing potential environmental, health and safety impacts; (h) improve knowledge on science communication in order to improve the quality and effectiveness of interactions between scientists, general media and the public. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:13";"664495" +"H2020-EU.2.";"en";"H2020-EU.2.";"";"";"PRIORITY 'Industrial leadership'";"Industrial Leadership";"

PRIORITY 'Industrial leadership'

This Part aims to speed up development of the technologies and innovations that will underpin tomorrow's businesses and help innovative European SMEs to grow into world-leading companies. It consists of three specific objectives:a)""Leadership in enabling and industrial technologies"" shall provide dedicated support for research, development and demonstration and, where appropriate, for standardisation and certification, on information and communications technology (ICT), nanotechnology, advanced materials, biotechnology, advanced manufacturing and processing and space. Emphasis will be placed on interactions and convergence across and between the different technologies and their relations to societal challenges. User needs shall be taken into account in all these fields. H2020-EU.2.1. (http://cordis.europa.eu/programme/rcn/664145_en.html)b)""Access to risk finance"" shall aim to overcome deficits in the availability of debt and equity finance for R&D and innovation-driven companies and projects at all stages of development. Together with the equity instrument of the Programme for the Competitiveness of Enterprises and small and medium-sized enterprises (COSME) (2014-2020) it shall support the development of Union-level venture capital. H2020-EU.2.2. (http://cordis.europa.eu/programme/rcn/664217_en.html)c)""Innovation in SMEs"" shall provide SME-tailored support to stimulate all forms of innovation in SMEs, targeting those with the potential to grow and internationalise across the single market and beyond. H2020-EU.2.3. (http://cordis.europa.eu/programme/rcn/664223_en.html)The activities shall follow a business-driven agenda. The budgets for the specific objectives 'Access to risk finance' and 'Innovation in SMEs' will follow a demand-driven, bottom-up logic. Those budgets shall be complemented by the use of financial instruments. A dedicated SME instrument shall be implemented primarily in a bottom-up manner, tailored to the needs of SMEs, taking account of the specific objectives of the priority 'Societal challenges' and the specific objective 'Leadership in enabling and industrial technologies'.Horizon 2020 will take an integrated approach to the participation of SMEs, taking into account, inter alia, their knowledge and technology transfer needs, which should lead to a minimum of 20 % of the total combined budgets for all specific objectives of the priority 'Societal challenges' and the specific objective 'Leadership in enabling and industrial technologies' being devoted to SMEs.The specific objective 'Leadership in enabling and industrial technologies' shall follow a technology-driven approach to develop enabling technologies that can be used in multiple areas, industries and services. Applications of these technologies to meet societal challenges shall be supported together with the priority 'Societal challenges'.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:01";"664143" +"H2020-EU.6.";"en";"H2020-EU.6.";"";"";"NON-NUCLEAR DIRECT ACTIONS OF THE JOINT RESEARCH CENTRE (JRC)";"Joint Research Centre (JRC) non-nuclear direct actions";"

NON-NUCLEAR DIRECT ACTIONS OF THE JOINT RESEARCH CENTRE (JRC)

The JRC's activities shall be an integral part of Horizon 2020, in order to provide robust, evidence-based support for Union policies. This shall be driven by customer needs, complemented by forward-looking activities.

Specific objective

The specific objective is to provide customer-driven scientific and technical support to Union policies, while flexibly responding to new policy demands.

Rationale and Union added value

The Union has defined an ambitious policy agenda to 2020 which addresses a set of complex and interlinked challenges, such as sustainable management of resources and competitiveness. In order to successfully tackle these challenges, robust scientific evidence is needed which cuts across different scientific disciplines and allows the sound assessment of policy options. The JRC, playing its role as the science service for Union policy making, will provide the required scientific and technical support throughout all stages of the policy-making cycle, from conception to implementation and assessment. To contribute to this specific objective it will focus its research clearly on Union policy priorities while enhancing cross-cutting competences and cooperation with the Member States.The JRC's independence of special interests, whether private or national, combined with its scientific-technical reference role enable it to facilitate the necessary consensus building between stakeholders and policy makers. Member States and Union citizens benefit from the research of the JRC, most visibly in areas such as health and consumer protection, environment, safety and security, and management of crises and disasters.More specifically, Member States and regions will also benefit from support to their Smart Specialisation Strategies.The JRC is an integral part of the ERA and will continue to actively support its functioning through close collaboration with peers and stakeholders, maximising access to its facilities and through the training of researchers and by close cooperation with Member States and international institutions that pursue similar objectives. This will also promote the integration of new Member States and associated countries for which the JRC will continue to provide dedicated training courses on the scientific-technical basis of the body of Union law. The JRC will establish coordination links with other relevant Horizon 2020 specific objectives. As a complement to its direct actions and for the purpose of further integration and networking in the ERA, the JRC may also participate in Horizon 2020 indirect actions and co-ordination instruments in areas where it has the relevant expertise to produce Union added value.

Broad lines of activities

The JRC activities in Horizon 2020 will focus on the Union policy priorities and the societal challenges addressed by them. These activities are aligned with the objectives of the Europe 2020 strategy, and with the headings 'Security and citizenship' and 'Global Europe' of the Multiannual Financial Framework for 2014-2020.The JRC's key competence areas will be energy, transport, environment and climate change, agriculture and food security, health and consumer protection, information and communication technologies, reference materials, and safety and security (including nuclear safety and security in the Euratom programme). The JRC activities in these areas will be conducted taking into account relevant initiatives at the level of regions, Members States or the Union, within the perspective of shaping the ERA.These competence areas will be significantly enhanced with capacities to address the full policy cycle and to assess policy options. This includes:(a) anticipation and foresight - pro-active strategic intelligence on trends and events in science, technology and society and their possible implications for public policy;(b) economics - for an integrated service covering both the scientific-technical and the macro-economic aspects;(c) modelling - focusing on sustainability and economics and making the Commission less dependent on outside suppliers for vital scenario analysis;(d) policy analysis - to allow cross-sectoral investigation of policy options;(e) impact assessment - providing scientific evidence to support policy options.The JRC shall continue to pursue excellence in research and extensive interaction with research institutions as the basis for credible and robust scientific-technical policy support. To that end, it will strengthen collaboration with European and international partners, inter alia by participation in indirect actions. It will also carry out exploratory research and build up competences in emerging, policy-relevant areas on a selective basis.The JRC shall focus on:

Excellent science

(See also PRIORITY 'Excellent science')(http://cordis.europa.eu/programme/rcn/664091_en.html)Carry out research to enhance the scientific evidence base for policy making and examine emerging fields of science and technology, including through an exploratory research programme.

Industrial leadership

(See also PRIORITY 'Industrial leadership') (http://cordis.europa.eu/programme/rcn/664143_en.html)Contribute to European competitiveness through support to the standardisation process and standards with pre-normative research, development of reference materials and measurements, and harmonisation of methodologies in five focal areas (energy; transport; the flagship initiative 'Digital Agenda for Europe'; security and safety; consumer protection). Carry out safety assessments of new technologies in areas such as energy and transport and health and consumer protection. Contribute to facilitating the use, standardisation and validation of space technologies and data, in particular to tackle the societal challenges.

Societal challenges

(See also PRIORITY 'Societal challenges') (http://cordis.europa.eu/programme/rcn/664235_en.html)

(a) Health, demographic change and well-being

(See also H2020-EU.3.1.)(http://cordis.europa.eu/programme/rcn/664237_en.html)Contribute to health and consumer protection through scientific and technical support in areas such as food, feed and consumer products; environment and health; health-related diagnostic and screening practices; and nutrition and diets.

(b) Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy

(See also H2020-EU.3.2.)(http://cordis.europa.eu/programme/rcn/664237_en.html)Support the development, implementation and monitoring of European agriculture and fisheries policies, including food safety and security, and the development of a bio-economy through e.g. crop production forecasts, technical and socio-economic analyses and modelling, and promote healthy and productive seas.

(c) Secure, clean and efficient energy

(See also H2020-EU.3.3.)(http://cordis.europa.eu/programme/rcn/664237_en.html)Support the 20-20-20 climate and energy targets with research on technological and economic aspects of energy supply, efficiency, low-carbon technologies, and energy/electricity transmission networks.

(d) Smart, green and integrated transport

(See also H2020-EU.3.4.) (http://cordis.europa.eu/programme/rcn/664357_en.html)Support the Union's policy for the sustainable, safe and secure mobility of persons and goods with laboratory studies, modelling and monitoring approaches, including low-carbon technologies for transport, such as electrification, clean and efficient vehicles and alternative fuels, and smart mobility systems.

(e) Climate action, environment, resource efficiency and raw materials

(See also H2020-EU.3.5.)(http://cordis.europa.eu/programme/rcn/664389_en.html)Investigate the cross-sectoral challenges of the sustainable management of natural resources through monitoring of key environmental variables and the development of an integrated modelling framework for sustainability assessment.Support resource efficiency, emission reductions and sustainable supply of raw materials through the integrated social, environmental and economic assessments of clean production processes, technologies, and products and services.Support Union development policy goals with research to help ensure adequate supplies of essential resources focusing on monitoring environmental and resource parameters, food safety and security related analyses, and knowledge transfer.

(f) Europe in a changing world - Inclusive, innovative and reflective societies

(See also H2020-EU.3.6.)(http://cordis.europa.eu/programme/rcn/664435_en.html)Contribute to and monitor the implementation of the flagship initiative 'Innovation Union' with macro-economic analyses of the drivers and barriers of research and innovation, and development of methodologies, scoreboards and indicators.Support the ERA by monitoring the functioning of the ERA and analysing drivers of and barriers to some of its key elements, and by research networking, training, and opening JRC facilities and databases to users in Member States and in candidate and associated countries.Contribute to the key goals of the flagship initiative 'Digital Agenda for Europe' by qualitative and quantitative analyses of economic and social aspects (Digital Economy, Digital Society, Digital Living).

(g) Secure societies - Protecting freedom and security of Europe and its citizens

(See also H2020-EU.3.7.) (http://cordis.europa.eu/programme/rcn/664463_en.html)Support internal safety and security through the identification and assessment of the vulnerability of critical infrastructures as vital components of societal functions, and through the operational performance assessment and social and ethical evaluation of technologies related to the digital identity. Address global security challenges, including emerging or hybrid threats, through the development of advanced tools for information mining and analysis as well as for crisis management.Enhance the Union's capacity for managing natural and man-made disasters by strengthening the monitoring of infrastructures and the development of test facilities and of global multi-hazard early warning and risk management information systems, making use of satellite-based Earth observation frameworks. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:28";"664511" +"H2020-EU.7.";"en";"H2020-EU.7.";"";"";"THE EUROPEAN INSTITUTE OF INNOVATION AND TECHNOLOGY (EIT)";"European Institute of Innovation and Technology (EIT)";"

THE EUROPEAN INSTITUTE OF INNOVATION AND TECHNOLOGY (EIT)

The EIT shall play a major role by bringing together excellent research, innovation and higher education thus integrating the knowledge triangle. The EIT shall do so primarily through the KICs. In addition it shall ensure that experiences are shared between and beyond the KICs through targeted dissemination and knowledge sharing measures, thereby promoting a faster uptake of innovation models across the Union.

Specific objective

The specific objective is to integrate the knowledge triangle of higher education, research and innovation and thus to reinforce the Union's innovation capacity and address societal challenges.Europe is facing a number of structural weaknesses when it comes to innovation capacity and the ability to deliver new services, products and processes, thereby hampering sustainable economic growth and job creation. Among the main issues at hand are Europe's relatively poor record in talent attraction and retention; the under-utilisation of existing research strengths in terms of creating economic or social value; the lack of research results brought to the market; low levels of entrepreneurial activity and mindset; low leverage of private investment in R&D; a scale of resources, including human resources, in poles of excellence which is insufficient to compete globally; and an excessive number of barriers to collaboration within the knowledge triangle of higher education, research and innovation on a European level.

Rationale and Union added value

If Europe is to compete on an international scale, these structural weaknesses need to be overcome. The elements identified above are common across Member States and affect the Union's innovation capacity as a whole.The EIT will address these issues by promoting structural changes in the European innovation landscape. It will do so by fostering the integration of higher education, research and innovation of the highest standards, notably through its Knowledge and Innovation Communities (KICs), thereby creating new environments conducive to innovation, and by promoting and supporting a new generation of entrepreneurial people and by stimulating the creation of innovative spin-offs and start-ups. In doing so, the EIT will contribute fully to the objectives of the Europe 2020 strategy and notably to the flagship initiatives 'Innovation Union' and 'Youth on the Move'.In addition, the EIT and its KICs should seek synergies and interaction across the priorities of Horizon 2020 and with other relevant initiatives. In particular, the EIT will contribute through the KICs to the specific objectives of the priority ""Societal challenges"" and to the specific objective ""Leadership in enabling and industrial technologies"".

Integrating education and entrepreneurship with research and innovation

The specific feature of the EIT is to integrate higher education and entrepreneurship with research and innovation as links in a single innovation chain across the Union and beyond, which should lead, inter alia, to an increase of innovative services, products and processes brought to the market.

Business logic and a results-oriented approach

The EIT, through its KICs, operates in line with business logic and takes a results-oriented approach. Strong leadership is a pre-requisite: each KIC is driven by a CEO. KIC partners are represented by single legal entities to allow more streamlined decision-making. KICs must produce clearly defined annual business plans, setting out a multiannual strategy and including an ambitious portfolio of activities from education to business creation, with clear targets and deliverables, looking for both market and societal impact. The current rules concerning participation, evaluation and monitoring of KICs allow fast-track, business-like decisions. Business and entrepreneurs should have a strong role in driving activities in KICs, and the KICs should be able to mobilize investment and long-term commitment from the business sector.

Overcoming fragmentation with the aid of long-term integrated partnerships

The EIT KICs are highly integrated ventures, bringing together partners from industry including SMEs, higher education, research and technology institutes, renowned for their excellence, in an open, accountable and transparent manner. KICs allow partners from across the Union and beyond to unite in new, cross-border configurations, optimise existing resources and open up access to new business opportunities through new value chains, addressing higher-risk, larger-scale challenges. KICs are open to participation of new entrants bringing added value to the partnership, including SMEs.

Nurturing Europe's main innovation asset: its highly talented people

Talent is a key ingredient of innovation. The EIT nurtures people and interactions between them, by putting students, researchers and entrepreneurs at the centre of its innovation model. The EIT will provide an entrepreneurial and creative culture and cross-disciplinary education to talented people, through EIT-labelled Masters and PhD degrees, intended to emerge as an internationally recognised brand of excellence. In doing so, the EIT strongly promotes mobility and training within the knowledge triangle.

Broad lines of the activities

The EIT shall operate mainly through the KICs particularly in areas which offer a true innovation potential. While the KICs have overall substantial autonomy in defining their own strategies and activities, there are a number of innovative features common to all KICs where coordination and synergies shall be sought. The EIT will moreover enhance its impact by disseminating good practices on how to integrate the knowledge triangle and the development of entrepreneurship, integrating relevant new partners where they can provide added value, and by actively fostering a new culture of knowledge sharing.

(a) Transferring and applying higher education, research and innovation activities for new business creation

The EIT shall aim to create an environment to develop the innovative potential of people and to capitalise on their ideas, irrespective of their place in the innovation chain. Thereby, the EIT will also help to address the 'European paradox' that excellent existing research is far from being harnessed to the full. In doing so, the EIT shall help to bring ideas to the market. Chiefly through its KICs and its focus on fostering entrepreneurial mindsets, it will create new business opportunities in the form of both start-ups and spin-offs but also within existing industry. Focus will be on all forms of innovation, including technological, social and non-technological innovation.

(b) Cutting-edge and innovation-driven research in areas of key economic and societal interest

The EIT's strategy and activities shall be driven by a focus on areas which offer a true innovation potential and have a clear relevance to the societal challenges addressed in Horizon 2020. By addressing key societal challenges in a comprehensive way, the EIT will promote inter- and multi-disciplinary approaches and help focus the research efforts of the partners in the KICs.

(c) Development of talented, skilled and entrepreneurial people with the aid of education and training

The EIT shall fully integrate education and training at all stages of careers and support and facilitate the development of new and innovative curricula to reflect the need for new profiles engendered by complex societal and economic challenges. To this end, the EIT will play a key role in promoting new joint or multiple degrees and diplomas in Member States, respecting the principle of subsidiarity.The EIT will also play a substantial role in fine-tuning the concept of 'entrepreneurship' through its educational programmes, which promote entrepreneurship in a knowledge-intensive context, building on innovative research and contributing to solutions of high societal relevance.

(d) Dissemination of best practice and systemic knowledge-sharing

The EIT shall aim to pioneer new approaches in innovation and to develop a common innovation and knowledge-transfer culture, including in SMEs. This could happen, inter alia, by sharing the diverse experience of the KICs through various dissemination mechanisms, such as a stakeholder platform and a fellowship scheme.

(e) International dimension

The EIT acts conscientious of the global context it operates in and shall help to forge links with key international partners in accordance with Article 27(2). By scaling up centres of excellence through the KICs and by fostering new educational opportunities, it will aim to make Europe more attractive for talent from abroad.

(f) Enhancing European wide impact through an innovative funding model

The EIT will make a strong contribution to the objectives set in Horizon 2020, in particular by addressing societal challenges in a way complementing other initiatives in these areas. Within the framework of Horizon 2020 it will test out new and simplified approaches to funding and governance and thereby play a pioneering role within the European innovation landscape. Part of the annual contribution will be attributed to KICs in a competitive way. The EIT's approach to funding will be firmly based on a strong leverage effect, mobilising both public and private funds at national and Union level, and it will be communicated, in a transparent manner, to the Member States and relevant stakeholders. Moreover, it will employ entirely new vehicles for targeted support to individual activities through the EIT Foundation.

(g) Linking regional development to European opportunities

Through the KICs and their co-location centres – nodes of excellence, bringing together higher education, research and business partners in a given geographical location – the EIT will also be linked to regional policy. In particular, it shall ensure a better connection between higher education institutions, the labour market and regional innovation and growth, in the context of regional and national smart specialisation strategies. In doing so, it will contribute to the objectives of the Union's cohesion policy. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:45";"664513" +"H2020-EU.2.1.4.";"en";"H2020-EU.2.1.4.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Biotechnology";"Biotechnology";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Biotechnology

Specific objective for biotechnology

The specific objective of biotechnology research and innovation is to develop competitive, sustainable, safe and innovative industrial products and processes and contribute as an innovation driver in a number of European sectors, like agriculture, forestry, food, energy, chemical and health as well as the knowledge-based bioeconomy.A strong scientific, technological and innovation base in biotechnology will support European industries securing leadership in this key enabling technology. This position will be further strengthened by integrating the health and safety assessment, the economic and environmental impact of use of the technology and the management aspects of the overall and specific risks in the deployment of biotechnology.

Rationale and Union added value

Powered by the expansion of the knowledge of living systems, biotechnology is set to deliver a stream of new applications and to strengthen the Union's industrial base and its innovation capacity. Examples of the rising importance of biotechnology are in industrial applications including biopharmaceuticals, food and feed production and biochemicals, of which the market share of the latter is estimated to increase by up to 12 % to 20 % of chemical production by 2015. A number of the so-called twelve principles of Green Chemistry are also addressed by biotechnology, due to the selectivity and efficiency of biosystems. The possible economic burdens for Union enterprises can be reduced by harnessing the potential of biotechnology processes and bio-based products to reduce CO2 emissions, estimated to range from between 1 to 2,5 billion tonnes CO2 equivalent per year by 2030.In Europe's biopharmaceutical sector, already some 20 % of the current medicines are derived from biotechnology, with up to 50 % of new medicines. Biotechnology will play a major role in the transition towards a bio-based economy by developing new industrial processes. Biotechnology also opens new avenues for the development of a sustainable agriculture, aquaculture and forestry and for exploiting the huge potential of marine resources for producing innovative industrial, health, energy, chemical and environmental applications. The emerging sector of marine (blue) biotechnology has been predicted to grow by 10 % a year.Other key sources of innovation are at the interface between biotechnology and other enabling and converging technologies, in particular nanotechnologies and ICT, with applications such as sensing and diagnosing.

Broad lines of the activities

(a) Boosting cutting-edge biotechnologies as a future innovation driver

Development of emerging technology areas such as synthetic biology, bioinformatics and systems biology, which hold great promise for innovative products and technologies and completely novel applications.

(b) Biotechnology-based industrial products and processes

Developing industrial biotechnology and industrial scale bio-process design for competitive industrial products and sustainable processes (e.g. chemical, health, mining, energy, pulp and paper, fibre-based products and wood, textile, starch, food processing) and its environmental and health dimensions, including clean-up operations.

(c) Innovative and competitive platform technologies

Development of platform technologies (e.g. genomics, meta-genomics, proteomics, metabolomics, molecular tools, expression systems, phenotyping platforms and cell-based platforms) to enhance leadership and competitive advantage in a wide number of sectors that have economic impacts.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:44";"664189" +"H2020-EU.2.1.3.";"en";"H2020-EU.2.1.3.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Advanced materials";"Advanced materials";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Advanced materials

Specific objective for advanced materials

The specific objective of advanced materials research and innovation is to develop materials with new functionalities and improved in-service performance, for more competitive and safe products that minimise the impact on the environment and the consumption of resources.Materials are at the core of industrial innovation and are key enablers. Advanced materials with higher knowledge content, new functionalities and improved performance are indispensable for industrial competitiveness and sustainable development across a broad range of applications and sectors.

Rationale and Union added value

New advanced materials are needed in developing better performing and sustainable products and processes and for substituting scarce resources. Such materials are a part of the solution to our industrial and societal challenges, offering better performance in their use, lower resource and energy requirements, and sustainability during the entire life-cycle of the products.Application-driven development often involves the design of totally new materials, with the ability to deliver planned in-service performances. Such materials are an important element in the supply chain of high value manufacturing. They are also the basis for progress in cross-cutting technology areas (for example healthcare technologies, biosciences, electronics and photonics) and in virtually all market sectors. The materials themselves represent a key step in increasing the value of products and their performance. The estimated value and impact of advanced materials is significant, with an annual growth rate of about 6 % and expected market size of the order of EUR 100 billion by 2015.Materials shall be conceived according to a full life-cycle approach, from the supply of available materials to end of life (cradle to cradle), with innovative approaches to minimise the resources (including energy) required for their transformation or to minimise negative impacts for humans and the environment. Continuous use, recycling or secondary end-of-life utilisation of the materials shall also be covered, as well as related societal innovation, such as changes in consumer behaviour and new business models.To accelerate progress, a multidisciplinary and convergent approach shall be fostered, involving chemistry, physics, engineering sciences, theoretical and computational modelling, biological sciences and increasingly creative industrial design.Novel green innovation alliances and industrial symbiosis shall be fostered allowing industries to diversify and expand their business models, re-using their waste as a basis for new productions.

Broad lines of the activities

(a) Cross-cutting and enabling materials technologies

Research on materials by design, functional materials, multifunctional materials with higher knowledge content, new functionalities and improved performance, and structural materials for innovation in all industrial sectors, including the creative industries.

(b) Materials development and transformation

Research and development to ensure efficient, safe and sustainable development and scale-up to enable industrial manufacturing of future design-based products towards a ""no-waste"" management of materials in Europe.

(c) Management of materials components

Research and development for new and innovative techniques for materials and their components and systems.

(d) Materials for a sustainable, resource-efficient and low emission industry

Developing new products and applications, business models and responsible consumer behaviour that reduce energy demand and facilitate low-carbon production.

(e) Materials for creative industries, including heritage

Applying design and the development of converging technologies to create new business opportunities, including the preservation and restoration of materials with historical or cultural value, as well as novel materials.

(f) Metrology, characterisation, standardisation and quality control

Promoting technologies such as characterisation, non-destructive evaluation, continuous assessing and monitoring and predictive modelling of performance for progress and impact in materials science and engineering.

(g) Optimisation of the use of materials

Research and development to investigate substitution and alternatives to the use of materials and innovative business model approaches and identification of critical resources.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:15";"664173" +"H2020-EU.2.1.2.";"en";"H2020-EU.2.1.2.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Nanotechnologies";"Nanotechnologies";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Nanotechnologies

Specific objective for nanotechnologies

The specific objective of nanotechnologies research and innovation is to secure Union leadership in this high growth global market, by stimulating scientific and technological advancements and investment in nanotechnologies and their uptake in high added value, competitive products and services across a range of applications and sectors.By 2020, nanotechnologies will be mainstreamed, that is seamlessly integrated with most technologies and applications, driven by consumer benefits, quality of life, healthcare, sustainable development and the strong industrial potential for achieving previously unavailable solutions for productivity and resource efficiency.Europe must also set the global benchmark on safe and responsible nanotechnology deployment and governance ensuring both high societal and industrial returns combined with high standards of safety and sustainability.Products using nanotechnologies represent a world market which Europe cannot afford to ignore. Market estimates of the value of products incorporating nanotechnology as the key component reach EUR 700 billion by 2015 and EUR 2 trillion by 2020, with a corresponding 2 and 6 million jobs respectively. Europe's nanotechnology companies should exploit this double digit market growth and be capable of capturing a market share at least equal to Europe's share of global research funding (i.e. a quarter) by 2020.

Rationale and Union added value

Nanotechnologies are a spectrum of evolving technologies with proven potential, having revolutionary impact for example in materials, ICT, transport mobility, life sciences, healthcare (including treatment), consumer goods and manufacturing once the research is translated into breakthrough, sustainable and competitive products and production processes.Nanotechnologies have a critical role to play in addressing the challenges identified by the Europe 2020 strategy. The successful deployment of these key enabling technologies will contribute to the competitiveness of Union industry by enabling novel and improved products or more efficient processes and provide responses to today's and future societal challenges.The global research funding for nanotechnologies has doubled from around EUR 6,5 billion in 2004 to around EUR 12,5 billion in 2008, with the Union accounting for about a quarter of this total. The Union has recognised research leadership in nanosciences and nanotechnologies with a projection of some 4 000 companies in the Union by 2015. This research leadership must be maintained and amplified and further translated into practical use and commercialisation.Europe now needs to secure and build on its position in the global market by promoting wide scale cooperation in and across many different value chains and between different industrial sectors to realise the process scale-up of these technologies into safe, sustainable and viable commercial products. The issues of risk assessment and management as well as responsible governance are emerging as determining factors of future impact of nanotechnologies on society, the environment and the economy.Thus, the focus of activities shall be on the widespread, responsible and sustainable application of nanotechnologies into the economy, to enable benefits with high societal and industrial impact. To ensure the potential opportunities, including setting-up new companies and generating new jobs, research should provide the necessary tools to allow for standardisation and regulation to be correctly implemented.

Broad lines of the activities

(a) Developing next generation nanomaterials, nanodevices and nanosystems

Aiming at fundamentally new products enabling sustainable solutions in a wide range of sectors.

(b) Ensuring the safe and sustainable development and application of nanotechnologies

Advancing scientific knowledge of the potential impact of nanotechnologies and nanosystems on health or on the environment, and providing tools for risk assessment and management along the entire life cycle, including standardisation issues.

(c) Developing the societal dimension of nanotechnology

Focusing on governance of nanotechnology for societal and environmental benefit.

(d) Efficient and sustainable synthesis and manufacturing of nanomaterials, components and systems

Focusing on new operations, smart integration of new and existing processes, including technology convergence, as well as up-scaling to achieve high precision large-scale production of products and flexible and multi-purpose plants that ensure the efficient transfer of knowledge into industrial innovation.

(e) Developing and standardisation of capacity-enhancing techniques, measuring methods and equipment

Focusing on the underpinning technologies supporting the development and market introduction of safe complex nanomaterials and nanosystems.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:54";"664161" +"H2020-EU.2.1.6.1.2.";"en";"H2020-EU.2.1.6.1.2.";"";"";"Boost innovation between space and non-space sectors";"";"";"";"H2020";"H2020-EU.2.1.6.1.";"";"";"2014-09-22 20:52:48";"664541" +"H2020-EU.2.1.6.1.1.";"en";"H2020-EU.2.1.6.1.1.";"";"";"Safeguard and further develop a competitive, sustainable and entrepreneurial space industry and research community and strengthen European non-dependence in space systems";"";"";"";"H2020";"H2020-EU.2.1.6.1.";"";"";"2014-09-22 20:52:44";"664539" +"H2020-EU.3.4.4.";"en";"H2020-EU.3.4.4.";"";"";"Socio-economic and behavioural research and forward looking activities for policy making";"Socio-economic and behavioural research";"

Socio-economic and behavioural research and forward-looking activities for policy making

The aim is to support improved policy making which is necessary to promote innovation and meet the challenges raised by transport and the societal needs related to it.The focus of activities shall be to improve the understanding of transport-related socio-economic impacts, trends and prospects, including the evolution of future demand, and provide policy makers with evidence-based data and analyses. Attention will also be paid to the dissemination of results emerging from these activities.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:57";"664387" +"H2020-EU.3.4.8.";"en";"H2020-EU.3.4.8.";"";"";"Shift2Rail JU";"";"";"";"H2020";"H2020-EU.3.4.";"";"";"2016-10-20 17:07:27";"700520" +"H2020-EU.3.4.7.";"en";"H2020-EU.3.4.7.";"";"";"SESAR JU";"";"";"";"H2020";"H2020-EU.3.4.";"";"";"2015-05-26 14:24:12";"680827" +"H2020-EU.3.4.1.";"en";"H2020-EU.3.4.1.";"";"";"Resource efficient transport that respects the environment";"Resource efficient transport that respects the environment";"

Resource-efficient transport that respects the environment

The aim is to minimise transport systems' impact on climate and the environment (including noise and air pollution) by improving their quality and efficiency in the use of natural resources and fuel, and by reducing greenhouse gas emissions and dependence on fossil fuels.The focus of activities shall be to reduce resource consumption, particularly fossil fuels, greenhouse gas emissions and noise levels, as well as to improve transport and vehicle efficiency; to accelerate the development, manufacturing and deployment of a new generation of clean (electric, hydrogen and other low or zero emission) vehicles, including through breakthroughs and optimisation in engines, energy storage and infrastructure; to explore and exploit the potential of alternative and sustainable fuels and innovative and more efficient propulsion and operating systems, including fuel infrastructure and charging; to optimise the planning and use of infrastructures, by means of intelligent transport systems, logistics, and smart equipment; and to increase the use of demand management and public and non-motorised transport, and of intermodal mobility chains, particularly in urban areas. Innovation aimed at achieving low or zero emissions in all modes of transport will be encouraged.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:04";"664359" +"H2020-EU.3.4.2.";"en";"H2020-EU.3.4.2.";"";"";"Better mobility, less congestion, more safety and security";"Mobility, safety and security";"

Better mobility, less congestion, more safety and security

The aim is to reconcile the growing mobility needs with improved transport fluidity, through innovative solutions for seamless, intermodal, inclusive, accessible, affordable, safe, secure, healthy, and robust transport systems.The focus of activities shall be to reduce congestion, improve accessibility, interoperability and passenger choices, and to match user needs by developing and promoting integrated door-to-door transport, mobility management and logistics; to enhance intermodality and the deployment of smart planning and management solutions; and to drastically reduce the occurrence of accidents and the impact of security threats.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:20";"664367" +"H2020-EU.3.4.3.";"en";"H2020-EU.3.4.3.";"";"";"Global leadership for the European transport industry";"Global leadership for the European transport industry";"

Global leadership for the European transport industry

The aim is to reinforce the competitiveness and performance of European transport manufacturing industries and related services (including logistic processes, maintenance, repair, retrofitting and recycling) while retaining areas of European leadership (e.g. aeronautics).The focus of activities shall be to develop the next generation of innovative air, waterborne and land transport means, ensure sustainable manufacturing of innovative systems and equipment and to prepare the ground for future transport means, by working on novel technologies, concepts and designs, smart control systems and interoperable standards, efficient production processes, innovative services and certification procedures, shorter development times and reduced lifecycle costs without compromising operational safety and security.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:39";"664377" +"H2020-EU.3.4.6.";"en";"H2020-EU.3.4.6.";"";"";"FCH2 (transport objectives)";"";"";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 21:40:15";"665341" +"H2020-EU.3.4.5";"en";"H2020-EU.3.4.5";"";"";"CLEANSKY2";"";"";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 21:42:50";"665402" +"H2020-EU.3.1.3.";"en";"H2020-EU.3.1.3.";"";"";"Treating and managing disease";"";"";"";"H2020";"H2020-EU.3.1.";"";"";"2014-09-22 20:43:46";"664255" +"H2020-EU.5.a.";"en";"H2020-EU.5.a.";"";"";"Make scientific and technological careers attractive to young students, and forster sustainable interaction between schools, research institutions, industry and civil society organisations";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:51:26";"664497" +"H2020-EU.2.3.";"fr";"H2020-EU.2.3.";"";"";"PRIMAUTÉ INDUSTRIELLE - Innovation dans les PME";"Innovation in SMEs";"

PRIMAUTÉ INDUSTRIELLE - Innovation dans les PME

Objectif spécifique

L'objectif spécifique est de stimuler une croissance économique durable en relevant les niveaux d'innovation au sein des PME, en couvrant leurs différents besoins en la matière tout au long du cycle de l'innovation, quel que soit le type d'innovation, et de créer ainsi davantage de PME à croissance rapide et de caractère international.Étant donné le rôle central des PME dans l'économie européenne, les activités de recherche et d'innovation réalisées en leur sein joueront un rôle fondamental dans le renforcement de la compétitivité, dans l'accélération de la croissance économique et de la création d'emplois et, partant, dans la réalisation des objectifs de la stratégie Europe 2020, et notamment de son initiative phare «Une Union de l'innovation».Malgré leur importance en termes économiques et d'emploi et en dépit de leur potentiel d'innovation non négligeable, les PME rencontrent néanmoins différents types de difficultés pour accroître leur capacité d'innovation et leur compétitivité, y compris un manque de ressources financières et d'accès au financement, un manque de compétences dans la gestion de l'innovation, des faiblesses dans la mise en réseau et la coopération avec des parties externes, ainsi qu'un recours insuffisant aux marchés publics pour stimuler l'innovation dans les PME. Si l'Europe produit à peu près autant de jeunes entreprises (start-ups) que les États-Unis, ses PME ont beaucoup plus de mal que leurs homologues américaines à se transformer en grandes entreprises. L'internationalisation de l'économie et l'interpénétration croissante des chaînes de valeur accroissent la pression qui pèse sur elles. Les PME doivent renforcer leur capacité de recherche et d'innovation. Pour réussir à faire face à la concurrence sur des marchés mondiaux en rapide évolution, elles doivent générer, adopter et commercialiser plus rapidement et dans une plus grande mesure les nouvelles connaissances et les nouvelles idées commerciales. L'enjeu est d'encourager l'innovation dans les PME pour augmenter leur compétitivité et leur assurer une plus grande viabilité et une plus forte croissance.Les actions proposées visent à compléter les politiques et programmes nationaux et régionaux en faveur de l'innovation des entreprises, à promouvoir la coopération entre les PME, y compris la coopération transnationale, les grappes d'entreprises et les autres acteurs de l'innovation en Europe, à réduire la fracture entre les activités de recherche et de développement et une commercialisation réussie, à créer un environnement plus favorable à l'innovation des entreprises, y compris par l'adoption de mesures centrées sur la demande et de mesures conçues pour stimuler le transfert des connaissances, et à encourager la prise en considération du caractère évolutif des processus d'innovation, des nouvelles technologies, des marchés et des modèles d'entreprise.Des relations étroites seront établies avec les politiques de l'Union relatives aux entreprises, dont COSME et les fonds de la politique de cohésion, de manière à susciter des synergies et à garantir une approche cohérente.

Justification et valeur ajoutée de l'Union

De par leur capacité à transformer rapidement et efficacement les idées nouvelles en réussites économiques, les PME sont des moteurs essentiels de l'innovation. En apportant les résultats de la recherche sur le marché, elles sont d'importants vecteurs de diffusion des connaissances. Les PME ont un rôle déterminant à jouer dans les processus de transfert de technologies et de connaissances, en contribuant à la mise sur le marché d'innovations issues de travaux de recherche menés au sein des universités, des organismes de recherche et des entreprises faisant de la recherche. Comme on a pu l'observer ces vingt dernières années, des secteurs entiers ont connu une nouvelle vie et de nouvelles industries ont été créées grâce aux PME innovantes. Les entreprises à croissance rapide sont essentielles au développement des entreprises émergentes et à l'accélération des changements structurels dont l'Europe a besoin pour devenir une économie de la connaissance durable bénéficiant d'une croissance soutenue et d'emplois de qualité.Les PME sont présentes dans tous les secteurs de l'économie. Elles représentent en Europe une part de l'économie plus importante que dans d'autres régions du monde, telles que les États-Unis. Tous les types de PME sont capables d'innover. Il convient de les inciter à investir dans la recherche et l'innovation et de les soutenir dans cette voie, ainsi que de renforcer leur capacité à gérer les processus d'innovation. Ce faisant, elles devraient être en mesure de tirer pleinement parti du potentiel d'innovation du marché intérieur et de l'Espace européen de la recherche, de façon à créer de nouveaux débouchés commerciaux en Europe et ailleurs et à contribuer à relever les principaux défis de société.La participation aux activités de recherche et d'innovation de l'Union renforce les capacités des PME en matière de recherche et de développement et sur le plan technologique; elle accroît leur capacité à produire, intégrer et utiliser les nouvelles connaissances, renforce l'exploitation économique des solutions nouvelles, encourage l'innovation sur le plan des produits, des services et des modèles d'entreprise, promeut les activités commerciales sur les marchés plus importants et donne aux réseaux de la connaissance des PME un caractère plus international. Les PME qui disposent de bonnes structures de gestion de l'innovation et qui, dans ce cas, dépendent souvent d'une expertise et de compétences extérieures, sont plus performantes que les autres.Les collaborations transfrontières sont un élément important des stratégies d'innovation élaborées par les PME pour surmonter certains des problèmes liés à leur taille, tels que l'accès aux compétences scientifiques et technologiques et à de nouveaux marchés. Elles contribuent à transformer les idées en bénéfices et en croissance pour l'entreprise et, en retour, à augmenter l'investissement privé dans les activités de recherche et d'innovation.Les programmes régionaux et nationaux dans le domaine de la recherche et de l'innovation, souvent soutenus par la politique de cohésion de l'Union européenne, apportent une contribution essentielle en matière d'aide aux PME. Les fonds de la politique de cohésion ont en particulier un rôle essentiel à jouer en assurant le renforcement des capacités des PME et en mettant en place une échelle de progression vers l'excellence, de sorte qu'elles puissent élaborer des projets d'excellence susceptibles de bénéficier d'un financement au titre d'Horizon 2020. Seuls quelques programmes nationaux et régionaux financent néanmoins les activités transnationales de recherche et d'innovation entreprises par les PME, la diffusion et l'adoption de solutions innovantes à l'échelle de l'Union ou les services transfrontières de soutien à l'innovation. Le défi consiste à apporter aux PME un soutien ouvert sur le plan thématique afin de mener à bien des projets internationaux s'inscrivant dans les stratégies d'innovation des entreprises. Des actions s'imposent donc à l'échelle de l'Union pour compléter les activités entreprises au niveau national et régional, pour en renforcer l'impact et pour assurer l'ouverture des systèmes de soutien aux activités de recherche et d'innovation.

Grandes lignes des activités

(a) Intégrer à tous les niveaux la question du soutien aux PME en particulier par l'intermédiaire d'un instrument spécifique

Les PME sont soutenues à tous les niveaux d'Horizon 2020. À cette fin, des conditions plus favorables pour les PME sont mises en place, qui facilitent leur participation à la stratégie Horizon 2020. En outre, un instrument dédié aux PME fournit un soutien graduel et cohérent couvrant l'intégralité du cycle de l'innovation. Cet instrument cible tous les types de PME innovantes démontrant une forte ambition de se développer, de croître et de s'internationaliser. Il est disponible pour tous les types d'innovation, y compris les innovations à caractère non technologique et à caractère social et les innovations dans le domaine des services, étant donné que chaque activité apporte une valeur ajoutée européenne manifeste. L'objectif est de développer le potentiel d'innovation des PME et de capitaliser sur ce dernier, en comblant les lacunes en matière de financement qui affectent les activités de recherche et d'innovation à haut risque entreprises en phase initiale, en stimulant les innovations et en accélérant la commercialisation des résultats de la recherche par le secteur privé.L'instrument fonctionnera dans le cadre d'un système unique de gestion centralisée et d'un régime administratif allégé et selon le principe du guichet unique. Il sera essentiellement mis en œuvre selon une logique ascendante via un appel à propositions ouvert permanent.L'ensemble des objectifs spécifiques de la priorité «Défis de société», et l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» utiliseront l'instrument dédié aux PME et affecteront un budget à son financement.

(b) Soutien aux PME à forte intensité de recherche

L'objectif est de promouvoir, au niveau transnational, l'innovation axée sur le marché par les PME menant des activités de recherche et de développement. Une action spécifique cible les PME à forte intensité de recherche, actives dans tous les secteurs dans lesquels la capacité d'exploiter commercialement les résultats de projets est avérée. Cette action se fondera sur le programme Eurostars.

(c) Renforcement de la capacité d'innovation des PME

Des activités transnationales à l'appui de la mise en œuvre et en complément des mesures spécifiquement consacrées aux PME seront soutenues à tous les niveaux d'Horizon 2020, notamment en vue de renforcer la capacité d'innovation des PME. Ces activités seront coordonnées, en tant que de besoin, avec des mesures nationales équivalentes. Une coopération étroite est envisagée avec le réseau des points de contact nationaux et le réseau Entreprise Europe.

(d) Soutien à l'innovation axée sur le marché

L'innovation axée sur le marché au niveau transnational est soutenue afin d'améliorer les conditions qui sous-tendent l'innovation, et les obstacles spécifiques qui empêchent en particulier la croissance des PME innovantes sont supprimés.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:47";"664223" +"H2020-EU.2.3.";"pl";"H2020-EU.2.3.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Innowacje w MŚP";"Innovation in SMEs";"

WIODĄCA POZYCJA W PRZEMYŚLE - Innowacje w MŚP

Cel szczegółowy

Celem szczegółowym jest stymulowanie zrównoważonego wzrostu gospodarczego poprzez podnoszenie poziomu innowacji w małych i średnich przedsiębiorstwach (MŚP), z uwzględnieniem ich różnych potrzeb w całym cyklu innowacji, w odniesieniu do wszystkich rodzajów innowacji, a co za tym idzie tworzenie szybciej się rozwijających, aktywnych na arenie międzynarodowej MŚP.Biorąc pod uwagę podstawową rolę MŚP w gospodarce Europy, badania naukowe i innowacje w MŚP będą mieć zasadnicze znaczenie dla zwiększenia konkurencyjności, stymulowania wzrostu gospodarczego i tworzenia miejsc pracy, a przez to dla osiągnięcia celów strategii „Europa 2020”, a zwłaszcza jej inicjatywy przewodniej „Unia innowacji”.Mimo swojego dużego udziału w gospodarce i zatrudnieniu oraz poważnego potencjału innowacyjnego, dążąc do zwiększenia swojej innowacyjności i konkurencyjności, wiele typów MŚP boryka się jednak z kilkoma rodzajami problemów, które obejmują niedostateczną ilość środków finansowych, niedostateczny dostęp do finansowania, braki w umiejętnościach dotyczących zarządzania innowacjami, trudności w nawiązywaniu kontaktów i współpracy z podmiotami zewnętrznymi oraz niewystarczające wykorzystanie zamówień publicznych do wspierania innowacji w MŚP. Chociaż w Europie powstaje podobna liczba przedsiębiorstw co w Stanach Zjednoczonych, europejskim MŚP znacznie trudniej jest rozwinąć się w duże przedsiębiorstwa niż ich amerykańskim odpowiednikom. Dodatkową presję wywiera na nie umiędzynarodowione otoczenie biznesowe, charakteryzujące się coraz bardziej powiązanymi wzajemnie łańcuchami wartości. MŚP muszą zwiększać swoją zdolność w zakresie badań naukowych i innowacji. Muszą generować, wdrażać i wykorzystywać handlowo nową wiedzę i pomysły biznesowe szybciej i w większym zakresie, aby z powodzeniem konkurować na szybko zmieniających się rynkach globalnych. Wyzwanie polega na stymulowaniu większej innowacyjności w MŚP, a przez to podniesieniu ich konkurencyjności, zwiększeniu zrównoważonego charakteru oraz przyspieszeniu wzrostu.Celem proponowanych działań jest uzupełnienie krajowej i regionalnej polityki i programów w zakresie innowacji w biznesie, wspieranie współpracy między MŚP – w tym współpracy transnarodowej – klastrami i innymi podmiotami w Europie zainteresowanymi innowacjami, eliminacja luki między badaniami naukowymi/działalnością rozwojową a udanym wprowadzeniem na rynek, stworzenie bardziej sprzyjającego innowacjom otoczenia biznesu, w tym środków w zakresie popytu i innych środków mających na celu zachęcanie do transferu wiedzy, oraz wsparcie uwzględniające zmieniający się charakter procesu innowacji, nowe technologie, rynki i modele biznesowe.W celu zapewnienia synergii i spójnego podejścia zostaną ustanowione silne powiązania z kierunkami polityki Unii dotyczącymi poszczególnych gałęzi przemysłu, w szczególności z programem COSME oraz z funduszami polityki spójności.

Uzasadnienie i unijna wartość dodana

MŚP są kluczowym czynnikiem innowacji dzięki swojej zdolności do szybkiego i efektywnego przekuwania nowych pomysłów w udane przedsięwzięcia. Stanowią ważny kanał przepływu wiedzy, przez który wyniki badań naukowych dostają się na rynek. MŚP mają także do odegrania kluczową rolę w procesach transferu technologii i wiedzy, przyczyniając się do wprowadzania na rynek innowacji pochodzących z badań naukowych prowadzonych na uniwersytetach, ośrodkach badawczych i przedsiębiorstwach zajmujących się prowadzeniem badań. W ciągu ostatnich dwudziestu lat można było zaobserwować ożywienie całych sektorów i powstawanie nowych branż przemysłu stymulowane przez innowacyjne MŚP. Szybko rosnące przedsiębiorstwa mają podstawowe znaczenie dla rozwoju powstających gałęzi przemysłu i przyspieszenia zmian strukturalnych, których potrzebuje Europa, aby stać się zrównoważoną gospodarką opartą na wiedzy, odznaczającą się trwałością wzrostu i wysoką jakością miejsc pracy.MŚP działają we wszystkich sektorach gospodarki. W Europie stanowią część gospodarki ważniejszą niż gdzie indziej, np. w Stanach Zjednoczonych. Do innowacji są zdolne wszystkie typy MŚP. Należy je zachęcać do inwestycji w badania naukowe i innowacje oraz wspierać w tych działaniach, a także zwiększać ich zdolności w zakresie zarządzania procesami innowacji. Powinny one być w stanie korzystać z pełnego potencjału innowacyjnego rynku wewnętrznego i EPB, tworząc nowe możliwości biznesowe w Europie i poza jej granicami oraz wnosząc wkład w sprostanie kluczowym wyzwaniom społecznym.Uczestnictwo w działaniach Unii w zakresie badań naukowych i innowacji wzmacnia zdolności MŚP pod względem badań i rozwoju oraz technologii, zwiększa ich możliwości generowania, absorbowania i użycia nowej wiedzy, usprawnia gospodarcze wykorzystanie nowych rozwiązań, sprzyja innowacjom w zakresie produktów, usług i modeli biznesowych, promuje działalność gospodarczą na większych rynkach oraz umiędzynaradawia sieci wiedzy MŚP. Małe i średnie przedsiębiorstwa odznaczające się sprawnym zarządzaniem innowacjami, a zatem często wykorzystujące wiedzę specjalistyczną i umiejętności z zewnątrz, osiągają lepsze wyniki.Współpraca transgraniczna to ważny element strategii MŚP w zakresie innowacji, służącej przezwyciężeniu trapiących je problemów związanych z wielkością, takich jak dostęp do kompetencji technologicznych i naukowych oraz do nowych rynków. Przyczynia się ona do przekształcania pomysłów w zyski i wzrost przedsiębiorstwa, a co za tym idzie do zwiększenia prywatnych inwestycji w badania naukowe i innowacje.W promowaniu MŚP zasadniczą rolę odgrywają regionalne i krajowe programy w zakresie badań naukowych i innowacji, często wspierane przez europejską politykę spójności. W szczególności fundusze polityki spójności mają do odegrania ważną rolę poprzez tworzenie potencjału MŚP i umożliwienie im osiągnięcia doskonałości, w celu opracowania doskonałych projektów mogących konkurować o finansowanie w ramach programu „Horyzont 2020”. Jednak bardzo niewiele krajowych i regionalnych programów zapewnia finansowanie transnarodowych działań w zakresie badań naukowych i innowacji prowadzonych przez MŚP, ogólnounijnego upowszechniania i absorpcji innowacyjnych rozwiązań czy też transgranicznych innowacyjnych usług wsparcia. Wyzwanie polega na zapewnieniu MŚP tematycznie otwartego wsparcia w realizacji międzynarodowych projektów zgodnych ze strategiami przedsiębiorstw w zakresie innowacji. Działania na poziomie Unii są niezbędne w celu uzupełnienia działalności prowadzonej na poziomie krajowym i regionalnym, zwiększenia jej oddziaływania i otworzenia systemów wsparcia badań naukowych i innowacji.

Ogólne kierunki działań

(a) Zintegrowane działania w zakresie wsparcia dla MŚP, w szczególności za pomocą specjalnego instrumentu

MŚP są wspomagane w związku ze wszystkimi działaniami w ramach programu „Horyzont 2020”. W tym celu, dla umożliwienia uczestnictwa w programie „Horyzont 2020”, ustanawia się lepsze warunki dla MŚP. Oprócz tego specjalny instrument MŚP zapewnia ustrukturyzowane i spójne wsparcie obejmujące cały cykl innowacji. Instrument MŚP jest przeznaczony dla wszystkich typów innowacyjnych MŚP wykazujących poważne ambicje w kierunku rozwoju, wzrostu i umiędzynarodowienia. Obejmuje wszystkie typy innowacji, w tym także innowacji w zakresie usług, innowacji nietechnologicznych i społecznych, przy założeniu, że każde z tych działań ma wyraźną europejską wartość dodaną. Celem jest rozwój i kapitalizacja potencjału innowacyjnego MŚP poprzez pomoc w eliminacji luki w finansowaniu wczesnej fazy badań naukowych i innowacji obciążonych wysokim ryzykiem, stymulowanie innowacji oraz zwiększanie handlowego wykorzystania wyników przez sektor prywatny.Instrument ten będzie funkcjonował w ramach jednego scentralizowanego systemu zarządzania, przy niewielkich obciążeniach administracyjnych i z pojedynczym punktem kontaktowym. Jest wdrażany przede wszystkim z zastosowaniem podejścia oddolnego na podstawie stale otwartego zaproszenia do składania wniosków.Wszystkie cele szczegółowe priorytetu „Wyzwań społecznych” i celu szczegółowego „Wiodącej pozycji w zakresie technologii prorozwojowych i przemysłowych” będą stosować instrument MŚP i przeznaczą na ten cel określoną kwotę.

(b) Wsparcie dla MŚP intensywnie korzystających z badań naukowych

Celem jest promowanie transnarodowych rynkowo zorientowanych innowacji w MŚP prowadzących działalność badawczo-rozwojową. Działanie szczegółowe jest ukierunkowane na MŚP działające w dowolnych sektorach, wykazujące zdolność do handlowego wykorzystania wyników prowadzonych projektów. To działanie będzie oparte na programie Eurostars.

(c) Zwiększenie zdolności MŚP pod względem innowacji

Wspierane są transnarodowe działania wspomagające wdrażanie i uzupełnianie środków przeznaczonych dla MŚP w całym zakresie programu „Horyzont 2020”, zwłaszcza w celu zwiększania zdolności MŚP pod względem innowacji. Te działania są koordynowane – w odpowiednich przypadkach – z podobnymi środkami krajowymi. Zakłada się ścisłą współpracę z siecią krajowych punktów kontaktowych oraz Europejską Siecią Przedsiębiorczości (EEN).

(d) Wsparcie innowacji rynkowych

Należy wspierać transnarodowe innowacje rynkowe w celu poprawy ramowych warunków innowacji i stawić czoło konkretnym barierom powstrzymującym w szczególności wzrost innowacyjnych MŚP.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:47";"664223" +"H2020-EU.2.3.";"it";"H2020-EU.2.3.";"";"";"LEADERSHIP INDUSTRIALE – Innovazione nelle PMI";"Innovation in SMEs";"

LEADERSHIP INDUSTRIALE – Innovazione nelle PMI

Obiettivo specifico

L'obiettivo specifico è stimolare la crescita economica sostenibile aumentando i livelli di innovazione nelle PMI per quanto riguarda le diverse necessità in materia di innovazione durante l'intero ciclo di innovazione per tutti i tipi di innovazione, creando PMI a crescita più rapida, attive a livello internazionale.Considerato il ruolo centrale delle PMI nell'economia europea, la ricerca e l'innovazione nelle PMI svolgeranno un ruolo cruciale nel rafforzare la competitività, promuovere la crescita economica e la creazione di posti di lavoro e in tal modo conseguire gli obiettivi della strategia Europa 2020, in particolare della sua iniziativa faro ""Unione dell'innovazione"".Tuttavia, nonostante la loro importanza economica, la quota di occupati e il notevole potenziale d'innovazione, le PMI hanno diversi tipi di problemi per divenire più innovative e più competitive, tra cui la carenza di risorse finanziarie e di accesso al credito, la mancanza di competenze nella gestione dell'innovazione, carenze in materia di networking e di cooperazione con parti esterne, nonché un ricorso insufficiente agli appalti pubblici per stimolare l'innovazione nelle PMI. Anche se l'Europa produce un numero di imprese start-up analogo a quello degli Stati Uniti, rispetto alle loro controparti statunitensi le PMI europee trovano molte più difficoltà a trasformarsi in grandi imprese. L'internazionalizzazione del contesto imprenditoriale, con catene di valore sempre più interconnesse, esercita ulteriori pressioni su di esse. Le PMI devono rafforzare la loro capacità di ricerca e innovazione. Esse devono generare, integrare e commercializzare nuove conoscenze e idee imprenditoriali più rapidamente e in misura maggiore per competere con successo su mercati mondiali in rapida evoluzione. La sfida è stimolare l'innovazione nelle PMI, potenziandone la competitività, la sostenibilità e la crescita.Le azioni proposte mirano a integrare le politiche e i programmi nazionali e regionali riguardanti l'innovazione commerciale al fine di promuovere la cooperazione tra PMI, compresa la cooperazione transnazionale, i raggruppamenti e altri attori di rilievo ai fini dell'innovazione in Europa, per colmare il divario fra R&S e un riuscito assorbimento da parte del mercato, creare un ambiente più favorevole all'innovazione commerciale, comprese misure di sostegno della domanda e misure intese a potenziare il trasferimento delle conoscenze, tenendo conto dell'evoluzione della natura dei processi d'innovazione, delle nuove tecnologie, dei mercati e dei modelli aziendali.Saranno stabiliti forti legami con le politiche dell'Unione specifiche per il settore industriale, in particolare con il COSME e con i fondi della politica di coesione, per assicurare sinergie e un approccio coerente.

Motivazione e valore aggiunto dell'Unione

Le PMI sono motori fondamentali dell'innovazione grazie alla loro capacità di trasformare rapidamente ed efficacemente le idee nuove in imprese di successo. Esse fungono oggi da importanti veicoli di diffusione della conoscenza per traslare i risultati della ricerca verso il mercato. Le PMI svolgono un ruolo chiave nei processi di trasferimento della tecnologia e della conoscenza, contribuendo al trasferimento sul mercato delle innovazioni derivate dalla ricerca svolta nelle università, negli organismi di ricerca e presso le imprese impegnate nella ricerca. Gli ultimi vent'anni hanno dimostrato che interi settori sono stati rinnovati e nuove industrie sono state create grazie a PMI innovative. Le imprese in rapida crescita sono essenziali per lo sviluppo di industrie emergenti e per l'accelerazione dei mutamenti strutturali in un'Europa che deve diventare un'economia sostenibile e basata sulla conoscenza, con una crescita sostenuta e posti di lavoro di alta qualità.Le PMI sono presenti in tutti i settori dell'economia. Esse costituiscono una parte più importante dell'economia europea rispetto a quella di altre regioni, quali gli Stati Uniti. Tutte le categorie di PMI possono innovare. È opportuno incoraggiarle e sostenerle negli investimenti in ricerca e innovazione, nonché potenziarne la capacità di gestire i processi di innovazione. A tal fine, esse devono poter contare sul pieno potenziale innovativo del mercato interno e sul SER, in modo da creare nuove opportunità commerciali in Europa e nel mondo e contribuire a risolvere le sfide fondamentali per la società.La partecipazione alla ricerca e all'innovazione dell'Unione rafforza la R&S e la capacità tecnologica delle PMI, ne aumenta la capacità di generare, assorbire e utilizzare nuove conoscenze, rafforza lo sfruttamento economico delle nuove soluzioni, favorisce l'innovazione in materia di prodotti, servizi e modelli commerciali, promuove attività imprenditoriali su mercati più grandi e internazionalizza le reti di conoscenze delle PMI. Le PMI capaci di una buona gestione dell'innovazione, che spesso dipendono da competenze ed esperti esterni, superano le altre in termini di prestazioni.Le collaborazioni transfrontaliere rappresentano un elemento importante nella strategia dell'innovazione delle PMI per superare alcuni problemi connessi alla dimensione, quali l'accesso alle competenze scientifiche e tecnologiche e ai nuovi mercati. Esse contribuiscono a trasformare le idee in profitti e in crescita dell'impresa e a loro volta incrementano gli investimenti privati nella ricerca e nell'innovazione.I programmi regionali e nazionali di ricerca e innovazione, spesso sostenuti dalla politica europea di coesione, svolgono un ruolo essenziale nel promuovere le PMI. In particolare, i fondi della politica di coesione svolgono un ruolo fondamentale, mediante il rafforzamento delle capacità e la fornitura di un percorso di eccellenza per le PMI, al fine di sviluppare progetti di eccellenza in grado di competere ai fini del finanziamento nel quadro di Orizzonte 2020. Tuttavia, solo un numero ristretto di programmi nazionali e regionali fornisce finanziamenti per attività transnazionali di ricerca e innovazione svolte dalle PMI, per attività di diffusione e sfruttamento a livello unionale di soluzioni innovative o servizi transfrontalieri di sostegno all'innovazione. La sfida consiste nel fornire alle PMI un sostegno aperto a livello tematico per realizzare progetti internazionali in linea con le strategie di innovazione delle imprese. Le azioni a livello di Unione sono quindi necessarie per integrare le attività intraprese a livello nazionale e regionale, aumentarne l'incidenza e aprire i sistemi di sostegno alla ricerca e all'innovazione.

Le grandi linee delle attività

(a) Razionalizzazione del sostegno alle PMI in particolare attraverso un apposito strumento

Le PMI beneficiano di sostegno nel quadro di Orizzonte 2020 nel suo complesso. A tal fine sono create migliori condizioni per la partecipazione delle PMI a Orizzonte 2020. Inoltre, un apposito strumento per le PMI fornisce sostegno a fasi e senza soluzione di continuità per coprire l'intero ciclo dell'innovazione. Lo strumento per le PMI è rivolto a tutti i tipi di PMI innovative che presentano una forte volontà di sviluppo, crescita e internazionalizzazione. È messo a disposizione per tutti i tipi d'innovazione, compresa l'innovazione sociale, di servizio e non tecnologica, posto che ciascuna attività abbia un chiaro valore aggiunto europeo. Lo scopo è sviluppare e sfruttare il potenziale innovativo delle PMI colmando le lacune nel finanziamento della fase iniziale ad alto rischio della ricerca e dell'innovazione, stimolando le innovazioni e incrementando la commercializzazione dei risultati della ricerca da parte del settore privato.Lo strumento sarà gestito nell'ambito di un unico sistema di gestione centralizzato, caratterizzato da un regime amministrativo snello e con un unico punto di contatto. Esso è attuato principalmente con un approccio ascendente attraverso un invito aperto in modo continuativo.Tutti gli obiettivi specifici della priorità ""Sfide per la società"" e l'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" applicheranno l'apposito strumento per le PMI, assegnandovi un importo.

(b) Sostegno per le PMI ad elevata intensità di ricerca

L'obiettivo è promuovere l'innovazione transnazionale orientata al mercato delle PMI che effettuano attività di R&S. Un'azione specifica mira alle PMI ad alta intensità di ricerca in tutti i settori che mostrano la capacità di sfruttare commercialmente i risultati dei progetti. Tale azione sarà basata sul programma Eurostars.

(c) Rafforzare la capacità di innovazione delle PMI

Si sostengono le attività transnazionali che forniscono assistenza all'attuazione e all'integrazione delle misure specifiche destinate alle PMI in Orizzonte 2020, in particolare per migliorare la capacità di innovazione delle PMI. Tali attività sono coordinate, se del caso, con misure nazionali analoghe. È prevista la stretta collaborazione con la rete dei punti di contatto nazionali e la rete Enterprise Europe.

(d) Sostegno all'innovazione orientata al mercato

Si sostengono le innovazioni transnazionali orientate al mercato al fine di migliorare le condizioni generali per l'innovazione e sono affrontati gli ostacoli specifici che impediscono, in particolare, la crescita delle PMI innovative.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:47";"664223" +"H2020-EU.2.3.";"de";"H2020-EU.2.3.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Innovation in KMU";"Innovation in SMEs";"

FÜHRENDE ROLLE DER INDUSTRIE - Innovation in KMU

Einzelziel

Einzelziel ist die Stimulierung eines nachhaltigen Wirtschaftswachstums durch Erhöhung des Innovationsniveaus von KMU. Indem der unterschiedliche Innovationsbedarf über den gesamten Innovationszyklus für alle Arten von Innovationen abgedeckt wird, soll für schneller wachsende und international aktive KMU gesorgt werden.Angesichts der zentralen Rolle der KMU im europäischen Wirtschaftsgefüge sind Forschung und Innovation in KMU von entscheidender Bedeutung für die Steigerung der Wettbewerbsfähigkeit, die Stärkung des Wirtschaftswachstums und die Schaffung von Arbeitsplätzen und damit für die Erreichung der Ziele der Strategie Europa 2020 und insbesondere ihrer Leitinitiative ""Innovationsunion"".Trotz ihres großen Anteils an Wirtschaft und Beschäftigung und ihres signifikanten Innovationspotenzials sehen sich KMU mit verschiedenartigen Problemen konfrontiert, die dazu führen, dass sie ihre Innovationstätigkeit und Wettbewerbsfähigkeit kaum steigern können; hierzu gehören zu geringe finanzielle Mittel und fehlender Zugang zu Finanzierung, mangelnde Fähigkeiten beim Innovationsmanagement, Schwachstellen beim Netzwerken und bei der Kooperation mit externen Partnern sowie unzureichende Nutzung öffentlicher Aufträge für die Förderung von Innovation bei KMU. In Europa gibt es zwar ähnlich viele Firmenneugründungen wie in den Vereinigten Staaten, doch europäische KMU haben es sehr viel schwerer als amerikanische KMU, zu expandieren. Das internationale Unternehmensumfeld mit zunehmend verknüpften Wertschöpfungsketten setzt sie noch zusätzlich unter Druck. KMU müssen ihre Forschungs- und Innovationskapazität stärken. Sie müssen schneller und in größerem Umfang neues Wissen und neue Geschäftsideen generieren, aufgreifen und vermarkten, um auf den sich schnell entwickelnden Weltmärkten erfolgreich konkurrieren zu können. Es geht darum, den KMU mehr Anreize für Innovationen zu geben und damit ihre Wettbewerbsfähigkeit, ihre Nachhaltigkeit und ihr Wachstum zu fördern.Mit den vorgeschlagenen Maßnahmen sollen nationale und regionale Innovationsstrategien und -programme für Unternehmen ergänzt, die Zusammenarbeit – auch die transnationale Zusammenarbeit – zwischen KMU, Clustern und anderen innovationsrelevanten Akteuren in Europa gefördert, die Lücke zwischen FuI und erfolgreicher Vermarktung geschlossen, ein innovationsfreundlicheres Unternehmensumfeld auch durch nachfrageorientierte Maßnahmen und Maßnahmen zur Förderung des Wissenstransfers geschaffen und dabei der Wandel der Innovationsprozesse, der neuen Technologien, der Märkte und der Unternehmensmodelle berücksichtigt werden.Zur Gewährleistung von Synergien und Kohärenz werden enge Verbindungen zwischen industriespezifischen Unionsstrategien, insbesondere mit COSME und den Fonds der Kohäsionspolitik hergestellt.

Begründung und Mehrwert für die Union

Dank ihrer Fähigkeit, neue Geschäftsideen schnell, effizient und erfolgreich umzusetzen, sind KMU wichtige Innovationsmotoren. Sie spielen eine bedeutende Rolle bei der Kanalisierung von Wissen, indem sie Forschungsergebnisse vermarkten. Den KMU kommt eine Schlüsselrolle in den Prozessen des Wissens- und Technologietransfers zu, da sie dazu beitragen, dass Innovationen aus der Forschung von Hochschulen, Forschungseinrichtungen und selbst forschenden Unternehmen auf den Markt gelangen. In den letzten zwanzig Jahren haben innovative KMU dafür gesorgt, dass ganze Sektoren von Grund auf erneuert wurden und neue Branchen entstanden sind. Für die Entwicklung neu entstehender Branchen und zur Beschleunigung des strukturellen Wandels, den Europa benötigt, um zu einer wissensgestützten und nachhaltigen Wirtschaft mit nachhaltigem Wachstum und hochqualifizierten Arbeitsplätzen zu werden, sind schnell wachsende Unternehmen unerlässlich.KMU finden sich in allen Bereichen der Wirtschaft. Sie haben einen größeren Anteil an der europäischen Wirtschaft als in anderen Regionen, wie etwa in den Vereinigten Staaten. Alle Arten von KMU sind innovationsfähig. Sie brauchen Anreize und Unterstützung, um in Forschung und Innovation zu investieren und ihre Kapazitäten zur Verwaltung von Innovationsprozessen zu verbessern. Dabei sollten sie das gesamte Innovationspotenzial des Binnenmarkts und des Europäischen Forschungsraums ausschöpfen können, um neue Geschäftsmöglichkeiten in Europa und darüber hinaus zu erschließen und zur Lösung der zentralen gesellschaftlichen Herausforderungen beizutragen.Die Beteiligung an Unionsforschung und -innovation stärkt die FuE- und Technologiekapazität der KMU, erhöht ihre Fähigkeit, neues Wissen zu generieren, zu absorbieren und zu nutzen, stärkt die wirtschaftliche Auswertung neuer Lösungen, fördert die Innovation von Produkten, Dienstleistungen und Geschäftsmodellen, unterstützt die Geschäftstätigkeit in größeren Märkten und internationalisiert die Wissensnetze von KMU. KMU, die bereits über ein gutes Innovationsmanagement verfügen und häufig auf externe Beratung und externe Qualifikationen zurückgreifen, übertreffen andere.Grenzüberschreitende Kooperationen sind ein wichtiger Faktor in der Innovationsstrategie von KMU, die damit ihre größenbedingten Probleme – wie den Zugang zu technologischen und wissenschaftlichen Kompetenzen und neuen Märkten – überwinden können. Sie tragen dazu bei, Ideen in Gewinn und Unternehmenswachstum zu verwandeln, und erhöhen damit die Privatinvestitionen in Forschung und Innovation.Regionale und nationale Programme für Forschung und Innovation, die häufig von der europäischen Kohäsionspolitik unterstützt werden, spielen eine wichtige Rolle bei der Förderung von KMU. So sind die Fonds der Kohäsionspolitik von zentraler Bedeutung für den Aufbau von Kapazitäten und dienen als Stufenleiter auf dem Weg zur Exzellenz für KMU, die hervorragende Projekte entwickeln und hierfür Fördermittel im Rahmen von Horizont 2020 beantragen könnten. Allerdings bieten nur wenige nationale und regionale Programme Fördermittel für transnationale Forschungs- und Innovationstätigkeiten von KMU, die unionsweite Verbreitung und Einführung innovativer Lösungen oder für grenzüberschreitende Dienstleistungen zur Unterstützung von Innovation. Es geht darum, den KMU eine thematisch offene Unterstützung zu bieten, um internationale Projekte im Einklang mit den Innovationsstrategien der Unternehmen zu verwirklichen. Daher sind Maßnahmen auf Unionsebene notwendig, um Tätigkeiten auf nationaler oder regionaler Ebene zu ergänzen, deren Auswirkungen zu verstärken und um Forschungs- und Innovationsfördersysteme zu öffnen.

Einzelziele und Tätigkeiten in Grundzügen

(a) Durchgehende Berücksichtigung der KMU insbesondere durch ein spezifisches Instrument

KMU werden im Rahmen von Horizont 2020 bereichsübergreifend unterstützt Deshalb werden KMU bessere Bedingungen für die Teilnahme an Horizont 2020 erhalten. Zudem bietet ein eigenes KMU-Instrument eine abgestufte und nahtlose Unterstützung über den gesamten Innovationszyklus hinweg. Das KMU-Instrument richtet sich an alle Arten innovativer KMU, die deutlich und erkennbar das Ziel verfolgen, sich zu entwickeln, zu wachsen und international tätig zu werden. Es ist für alle Arten von Innovationen gedacht, auch für Dienstleistungen, nichttechnologische und soziale Innovationen, sofern jede Tätigkeit mit einem eindeutigen europäischen Mehrwert verbunden ist. Angestrebt werden Ausbau und Nutzung des Innovationspotenzials von KMU durch Überbrückung der Förderlücke bei hoch riskanter Forschung und Innovation in der Anfangsphase und durch Anreize für bahnbrechende Innovationen und die Stärkung der Vermarktung von Forschungsergebnissen durch den Privatsektor.Das Instrument erhält ein einheitliches zentralisiertes Managementsystem mit geringem Verwaltungsaufwand und einer einzigen Anlaufstelle. Es wird überwiegend nach einem Bottom-up-Ansatz über eine zeitlich unbefristete Ausschreibung durchgeführt.Bei allen Einzelzielen des Schwerpunkts ""Gesellschaftliche Herausforderungen"" und das Einzelziel ""Führenden Rolle bei grundlegenden und industriellen Technologien"" findet das KMU-Instrument Anwendung und erhält eine eigene Mittelzuweisung.

(b) Unterstützung forschungsintensiver KMU

Ziel ist die Förderung transnationaler marktorientierter Innovation durch KMU, die auf dem Gebiet der FuE tätig sind. Eine Maßnahme richtet sich speziell an forschungsintensive KMU in allen Sektoren, die erkennbar die Fähigkeit haben, die Projektergebnisse kommerziell zu nutzen. Die Maßnahme wird auf dem Eurostars-Programm aufbauen.

(c) Stärkung der Innovationskapazität von KMU

Transnationale Tätigkeiten zur Umsetzung und Ergänzung KMU-spezifischer Maßnahmen werden in allen Bereichen von Horizont 2020 unterstützt, insbesondere zur Erhöhung der Innovationskapazität von KMU. Diese Tätigkeiten werden gegebenenfalls mit ähnlichen nationalen Maßnahmen abgestimmt. Es ist eine enge Zusammenarbeit mit dem Netz der nationalen Kontaktstellen (NCP) und dem Netz ""Enterprise Europe Network"" (EEN) vorgesehen.

(d) Unterstützung marktorientierter Innovation

Um die Rahmenbedingungen für Innovation zu verbessern werden transnationale, vom Markt ausgehende Innovationen unterstützt, und Hemmnisse, die insbesondere das Wachstum innovativer KMU behindern, werden angegangen.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:47";"664223" +"H2020-EU.2.3.";"en";"H2020-EU.2.3.";"";"";"INDUSTRIAL LEADERSHIP - Innovation In SMEs";"Innovation in SMEs";"

INDUSTRIAL LEADERSHIP - Innovation In SMEs

Specific objective

The specific objective is to stimulate sustainable economic growth by means of increasing the levels of innovation in SMEs, covering their different innovation needs over the whole innovation cycle for all types of innovation, thereby creating more fast-growing, internationally active SMEs.Considering the central role of SMEs in Europe's economy, research and innovation in SMEs will play a crucial role in increasing competitiveness, boosting economic growth and job creation and thus in achieving the objectives of the Europe 2020 strategy and notably its flagship initiative 'Innovation Union'.However, SMEs have – despite their important economic and employment share and significant innovation potential – several types of problems to become more innovative and more competitive, including shortage of financial resources and access to finance, shortage in skills in innovation management, weaknesses in networking and cooperation with external parties, and insufficient use of public procurement to foster innovation in SMEs. Although Europe produces a similar number of start-up companies to the United States, European SMEs are finding it much harder to grow into large companies than their US counterparts. The internationalised business environment with increasingly interlinked value chains puts further pressure on them. SMEs need to enhance their research and innovation capacity. They need to generate, take up and commercialise new knowledge and business ideas faster and to a greater extent to compete successfully on fast evolving global markets. The challenge is to stimulate more innovation in SMEs, thereby enhancing their competitiveness, sustainability and growth.The proposed actions aim to complement national and regional business innovation policies and programmes, to foster cooperation between SMEs, including transnational cooperation, clusters and other innovation-relevant actors in Europe, to bridge the gap between R&D and successful market uptake, to provide a more business innovation friendly environment, including demand-side measures and measures geared to boosting the transfer of knowledge, and to support taking into account the changing nature of innovation processes, new technologies, markets and business models.Strong links with industry-specific Union policies, notably COSME and the Cohesion Policy Funds, will be established to ensure synergies and a coherent approach.

Rationale and Union added value

SMEs are key drivers of innovation due to their ability to quickly and efficiently transform new ideas in successful businesses. They serve as important conduits of knowledge spill-over bringing research results to the market. SMEs have a key role to play in technology and knowledge transfer processes, contributing to the market transfer of innovations stemming from the research carried out in universities, research bodies and research performing companies. The last twenty years have shown that entire sectors have been renewed and new industries created driven by innovative SMEs. Fast growing enterprises are crucial for the development of emerging industries and for the acceleration of the structural changes that Europe needs to become a knowledge-based and sustainable economy with sustained growth and high quality jobs.SMEs can be found in all sectors of the economy. They form a more important part of the European economy than of other regions such as the United States. All types of SMEs can innovate. They need to be encouraged and supported to invest in research and innovation and to enhance their capacity to manage innovation processes. In doing so they should be able to draw on the full innovative potential of the internal market and the ERA so as to create new business opportunities in Europe and beyond and to contribute to find solutions to key societal challenges.Participation in Union research and innovation strengthens the R&D and technology capability of SMEs, increases their capacity to generate, absorb and use new knowledge, enhances the economic exploitation of new solutions, boosts innovation in products, services and business models, promotes business activities in larger markets and internationalises the knowledge networks of SMEs. SMEs that have a good innovation management in place, thereby often relying on external expertise and skills, outperform others.Cross-border collaborations are an important element in the innovation strategy of SMEs to overcome some of their size-related problems, such as access to technological and scientific competences and new markets. They contribute to turn ideas into profit and company growth and in return to increase private investment in research and innovation.Regional and national programmes for research and innovation, often backed by European cohesion policy, play an essential role in promoting SMEs. In particular, Cohesion Policy Funds have a key role to play through building capacity and providing a stairway to excellence for SMEs in order to develop excellent projects that may compete for funding under Horizon 2020. Nevertheless, only a few national and regional programmes provide funding for transnational research and innovation activities carried out by SMEs, the Union-wide diffusion and uptake of innovative solutions or cross-border innovation support services. The challenge is to provide SMEs with thematically open support to realise international projects in line with companies' innovation strategies. Actions at Union level are therefore necessary to complement activities undertaken at national and regional level, to enhance their impact and to open up the research and innovation support systems.

Broad lines of the activities

(a) Mainstreaming SME support especially through a dedicated instrument

SMEs shall be supported across Horizon 2020. For this purpose, to participate in Horizon 2020, better conditions for SMEs shall be established. In addition, a dedicated SME instrument shall provide staged and seamless support covering the whole innovation cycle. The SME instrument shall be targeted at all types of innovative SMEs showing a strong ambition to develop, grow and internationalise. It shall be provided for all types of innovation, including service, non-technological and social innovations, given each activity has a clear European added value. The aim is to develop and capitalise on the innovation potential of SMEs by filling the gap in funding for early stage high-risk research and innovation, stimulating innovations and increasing private-sector commercialisation of research results.The instrument will operate under a single centralised management system, light administrative regime and a single entry point. It shall be implemented primarily in a bottom-up manner through a continuously open call.All of the specific objectives of the priority 'Societal challenges', and the specific objective 'Leadership in enabling and industrial technologies' will apply the dedicated SME instrument and allocate an amount for this.

(b) Support for research-intensive SMEs

The goal is to promote transnational market-oriented innovation of R&D performing SMEs. A specific action shall target research-intensive SMEs in any sectors that show the capability to commercially exploit the project results. This action will be built on the Eurostars Programme.

(c) Enhancing the innovation capacity of SMEs

Transnational activities assisting the implementation of and complementing the SME specific measures across Horizon 2020 shall be supported, notably to enhance the innovation capacity of SMEs. These activities shall be coordinated with similar national measures when appropriate. Close cooperation with the National Contact Point (NCP) Network and the Enterprise Europe Network (EEN) is envisaged.

(d) Supporting market-driven innovation

Transnational market-driven innovation to improve the framework conditions for innovation shall be supported, and the specific barriers preventing, in particular, the growth of innovative SMEs shall be tackled.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:47";"664223" +"H2020-EU.2.3.";"es";"H2020-EU.2.3.";"";"";"LIDERAZGO INDUSTRIAL - Innovación en la pequeña y mediana empresa";"Innovation in SMEs";"

LIDERAZGO INDUSTRIAL - Innovación en la pequeña y mediana empresa

Objetivo específico

El objetivo específico es estimular el crecimiento económico sostenible aumentando el nivel de la innovación en las PYME, cubriendo sus diferentes necesidades de innovación a lo largo de todo su ciclo para todos los tipos de innovación, y creando así unas PYME de más rápido crecimiento y activas a nivel internacional.Teniendo en cuenta el papel central de las PYME en la economía de Europa, la investigación y la innovación en las PYME desempeñará un papel crucial para reforzar la competitividad, impulsar el crecimiento económico y la creación de puestos de trabajo y, por ende, alcanzar los objetivos de la estrategia Europa 2020, y en particular de su iniciativa emblemática ""Unión por la Innovación"".Sin embargo, las PYME -a pesar de su importancia para la economía y el empleo y su significativo potencial de innovación- tienen problemas de varios tipos para resultar más innovadoras y competitivas, entre ellos, la escasez de recursos financieros y acceso a la financiación, la carencia de conocimientos sobre gestión de la innovación, deficiencias en el establecimiento de contactos y cooperación con partes externas y uso insuficiente de la contratación pública para fomentar la innovación en las PYME. Aunque Europa produce un número similar de empresas incipientes que los Estados Unidos, a las PYME europeas les resulta mucho más difícil que a sus homólogas estadounidenses crecer y convertirse en grandes empresas. El entorno empresarial internacionalizado, con unas cadenas del valor cada vez más interconectadas, aumenta la presión sobre ellas. Las PYME necesitan potenciar su capacidad de investigación e innovación. Deben generar, asimilar y comercializar los nuevos conocimientos e ideas de negocio con mayor rapidez y en mayor medida para competir ventajosamente en unos mercados mundiales que evolucionan rápidamente. El reto consiste en estimular una mayor innovación en las PYME, lo que aumentaría su competitividad, sostenibilidad y el crecimiento.El objetivo de las acciones propuestas es complementar las políticas y programas de innovación empresarial nacionales y regionales, estimular la cooperación, incluida la cooperación transnacional, entre las PYME, inclusive la cooperación transnacional, las agrupaciones de empresas y otros protagonistas de la innovación en Europa, salvar la distancia que media entre la investigación/desarrollo y la satisfactoria absorción por el mercado, proporcionar un entorno más propicio para la innovación en las empresas, incluyendo medidas del lado de la demanda y medidas orientadas a impulsar la transferencia de tecnología, y un apoyo que tenga en cuenta la naturaleza cambiante de los procesos de innovación, las nuevas tecnologías, los mercados y los modelos de negocio.Se establecerán estrechos vínculos con las políticas específicas para la industria de la Unión, en particular el Programa COSME y los fondos de la política de cohesión, a fin de garantizar las sinergias y la coherencia del enfoque.

Justificación y valor añadido de la Unión

Las PYME son motores fundamentales de la innovación gracias a su capacidad para transformar de manera rápida y eficiente las nuevas ideas en negocios de éxito. Actúan como importantes conductos de difusión de los conocimientos para llevar al mercado los resultados de la investigación. Las PYME también tienen un papel esencial que desempeñar en los procesos de transferencia de tecnología y conocimiento, contribuyendo a la traslación al mercado de las innovaciones derivadas de la investigación que se lleva a cabo en las universidades, los organismos públicos de investigación y las empresas que realizan actividades de investigación. En los últimos veinte años se ha comprobado la capacidad de las PYME innovadoras para renovar sectores enteros y crear nuevas industrias. Las empresas de crecimiento rápido son esenciales para el desarrollo de industrias emergentes y para la aceleración de los cambios estructurales que necesita Europa para convertirse en una economía sostenible y basada en el conocimiento, con un crecimiento sostenido y un empleo de alta calidad.Las PYME se encuentran en todos los sectores de la economía. Representan una parte de la economía más importante en Europa que en otras regiones, como los Estados Unidos. Todos los tipos de PYME pueden innovar. Es necesario apoyarlas para invertir en investigación e innovación y también para aumentar su capacidad para gestionar los procesos de innovación. Al hacerlo, deben poder aprovechar plenamente el potencial innovador del mercado interior y el EEI, con el fin de crear nuevas oportunidades de negocio en Europa y fuera de ella y contribuir a encontrar soluciones para los principales retos de la sociedad.La participación en la investigación y la innovación de la Unión refuerza la capacidad en I+D y tecnológica de las PYME, incrementa su capacidad para generar, absorber y utilizar los nuevos conocimientos, mejora la explotación económica de las nuevas soluciones, impulsa la innovación en productos, servicios y modelos de negocio, promueve actividades comerciales en mercados más amplios e internacionaliza las redes de conocimientos de las PYME. Las PYME que disponen de una buena gestión de la innovación, a menudo apoyándose en conocimientos y competencias externas, obtienen mejores resultados que otras.Las colaboraciones transfronterizas son un elemento importante en la estrategia de innovación de las PYME, a fin de superar algunos de los problemas relacionados con su tamaño, como el acceso a las competencias científicas y tecnológicas y a los nuevos mercados. Contribuyen a transformar las ideas en beneficios y crecimiento de la empresa, y en consecuencia a aumentar la inversión privada en investigación e innovación.Los programas regionales y nacionales de investigación e innovación, con frecuencia respaldados por la política europea de cohesión, desempeñan un papel esencial en la promoción de las PYME. En particular, los fondos de la política de cohesión deben desempeñar un papel clave para crear capacidad y facilitar a las PYME una escalera hacia la excelencia a fin de desarrollar proyectos excelentes que puedan competir por los fondos de Horizonte 2020. Sin embargo, son contados los programas nacionales y regionales que ofrecen financiación para las actividades transnacionales de investigación e innovación realizadas por las PYME, la difusión y la asimilación en toda la Unión de las soluciones innovadoras o los servicios de apoyo a la innovación transfronteriza. El desafío es proporcionar a las PYME un apoyo temáticamente abierto para realizar proyectos internacionales en consonancia con las estrategias de innovación de las empresas. Por consiguiente, son necesarias acciones a nivel de la Unión para complementar las actividades emprendidas a nivel nacional y regional, potenciar su impacto y abrir los sistemas de apoyo a la investigación y la innovación.

Líneas generales de las actividades

(a) Integrar el apoyo a las PYME, especialmente mediante un instrumento específico

Se financiará a las PYME en todo el programa Horizonte 2020. Con este fin, se establecerán mejores condiciones para la participación de las PYME en Horizonte 2020. Además, un instrumento dedicado a las PYME facilitará un apoyo por etapas y sin fisuras que cubra todo el ciclo de la innovación. El instrumento de las PYME se destinará a todos los tipos de PYME innovadoras que demuestren una ambición firme de desarrollarse, crecer e internacionalizarse. Se facilitará para todo tipo de innovaciones, incluidas las referidas a servicios, no tecnológicas o sociales, habida cuenta de que cada actividad ofrece un claro valor añadido europeo. El objetivo es desarrollar y explotar el potencial de innovación de las PYME, colmando las lagunas que existen en la financiación de la fase inicial de la investigación e innovación de alto riesgo, estimulando las innovaciones y potenciando la comercialización por el sector privado de los resultados de la investigación.El instrumento funcionará conforme a una única estructura de gestión centralizada, un régimen administrativo ágil y una ventanilla única. Se aplicará siguiendo principalmente una lógica ascendente, mediante convocatorias públicas continuas.Todos los objetivos específicos de la prioridad ""Retos de la sociedad"" y el objetivo específico de ""Liderazgo en tecnologías industriales y de capacitación"" aplicarán el instrumento dedicado a las PYME y asignarán un importe a tal efecto.

(b) Apoyar a las PYME intensivas en investigación

El objetivo es promover la innovación transnacional orientada al mercado de las PYME que realizan actividades de I+D. Se dedicará una acción específica a las PYME intensivas en investigación en todos los sectores que demuestren capacidad para explotar comercialmente los resultados del proyecto. Esta acción se basará en el Programa Eurostars.

(c) Mejorar la capacidad de innovación de las PYME

Se prestará apoyo a las actividades transnacionales que faciliten la aplicación de las medidas específicas en favor de las PYME de Horizonte 2020 y las complementen, en particular para aumentar la capacidad de innovación de las PYME. Estas actividades se coordinarán, cuando proceda, con medidas nacionales similares. Se prevé una estrecha cooperación con la Red de Puntos Nacionales de Contacto (PCN) y la Red Europea para las Empresas (EEN).

(d) Apoyar la innovación impulsada por el mercado

Apoyo a la innovación transnacional impulsada por el mercado a fin de mejorar las condiciones marco para la innovación y combatir los obstáculos concretos que impiden, en particular, el crecimiento de las PYME innovadoras.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:47";"664223" +"H2020-EC";"fr";"H2020-EC";"";"";"Programme-cadre Horizon 2020";"EC Treaty";"

Programme-cadre Horizon 2020 (H2020)

Grandes lignes des objectifs spécifiques et des activités

L'objectif général d'Horizon 2020 est d'édifier, à l'échelle de l'Union, une société et une économie de premier plan au niveau mondial fondées sur la connaissance et l'innovation, tout en contribuant au développement durable. Horizon 2020 soutiendra la stratégie Europe 2020 et d'autres politiques de l'Union, ainsi que la mise en place et le fonctionnement de l'Espace européen de la recherche (EER).Les indicateurs de performance utilisés pour évaluer les progrès accomplis dans la réalisation de cet objectif général sont:•l'objectif en matière de recherche et de développement (3 % du PIB) de la stratégie Europe 2020;•l'indicateur de résultat de l'innovation dans le cadre de la stratégie Europe 2020; •la proportion de chercheurs dans la population active.Cet objectif général est poursuivi au moyen de trois priorités distinctes, se renforçant néanmoins mutuellement, contenant chacune une série d'objectifs spécifiques. Ces priorités seront mises en œuvre de façon cohérente, de manière à encourager les interactions entre les différents objectifs spécifiques, à éviter toute répétition inutile d'activités et à renforcer leur impact cumulé.Le Centre commun de recherche (JRC) contribue à l'objectif général et aux priorités d'Horizon 2020, en poursuivant comme objectif spécifique la fourniture d'un soutien scientifique et technique orienté vers le client aux politiques de l'Union. (Voir également H2020-EU.6.) (http://cordis.europa.eu/programme/rcn/664511_en.html)L'Institut européen d'innovation et de technologie (EIT) contribue à la réalisation de l'objectif général et des priorités d'Horizon 2020, en poursuivant comme objectif spécifique l'intégration du triangle de la connaissance que constituent l'enseignement supérieur, la recherche et l'innovation. Les indicateurs utilisés pour évaluer la performance de l'EIT sont:•les entités du milieu universitaire, du monde de l'entreprise et du secteur de la recherche intégrées dans les communautés de la connaissance et de l'innovation (CCI);•la collaboration au sein du triangle de la connaissance débouchant sur le développement de produits, de services et de processus innovants.(Voir également H2020-EU.7.) (http://cordis.europa.eu/programme/rcn/664513_en.html)

Questions transversales et mesures de soutien dans le cadre d'Horizon 2020

Les questions transversales, dont une liste indicative figure à l'article 14, seront promues entre les objectifs spécifiques des trois priorités en tant qu'actions nécessaires au développement de nouvelles connaissances, de compétences clés et d'avancées technologiques majeures et à la traduction des connaissances en valeur économique et sociétale. En outre, dans de nombreux cas, il conviendra de mettre au point des solutions interdisciplinaires qui recouperont les nombreux objectifs spécifiques d'Horizon 2020. Ce programme comprendra des dispositions visant à encourager des actions portant sur ces questions transversales, notamment par le regroupement efficace des budgets.

Sciences sociales et humaines

La recherche dans le domaine des sciences sociales et des sciences humaines sera pleinement intégrée dans chacune des priorités d'Horizon 2020 et dans chacun des objectifs spécifiques et elle contribuera à la base de connaissances pouvant étayer l'élaboration des politiques au niveau international, à l'échelle de l'Union et au niveau national, régional ou local. En ce qui concerne les défis de société, les sciences sociales et humaines seront intégrées comme élément essentiel des activités nécessaires pour relever chacun des défis de société avec un impact maximal. L'objectif spécifique du défi de société «L'Europe dans un monde en évolution: des sociétés ouvertes à tous, innovantes et capables de réflexion» (H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html) soutiendra la recherche dans le domaine des sciences sociales et humaines en mettant l'accent sur des sociétés ouvertes à tous, innovantes et capables de réflexion.

Science et société

Les liens entre la science et la société ainsi que la promotion d'activités de recherche et d'innovation responsables, de la formation scientifique et de la culture seront consolidés et la confiance du public vis-à-vis de la science sera renforcée par des activités d'Horizon 2020 favorisant l'engagement éclairé des citoyens et de la société civile dans la recherche et à l'innovation.

Genre

Promouvoir l'égalité entre les hommes et les femmes dans les domaines de la science et de l'innovation est un engagement de l'Union. Dans Horizon 2020, la question du genre sera abordée de manière transversale afin de remédier aux déséquilibres entre les genres et d'intégrer la dimension de genre dans la programmation et le contenu de la recherche et de l'innovation.

PME

Horizon 2020 encouragera et soutiendra la participation des PME à tous les objectifs spécifiques d'une manière intégrée. Conformément à l'article 22, les mesures relevant de l'objectif spécifique «Innovation dans les PME» (instrument dédié aux PME) (H2020-EU.2.3.) http://cordis.europa.eu/programme/rcn/664223_en.html seront appliquées pour l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» (H2020-EU.2.1.) http://cordis.europa.eu/programme/rcn/664145_en.html et pour la priorité «Défis de société». (H2020-EU.3.) http://cordis.europa.eu/programme/rcn/664235_en.html.

Voie express pour l'innovation

La voie express pour l'innovation, prévue à l'article 24, soutiendra les actions dans le domaine de l'innovation au titre de l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» et de la priorité «Défis de société», selon une logique ascendante sur la base d'un appel ouvert permanent, le délai d'octroi des subventions ne dépassant pas six mois.

Élargissement de la participation

En dépit d'une certaine convergence constatée ces derniers temps, le potentiel de recherche et d'innovation continue de différer sensiblement d'un État membre à l'autre, de fortes disparités subsistant entre les «champions de l'innovation» et les «innovateurs modestes». Les activités contribueront à combler la fracture en matière de recherche et d'innovation en Europe en favorisant les synergies avec les fonds structurels et d'investissement européens (ci-après dénommés «fonds ESI»), et aussi grâce à des mesures spécifiques pour libérer l'excellence dans les régions peu performantes en matière de recherche, développement et innovation (RDI) et, partant, en élargissant la participation à Horizon 2020 et en contribuant à la réalisation de l'EER.

Coopération internationale

La coopération internationale avec les pays tiers et les organisations internationales, régionales ou mondiales est nécessaire pour poursuivre efficacement bon nombre des objectifs spécifiques énoncés dans Horizon 2020. La coopération internationale est essentielle à la recherche exploratoire et fondamentale, afin de récolter les bénéfices liés aux opportunités scientifiques et technologiques émergentes. La coopération est nécessaire pour relever les défis de société et renforcer la compétitivité de l'industrie européenne. La promotion de la mobilité internationale des personnes travaillant pour la recherche et l'innovation est également cruciale pour renforcer cette coopération mondiale. La coopération internationale dans la recherche et l'innovation constitue un élément essentiel des engagements de l'Union au niveau mondial. La coopération internationale sera par conséquent promue dans le cadre de chacune des trois priorités d'Horizon 2020. En outre, des activités horizontales spécifiques bénéficieront d'un soutien encouragées afin de garantir la mise en place cohérente et efficace d'une coopération internationale dans l'ensemble d'Horizon 2020.

Développement durable et changement climatique

Horizon 2020 encouragera et soutiendra les activités visant à tirer parti du rôle de premier plan joué par l'Europe dans la course à la mise au point de nouveaux procédés et de nouvelles technologies en faveur du développement durable, au sens large, et de la lutte contre le changement climatique. Cette approche horizontale, pleinement intégrée dans l'ensemble des priorités d'Horizon 2020, aidera l'Union à prospérer dans un monde à faible émission de carbone et aux ressources limitées, tout en construisant une économie efficace dans l'utilisation des ressources, durable et compétitive.

Réduction de l'écart entre découverte et application commerciale

Des actions seront menées dans le cadre d'Horizon 2020 afin que les découvertes trouvent des applications commerciales, en vue de l'exploitation et de la commercialisation d'idées le cas échéant. Elles devraient être fondées sur un concept d'innovation au sens large et stimuler l'innovation transsectorielle.

Mesures de soutien transversales

Les questions transversales seront soutenues par un certain nombre de mesures de soutien horizontales, y compris un soutien en faveur: de l'amélioration de l'attractivité des métiers de la recherche, y compris les principes généraux de la charte européenne du chercheur; du renforcement de la base d'éléments factuels ainsi que du développement et du soutien de l'EER (y compris les cinq initiatives EER) et de l'Union de l'innovation; de l'amélioration des conditions-cadres à l'appui de l'Union de l'innovation, y compris les principes énoncés dans la recommandation de la Commission concernant la gestion de la propriété intellectuelle et l'examen de la possibilité de mettre en place un instrument de valorisation des droits de propriété intellectuelle européens; et de l'administration et de la coordination des réseaux internationaux de chercheurs et d'innovateurs d'excellence, tels que COST.";"";"H2020";"H2020";"";"";"2014-09-23 19:33:48";"664087" +"H2020-EC";"it";"H2020-EC";"";"";"Programma quadro Orizzonte 2020";"EC Treaty";"

Programma quadro Orizzonte 2020 (H2020)

Grandi linee degli obiettivi specifici e delle attività

L'obiettivo generale di Orizzonte 2020 è costruire una società e un'economia di primo piano su scala mondiale basate sulla conoscenza e sull'innovazione nell'intera Unione, contribuendo nel contempo allo sviluppo sostenibile. Esso sosterrà la strategia Europa 2020 e altre politiche dell'Unione, nonché il conseguimento e il funzionamento dello Spazio europeo della ricerca (SER).Gli indicatori di efficienza per valutare i progressi relativamente a tale obiettivo generale sono:•l'obiettivo per la ricerca e lo sviluppo (R&S) (3 % del PIL) della strategia Europa 2020;•l'indicatore dei risultati dell'innovazione nel contesto della strategia Europa 2020;•la percentuale dei ricercatori rispetto alla popolazione attiva.Tale obiettivo generale è perseguito per mezzo di tre priorità distinte ma di reciproco sostegno, ciascuna contenente un insieme di obiettivi specifici. La loro attuazione coerente consentirà di stimolare le interazioni fra i diversi obiettivi specifici, evitando sovrapposizioni di sforzi e rafforzandone l'impatto congiunto.Il Centro comune di ricerca (CCR) contribuisce all'obiettivo generale e alle priorità di Orizzonte 2020 con l'obiettivo specifico di fornire alle politiche dell'Unione un sostegno scientifico e tecnico orientato al cliente. (Vedere anche H2020-EU.6.) (http://cordis.europa.eu/programme/rcn/664511_en.html)L'Istituto europeo di innovazione e tecnologia (EIT) contribuisce all'obiettivo generale e alle priorità di Orizzonte 2020 con l'obiettivo specifico di integrare il triangolo della conoscenza costituito da istruzione superiore, ricerca e innovazione. Gli indicatori per valutare le prestazioni dell'EIT sono:•le organizzazioni di università, imprese e ricerca integrate nelle comunità della conoscenza e dell'innovazione (CCI);•la collaborazione all'interno del triangolo della conoscenza per sviluppare prodotti, servizi e processi innovativi.(Vedere anche H2020-EU.7.) (http://cordis.europa.eu/programme/rcn/664513_en.html)

Questioni trasversali e misure di sostengo nell'ambito di Orizzonte 2020

Tra gli obiettivi specifici delle tre priorità saranno promosse le questioni trasversali, di cui un elenco indicativo figura all'articolo 14, in quanto necessarie a sviluppare nuove conoscenze, competenze chiave e importanti scoperte tecnologiche nonché a tradurre le conoscenze in valore economico e sociale. Inoltre in molti casi dovranno essere sviluppate soluzioni interdisciplinari comuni a vari obiettivi specifici di Orizzonte 2020. Orizzonte 2020 fornirà incentivi per azioni che riguardano tali questioni trasversali, anche mediante il raggruppamento efficace degli stanziamenti di bilancio.

Scienze sociali e discipline umanistiche

La ricerca nel settore delle scienze sociali e delle discipline umanistiche sarà pienamente integrata in ciascuna delle priorità e in ciascuno degli obiettivi specifici di Orizzonte 2020 e contribuirà alla base di conoscenze per le decisioni politiche a livello internazionale, unionale, nazionale, regionale e locale. Per quanto riguarda le sfide per la società, le scienze sociali e le discipline umanistiche saranno integrate come elemento essenziale delle attività necessarie per affrontare ciascuna delle sfide per la società al fine di potenziarne l'impatto. L'obiettivo specifico della sfida per la società ""L'Europa in un mondo in evoluzione: Società inclusive, innovative e riflessive"" (H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html) sosterrà la ricerca nel settore delle scienze sociali e delle discipline umanistiche incentrandosi sulle società inclusive, innovative e riflessive.

Scienza e società

Le attività di Orizzonte 2020 approfondiscono la relazione tra scienza e società nonché la promozione della ricerca e innovazione responsabili, istruzione in ambito scientifico e della cultura e rafforzano la fiducia del pubblico nella scienza, favorendo la partecipazione informata dei cittadini e della società civile per quanto attiene alla ricerca e all'innovazione.

Genere

Promuovere la parità di genere nell'ambito della scienza e dell'innovazione è un impegno dell'Unione. La questione di genere sarà affrontata in modo trasversale nell'ambito di Orizzonte 2020 al fine di correggere gli squilibri tra donne e uomini e integrare una dimensione di genere nella programmazione e nei contenuti della ricerca e dell'innovazione.

PMI

Orizzonte 2020 incoraggia e sostiene la partecipazione, in modo integrato, delle PMI a tutti gli obiettivi specifici. Conformemente all'articolo 22, le misure definite nell'ambito dell'obiettivo specifico ""Innovazione nelle PMI"" (strumento riservato alle PMI) (H2020-EU.2.3.) http://cordis.europa.eu/programme/rcn/664223_en.html, sono applicate nel quadro dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" (H2020-EU.2.1.) http://cordis.europa.eu/programme/rcn/664145_en.html e della priorità ""Sfide per la società"" (H2020-EU.3.) http://cordis.europa.eu/programme/rcn/664235_en.html.

Corsia veloce per l'innovazione (CVI)

La CVI, come stabilito all'articolo 24, sosterrà le azioni di innovazione nell'ambito dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" e della priorità ""Sfide per la società"", con una logica ascendente basata su un invito aperto in modo continuativo e tempi per la concessione delle sovvenzioni non superiori a sei mesi.

Ampliare la partecipazione

Nonostante alcune recenti convergenze, il potenziale di ricerca e innovazione degli Stati membri resta molto disomogeneo, con ampi divari fra i leader dell'innovazione e gli innovatori ""modesti"". Le attività contribuiscono a colmare il divario in materia di ricerca e innovazione in Europa mediante la promozione di sinergie con i fondi strutturali e di investimento europei (fondi ESI), nonché attraverso misure ad hoc volte a sbloccare l'eccellenza nelle regioni con prestazioni meno soddisfacenti in materia di ricerca, sviluppo e innovazione (RSI), ampliando in tal modo la partecipazione a Orizzonte 2020 e contribuendo altresì alla realizzazione del SER.

Cooperazione internazionale

La cooperazione internazionale con paesi terzi e organizzazioni internazionali, regionali o globali è necessaria per affrontare efficacemente numerosi obiettivi specifici stabiliti nell'ambito di Orizzonte 2020. La cooperazione internazionale è essenziale per la ricerca di base e di frontiera al fine di sfruttare i vantaggi derivanti dai nuovi orizzonti scientifici e tecnologici. La cooperazione è necessaria al fine di affrontare le sfide per la società e rafforzare la competitività dell'industria europea. Anche la promozione della mobilità a livello internazionale del personale nel settore R&I è fondamentale per rafforzare tale cooperazione globale. La cooperazione internazionale nella ricerca e nell'innovazione è un aspetto fondamentale degli impegni dell'Unione sul piano mondiale. Pertanto la cooperazione internazionale sarà promossa in ciascuna delle tre priorità di Orizzonte 2020. Saranno inoltre sostenute attività orizzontali specifiche al fine di garantire lo sviluppo coerente ed efficace della cooperazione internazionale nel quadro di Orizzonte 2020.

Sviluppo sostenibile e cambiamento climatico

Orizzonte 2020 incoraggerà e sosterrà le attività volte a sfruttare il ruolo guida dell'Europa nella corsa per sviluppare nuovi processi e tecnologie per promuovere lo sviluppo sostenibile in senso lato e far fronte al cambiamento climatico. Tale approccio orizzontale, pienamente integrato in tutte le priorità di Orizzonte 2020, favorirà la prosperità dell'Unione in un mondo a basse emissioni di carbonio e con risorse vincolate, costruendo nel contempo un'economia efficiente sotto il profilo delle risorse, sostenibile e competitiva.

Ciclo scoperta-commercializzazione

Le azioni-ponte nell'ambito di Orizzonte 2020 sono finalizzate a passare dalla scoperta all'applicazione di mercato, per consentire lo sfruttamento e la commercializzazione delle idee ovunque ciò sia appropriato. Le azioni dovrebbero basarsi su un ampio concetto di innovazione e stimolare l'innovazione intersettoriale.

Misure di sostegno trasversali

Per quanto riguarda le questioni trasversali saranno adottate varie misure di sostegno orizzontali compreso il sostegno: al rafforzamento dell'attrattività della professione di ricercatore, compresi i principi generali della Carta europea dei ricercatori; al rafforzamento della base di conoscenze nonché dello sviluppo e sostegno a favore del SER (comprese le cinque iniziative SER) e dell'Unione dell'innovazione; al miglioramento delle condizioni generali a sostegno dell'Unione dell'innovazione, compresi i principi della raccomandazione della Commissione sulla gestione della proprietà intellettuale e all'esame della possibilità di istituire uno strumento europeo per lo sfruttamento dei diritti di proprietà intellettuale, alla gestione e al coordinamento delle reti internazionali per ricercatori e innovatori di eccellenza, quali COST.";"";"H2020";"H2020";"";"";"2014-09-23 19:33:48";"664087" +"H2020-EC";"de";"H2020-EC";"";"";"Rahmenprogramm Horizont 2020";"EC Treaty";"

Rahmenprogramm Horizont 2020 (H2020)

Einzelziele und Tätigkeiten in Grundzügen

Das allgemeine Ziel von Horizont 2020 ist es, unionsweit eine wissens- und innovationsgestützte Gesellschaft und eine weltweit führende Wirtschaft aufzubauen und gleichzeitig zur nachhaltigen Entwicklung beizutragen. Horizont 2020 unterstützt die Strategie Europa 2020 und andere Strategien der Europäischen Union sowie die Vollendung und das Funktionieren des Europäischen Forschungsraums (EFR).Der Fortschritt im Verhältnis zu diesem übergeordneten Ziel wird mit den folgenden Leistungsindikatoren bewertet:•das Forschungs- und Entwicklungsziel der Strategie Europa 2020 (3% des BIP);•der Indikator für Innovationsausgabe im Rahmender Strategie Europa 2020;•der Anteil von Forschern an der Erwerbsbevölkerung.Zur Erreichung des übergeordneten Ziels werden drei getrennte, wenngleich sich gegenseitig verstärkende Schwerpunkte verfolgt, für die jeweils Einzelziele festgelegt sind. Ihre Durchführung ist nahtlos, fördert die wechselseitigen Beziehungen zwischen den jeweiligen Einzelzielen, vermeidet Doppelarbeit und stärkt so ihre Gesamtwirkung.Die Gemeinsame Forschungsstelle trägt durch das Einzelziel einer auftraggeberorientierten wissenschaftlich-technischen Unterstützung der Unionspolitik zum übergeordneten Ziel und zu den Schwerpunkten von Horizont 2020 bei. (Siehe auch H2020-EU.6.) (http://cordis.europa.eu/programme/rcn/664511_en.html)Das Europäische Innovations- und Technologieinstitut (EIT) trägt durch das Einzelziel, das Wissensdreieck aus Hochschulbildung, Forschung und Innovation zu integrieren, zum übergeordneten Ziel und zu den Schwerpunkten von Horizont 2020 bei. Die Leistung des EIT wird mit folgenden Indikatoren gemessen:•in Wissens- und Innovationsgemeinschaften (KIC) integrierte Hochschul-, Unternehmens- und Forschungsorganisationen;•Kooperation innerhalb des Wissensdreiecks, aus der innovative Produkte, Dienstleistungen und Verfahren hervorgehen.(Siehe auch H2020-EU.7.) (http://cordis.europa.eu/programme/rcn/664513_en.html)

Bereichsübergreifende Aspekte und Unterstützungsmaßnahmen in Horizont 2020

Die bereichsübergreifenden Aspekte, die – nicht erschöpfend – in Artikel 14 aufgelistet sind und Wirkungen zwischen den Einzelzielen der drei Schwerpunkte erzielen sollen, werden so weit gefördert, wie es für die Entwicklung neuer Kenntnisse und Kompetenzen und für bahnbrechende Erfolge auf technologischem Gebiet sowie die praktische Verwertung von Wissen für die Wirtschaft und Gesellschaft erforderlich ist. Ferner werden in vielen Fällen disziplinübergreifende Lösungen entwickelt werden müssen, die sich übergreifend in Bezug auf mehrere Einzelziele von Horizont 2020 auswirken. Horizont 2020 wird – auch durch die effiziente Bündelung der Haushaltsmittel – Anreize für Maßnahmen, die sich mit derartigen bereichsübergreifenden Aspekten befassen, vermitteln.

Sozial- und Geisteswissenschaften

Die sozial- und geisteswissenschaftliche Forschung wird in jeden der drei Schwerpunkte von Horizont 2020 und in jedes der Einzelziele uneingeschränkt einbezogen und zur Evidenzbasis für die politische Entscheidungsfindung auf internationaler Ebene, Unionsebene, nationaler, regionaler und lokaler Ebene beitragen. In Bezug auf gesellschaftliche Herausforderungen werden die Sozial- und Geisteswissenschaften als wesentliches Element bei den Tätigkeiten durchgehend berücksichtigt werden, die zur Bewältigung der jeweiligen gesellschaftlichen Herausforderungen benötigt werden, um ihre Wirkung zu verstärken. Mit dem Einzelziel ""Europa in einer sich verändernden Welt - integrative, innovative und reflektierende Gesellschaften"" im Rahmen des Schwerpunkts ""Gesellschaftliche Herausforderungen"" (H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html) wird die sozial- und geisteswissenschaftliche Forschung durch die schwerpunktmäßige Ausrichtung auf integrative, innovative und reflektierende Gesellschaften unterstützt.

Wissenschaft und Gesellschaft

Durch Tätigkeiten im Rahmen von Horizont 2020, durch die das auf fundierte Informationen gestütztes Engagement der Bürger und der Zivilgesellschaft in Forschungs- und Innovationsfragen gefördert wird, wird das Verhältnis zwischen Wissenschaft und Gesellschaft sowie die Förderung einer verantwortungsvollen Forschung und Innovation und einer wissenschaftlichen Bildung und Kultur vertieft und das Vertrauen der Öffentlichkeit in die Wissenschaft gestärkt.

Gleichstellung der Geschlechter

Die Union hat sich die Förderung der Geschlechtergleichstellung in Wissenschaft und Innovation zum Ziel gesetzt. Im Rahmen von Horizont 2020 werden bereichsübergreifend Fragen der Gleichbehandlung der Geschlechter behandelt, um Ungleichgewichte zwischen Männern und Frauen zu korrigieren und um die Geschlechterdimension in die Programmplanung und die Inhalte von Forschung und Innovation aufzunehmen.

KMU

Horizont 2020 fördert und unterstützt die integrierte und zielübergreifende Einbeziehung von KMU in alle Einzelziele. Gemäß Artikel 22 gelten die unter dem Einzelziel ""Innovation in KMU"" (KMU-spezifisches Instrument) (H2020-EU.2.3.) http://cordis.europa.eu/programme/rcn/664223_en.html angegebenen Maßnahmen auch für das Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" (H2020-EU.2.1.) http://cordis.europa.eu/programme/rcn/664145_en.html und im Schwerpunkt ""Gesellschaftliche Herausforderungen"".(H2020-EU.3.) http://cordis.europa.eu/programme/rcn/664235_en.html.

""Der schnelle Weg zur Innovation"" (Fast Track to Innovation – FTI)

FTI gemäß Artikel 24 wird Innovationsmaßnahmen unter dem Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" und unter dem Schwerpunkt ""Gesellschaftliche Herausforderungen"" unterstützen, mit einer ""Bottom-up""-Logik auf Grundlage einer zeitlich unbefristeten Ausschreibung und mit einer Frist für die Gewährung von höchstens sechs Monaten.

Ausweitung der Beteiligung

Das Forschungs- und Innovationspotenzial der Mitgliedstaaten ist – trotz einer gewissen Konvergenz in jüngster Zeit – nach wie vor sehr unterschiedlich, wobei es große Spannen zwischen den ""Innovationsführern"" und den ""eher mäßigen Innovatoren"" gibt. Die Tätigkeiten sollten dazu beitragen, dass die Forschungs- und Innovationskluft in Europa geschlossen wird, indem Synergien mit den europäischen Struktur- und Investitionsfonds (ESI-Fonds) gefördert werden und auch indem spezifische Maßnahmen getroffen werden, um das Exzellenzpotenzial der in Bezug auf Forschung, Entwicklung und Innovation leistungsschwachen Regionen zu erschließen und damit die Beteiligung an Horizont 2020 auszuweiten und zur Verwirklichung des Europäischen Forschungsraums beizutragen.

Internationale Zusammenarbeit

Die internationale Zusammenarbeit mit Drittländern und internationalen, regionalen oder globalen Organisationen ist notwendig, um viele der in Horizont 2020 festgelegten Einzelzeile wirksam angehen zu können. Die internationale Zusammenarbeit ist für die Pionier- und Grundlagenforschung überaus wichtig, um die Vorteile sich neu abzeichnender wissenschaftlicher und technologischer Möglichkeiten nutzen zu können. Die Zusammenarbeit ist erforderlich, um gesellschaftliche Herausforderungen zu bewältigen und die Wettbewerbsfähigkeit der europäischen Industrie zu verstärken. Die Förderung der internationalen Mobilität von Forschungs- und Innovationspersonal ist für die Verbesserung dieser globalen Zusammenarbeit ebenfalls unerlässlich. Die internationale Zusammenarbeit bei Forschung und Innovation ist ein Schlüsselaspekt des Gesamtengagements der Union. Daher wird die internationale Zusammenarbeit bei jedem der drei Schwerpunkte von Horizont 2020 gefördert. Darüber hinaus werden spezifische horizontale Tätigkeiten gefördert, um die kohärente und effektive Entwicklung der internationalen Zusammenarbeit im gesamten Bereich von Horizont 2020 sicherzustellen.

Nachhaltige Entwicklung und Klimawandel

Mit Horizont 2020 werden Tätigkeiten gefördert und unterstützt, die darauf abzielen, aus dem Vorsprung Europas im Wettlauf um die Entwicklung neuer Prozesse und Technologien zur Förderung eines nachhaltigen Wachstums im weitesten Sinne und zur Bekämpfung des Klimawandels Nutzen zu ziehen. Dieser horizontale Ansatz, der uneingeschränkt in alle Schwerpunkte von Horizont 2020 einbezogen ist, wird der Union helfen, in einer Welt mit knappen Ressourcen und niedrigem CO2-Ausstoß erfolgreich zu sein und gleichzeitig eine ressourcenschonende, nachhaltige und wettbewerbsfähige Wirtschaft aufzubauen.

Überbrückung von der Entdeckung bis zur Marktreife

Die Überbrückungsmaßnahmen im Rahmen von Horizont 2020 sollen dazu beitragen, dass Entdeckungen bis zur Marktreife weiterentwickelt werden, damit Ideen, wo immer dies sinnvoll ist, genutzt und vermarktet werden. Diese Maßnahmen sollten auf einem breiten Innovationskonzept beruhen und die sektorübergreifende Innovation anregen.

Bereichsübergreifende Unterstützungsmaßnahmen

Die bereichsübergreifenden Aspekte werden mit einer Reihe von horizontaler Unterstützungsmaßnahmen unterstützt, und zwar durch Maßnahmen zur Steigerung der Attraktivität des Berufs des Wissenschaftlers, einschließlich der allgemeinen Grundsätze der Europäischen Charta für Forscher, zur Stärkung der Evidenzbasis und zur Entwicklung und Förderung des Europäischen Forschungsraums (einschließlich der fünf EFR-Initiativen) und der Innovationsunion, zur Verbesserung der Rahmenbedingungen für die Förderung der Innovationsunion einschließlich der Grundsätze der Kommissionsempfehlung zum Umgang mit geistigem Eigentum und zur Sondierung der Möglichkeiten für die Einführung eines Instruments für die Verwertung von Rechten des geistigen Eigentums, zur Verwaltung und Koordinierung internationaler Netze für herausragende Forscher und Innovatoren, wie beispielsweise COST.";"";"H2020";"H2020";"";"";"2014-09-23 19:33:48";"664087" +"H2020-EC";"pl";"H2020-EC";"";"";"Program ramowy „Horyzont 2020”";"EC Treaty";"

Program ramowy „Horyzont 2020”

Ogólne kierunki celów szczegółowych i działań

Celem ogólnym programu „Horyzont 2020” jest zbudowanie społeczeństwa i wiodącej na świecie gospodarki opartych na wiedzy i innowacjach w całej Unii oraz przyczynienie się do zrównoważonego rozwoju. Program wspiera realizację strategii „Europa 2020” oraz innych kierunków polityki Unii, a także urzeczywistnienie i funkcjonowanie EPB.Do oceny postępów osiągniętych w zakresie celu ogólnego stosuje się następujące wskaźniki efektywności:•cel dotyczący działań badawczo-rozwojowych w ramach strategii „Europa 2020” (3% PKB);•wskaźnik innowacyjności w ramach strategii „Europa 2020”;•odsetek naukowców w populacji aktywnej zawodowo.Cel ogólny składa się z trzech oddzielnych, lecz uzupełniających się wzajemnie priorytetów, z których każdy obejmuje zbiór celów szczegółowych. Będą one realizowane w spójny sposób, z myślą o promowaniu interakcji między różnymi celami szczegółowymi, unikaniu powielania wysiłków oraz wzmocnieniu zbiorczego oddziaływania.Wspólne Centrum Badawcze (JRC) wnosi wkład w osiągnięcie celu ogólnego i priorytetów programu „Horyzont 2020”, kierując się celem szczegółowym polegającym na zapewnieniu unijnym politykom wsparcia naukowego i technicznego, które byłoby zorientowane na klienta. (Zobacz także H2020-EU.6.) (http://cordis.europa.eu/programme/rcn/664511_en.html)Europejski Instytut Innowacji i Technologii (EIT) przyczynia się do osiągnięcia celu ogólnego i priorytetów programu „Horyzont 2020”, kierując się celem szczegółowym polegającym na integracji trójkąta wiedzy łączącego szkolnictwo wyższe, badania naukowe i innowacje. Do oceny efektywności EIT stosuje się następujące wskaźniki:•organizacje uniwersyteckie, biznesowe i badawcze zintegrowane w ramach wspólnot wiedzy i innowacji (WWiI);•współpraca w ramach trójkąta wiedzy prowadząca do opracowania innowacyjnych produktów, usług i procesów.(Zobacz także H2020-EU.7.) (http://cordis.europa.eu/programme/rcn/664513_en.html)

Zagadnienia przekrojowe i środki wspierające w programie „Horyzont 2020”

Zagadnienia przekrojowe, których orientacyjny wykaz zawarty jest w art. 14 będą w miarę potrzeb promowane pomiędzy celami szczegółowymi trzech priorytetów, aby rozwijać nową wiedzę, kluczowe kompetencje oraz stymulować ważne i przełomowe osiągnięcia w technice, przekładając przy tym wiedzę na wartość ekonomiczną i społeczną. Ponadto w wielu przypadkach konieczne będzie opracowanie rozwiązań interdyscyplinarnych, obejmujących naraz wiele celów szczegółowych programu „Horyzont 2020”. Program „Horyzont 2020” stworzy zachęty do działań dotyczących tego rodzaju zagadnień przekrojowych, w tym poprzez efektywne łączenie środków budżetowych.

Nauki społeczne i humanistyczne

Nauki społeczne i humanistyczne będą w pełni włączone do każdego z priorytetów programu „Horyzont 2020” oraz każdego z celów szczegółowych, a także będą przyczyniać się do wzmocnienia bazy potrzebnej do kształtowania polityki opartej na dowodach na poziomie międzynarodowym, unijnym, krajowym, regionalnym i lokalnym. W odniesieniu do wyzwań społecznych nauki społeczne i humanistyczne zostaną włączone ze względu na fakt, iż stanowią zasadniczy element działań koniecznych do stawienia czoła każdemu z tych wyzwań społecznych w celu wzmocnienia wpływu działań. W ramach celu szczegółowego „Europa w zmieniającym się świecie: integracyjne, innowacyjne i refleksyjne społeczeństwa” objętego priorytetem „Wyzwania społeczne” (H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html) wspierane będą badania naukowe w dziedzinie nauk społecznych i humanistycznych poprzez skupienie się na integracyjnych, innowacyjnych i refleksyjnych społeczeństwach.

Nauka i społeczeństwo

Związki między nauką a społeczeństwem, a także propagowanie odpowiedzialnych badań naukowych i innowacji, edukacji naukowej i kultury są pogłębiane, a zaufanie społeczeństwa do nauki jest wzmacniane poprzez działania programu „Horyzont 2020” sprzyjające świadomemu zaangażowaniu obywateli i społeczeństwa obywatelskiego w zagadnienia badań naukowych i innowacji.

Płeć

Jednym z zobowiązań Unii jest propagowanie równości płci w sferze nauki i innowacji. W programie „Horyzont 2020” uwzględniona zostanie stanowiąca zagadnienie przekrojowe kwestia płci w celu naprawienia braku równowagi między sytuacją kobiet i mężczyzn oraz włączenia wymiaru płci w zakres planowania i treść badań naukowych i innowacji.

MŚP

Program „Horyzont 2020” przewiduje zachęty i wsparcie dla zintegrowanego udziału MŚP w realizacji wszystkich celów szczegółowych programu. Zgodnie z art. 22 specjalne środki określone w celu szczegółowym „Innowacje w małe i średnie przedsiębiorstwa” (specjalny instrument przeznaczony dla MŚP) (H2020-EU.2.3.) http://cordis.europa.eu/programme/rcn/664223_en.html mają zastosowanie w celu szczegółowym „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” (H2020-EU.2.1.) http://cordis.europa.eu/programme/rcn/664145_en.html oraz w priorytecie „Wyzwania społeczne” (H2020-EU.3.) http://cordis.europa.eu/programme/rcn/664235_en.html.

Procedura pilotażowa „Szybka ścieżka do innowacji” (FTI)

Procedura pilotażowa FTI, jak określono w art. 24, wesprze innowacyjne działania w ramach celu szczegółowego „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” oraz w ramach priorytetu „Wyzwania społeczne”, z zastosowaniem podejścia oddolnego na podstawie stale otwartego zaproszenia do składania wniosków, oraz gdy czas na udzielenie dotacji nie przekracza sześciu miesięcy.

Zapewnianie szerszego uczestnictwa

Potencjał państw członkowskich w zakresie badań naukowych i innowacji, pomimo pewnej obserwowanej w ostatnim okresie konwergencji, pozostaje bardzo zróżnicowany, z dużymi lukami między „liderami innowacji” a „umiarkowanymi innowatorami”. Działania przyczyniają się do zniwelowania różnic w badaniach naukowych i innowacjach w Europie poprzez promowanie synergii z europejskimi funduszami strukturalnymi i inwestycyjnymi oraz poprzez szczegółowe środki uwolnienia doskonałości w regionach o słabych wynikach w dziedzinie badań, rozwoju i innowacji, co zwiększy uczestnictwo w programie „Horyzont 2020” i przyczyni się do urzeczywistnienia EPB.

Współpraca międzynarodowa

Współpraca międzynarodowa z państwami trzecimi oraz organizacjami międzynarodowymi, regionalnymi lub globalnymi jest konieczna do skutecznej realizacji wielu celów szczegółowych określonych w programie „Horyzont 2020”. W przypadku badań pionierskich i podstawowych współpraca międzynarodowa ma zasadnicze znaczenie dla czerpania korzyści z możliwości stwarzanych przez powstające sektory nauki i technologii. Współpraca jest konieczna, aby podjąć wyzwania społeczne i podnieść konkurencyjność przemysłu europejskiego. Dla wzmocnienia globalnej współpracy kluczowe znaczenie ma również wspieranie międzynarodowej mobilności naukowców i personelu zajmującego się innowacjami. Współpraca międzynarodowa w zakresie badań naukowych i innowacji stanowi kluczowy aspekt globalnych zobowiązań Unii. Dlatego współpraca międzynarodowa będzie promowana w ramach każdego spośród trzech priorytetów programu „Horyzont 2020”. Ponadto wspierane będą specjalne działania horyzontalne, aby zapewnić spójny i skuteczny rozwój współpracy międzynarodowej objętej programem „Horyzont 2020”.

Zrównoważony rozwój i zmiana klimatu

Program „Horyzont 2020” będzie stwarzał zachęty i będzie wspierał działania związane z wykorzystywaniem wiodącej roli Europy w wyścigu zmierzającym do rozwoju nowych procesów i technologii promujących zrównoważony rozwój, w szerokim sensie, i przeciwdziałających zmianie klimatu. Takie podejście horyzontalne, w pełni zintegrowane z priorytetami programu „Horyzont 2020”, pomoże Unii prosperować w świecie charakteryzującym się niskimi emisjami, ale i ograniczonymi zasobami, i jednocześnie budować efektywnie korzystającą z zasobów, zrównoważoną i konkurencyjną gospodarkę.

Ścieżka od wynalazku po wprowadzenie na rynek

Działania pomostowe w programie „Horyzont 2020” mają na celu umożliwienie rynkowych zastosowań dla wynalazków, prowadząc w stosownych przypadkach do wykorzystania i komercjalizacji pomysłów. Działania takie powinny być oparte na szerokiej koncepcji innowacji i stymulować innowacje międzysektorowe.

Przekrojowe środki wsparcia

Zagadnienia przekrojowe wspierane będą poprzez szereg horyzontalnych środków wsparcia, w tym wsparcia dla: podniesienia atrakcyjności zawodu naukowca, w tym zasad ogólnych Europejskiej karty naukowca; wzmocnienia bazy faktograficznej oraz rozwoju i wspierania EPB (w tym pięciu inicjatyw EPB) oraz „Unii innowacji”; poprawy ramowych warunków wspierających „Unię innowacji”, w tym zasad zalecenia Komisji w sprawie zarządzania własnością intelektualną, oraz zbadania możliwości utworzenia europejskiego instrumentu wyceny praw własności intelektualnej; administracji i koordynacji międzynarodowych sieci wybitnych naukowców i innowatorów, jak np. COST.";"";"H2020";"H2020";"";"";"2014-09-23 19:33:48";"664087" +"H2020-EC";"es";"H2020-EC";"";"";"Programa Marco Horizonte 2020";"EC Treaty";"

Programa Marco Horizonte 2020 (H2020)

Líneas generales de los objetivos específicos y actividades

Horizonte 2020 tiene por objetivo general construir una sociedad y una economía de primer orden a escala mundial basadas en el conocimiento y la innovación en el conjunto de la Unión, además de contribuir a un desarrollo sostenible. Respaldará la estrategia Europa 2020 y otras políticas de la Unión, así como la realización y el funcionamiento del Espacio Europeo de Investigación.Los indicadores de rendimiento para evaluar los avances en relación con este objetivo general son:•el objetivo de investigación y desarrollo (I+D) de la estrategia Europa 2020 (el 3 % del PIB);•el indicador principal de innovación en el contexto de la estrategia Europa 2020;•La proporción de investigadores en relación con la población activaEste objetivo general se perseguirá a través de tres prioridades diferenciadas, si bien se refuerzan mutuamente, cada una de las cuales contiene una serie de objetivos específicos. Se ejecutarán sin solución de continuidad, a fin de fomentar la interacción entre los distintos objetivos específicos, evitar la duplicación de esfuerzos y reforzar su impacto combinado.El Centro Común de Investigación contribuirá al objetivo general y a las prioridades de Horizonte 2020 con el objetivo específico de facilitar apoyo científico y técnico impulsado por el cliente a las políticas de la Unión. (Véase también H2020-EU.6.) (http://cordis.europa.eu/programme/rcn/664511_en.html)El Instituto Europeo de Innovación y Tecnología (EIT) contribuirá al objetivo general y a las prioridades de Horizonte 2020 con el objetivo específico de integrar el triángulo del conocimiento que forman la educación superior, la investigación y la innovación. Los indicadores para evaluar el rendimiento del EIT son:•organizaciones procedentes de la universidad, la empresa y la investigación integradas en las Comunidades de Conocimiento e Innovación (CCI);•colaboración dentro del triángulo del conocimiento que desemboque en el desarrollo de productos, servicios y procesos innovadores.(Véase también H2020-EU.7.) (http://cordis.europa.eu/programme/rcn/664513_en.html)

Cuestiones transversales y medidas de apoyo en Horizonte 2020

Las cuestiones transversales, de las que se encuentra lista indicativa en el artículo 14, serán promovidas entre los objetivos específicos de las tres prioridades, por ser necesarias para desarrollar nuevos conocimientos, competencias fundamentales y grandes avances tecnológicos así como transformar el conocimiento en valor económico y social. En muchos casos convendrá, además, desarrollar soluciones interdisciplinarias que abarquen múltiples objetivos específicos de Horizonte 2020. Horizonte 2020 ofrecerá incentivos para estas acciones transversales, por ejemplo mediante la agrupación eficaz de los presupuestos.

Ciencias sociales y humanidades

La investigación en el ámbito de las ciencias sociales y las humanidades se integrará plenamente en cada uno de las prioridades de Horizonte 2020 y en cada uno de los objetivos específicos y contribuirá a alimentar la base empírica para la elaboración de políticas a escala internacional, de la Unión, nacional, regional y local. Respecto de los retos de la sociedad, se incluirán las ciencias sociales y las humanidades como elemento esencial de las actividades necesarias para abordar cada uno de esos retos a fin de mejorar sus incidencias positivas. El objetivo específico del reto de la sociedad ""Europa en un mundo cambiante: sociedades inclusivas, innovadoras y reflexivas"" (H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html) constituirá un apoyo a la investigación en el ámbito de las ciencias sociales y las humanidades al tratar de las sociedades inclusivas, innovadoras y reflexivas.

Ciencia y sociedad

Se ahondará la relación entre la ciencia y la sociedad, así como la promoción de la investigación y la innovación responsables y de la educación y la cultura científicas y se reforzará la confianza pública en la ciencia, mediante las actividades de Horizonte 2020 que favorezcan una participación informada de los ciudadanos y de la sociedad civil en asuntos de investigación e innovación.

Igualdad de oportunidades entre sexos

La promoción de la igualdad de oportunidades entre hombres y mujeres en relación con la ciencia y la innovación es un compromiso de la Unión. Esta cuestión se abordará en la iniciativa Horizonte 2020 con un carácter transversal, para corregir las disparidades existentes entre hombres y mujeres, e integrar una dimensión de género en el contenido y la programación de la investigación y la innovación.

PYME

Horizonte 2020 promoverá y apoyará la participación de las PYME en la consecución de todos los objetivos específicos de una forma integrada. De conformidad con el artículo 22, las medidas previstas en el objetivo específico ""Innovación en las PYME"" (instrumento dirigido a las PYME) (H2020-EU.2.3.) http://cordis.europa.eu/programme/rcn/664223_en.html se aplicarán en el objetivo específico ""Liderazgo en tecnologías industriales y de capacitación"" (H2020-EU.2.1.) http://cordis.europa.eu/programme/rcn/664145_en.html y en la prioridad ""Retos de la sociedad"". (H2020-EU.3.) http://cordis.europa.eu/programme/rcn/664235_en.html.

Vía rápida hacia la innovación

La Vía rápida hacia la innovación de conformidad con el artículo 24 apoyará las acciones innovadoras correspondientes al objetivo específico ""Liderazgo en las tecnologías industriales y de capacitación"" y a los desafíos de la sociedad, con una lógica ascendente basada en una convocatoria permanentemente abierta y un plazo para la concesión de subvenciones que no supere los seis meses.

Ampliación de la participación

El potencial de investigación e innovación de los Estados miembros, pese a una cierta convergencia reciente, sigue siendo muy desigual con grandes diferencias entre los ""líderes de la innovación"" y los ""innovadores modestos"". Las actividades ayudarán a colmar la brecha existente en Europa en materia de investigación e innovación mediante el fomento de sinergias con los Fondos Estructurales y de Inversiones Europeos (Fondos EIE) y también mediante la adopción de medidas específicas para fomentar la excelencia en las regiones de bajo rendimiento en investigación, desarrollo e innovación (I+D+i), ampliando así la participación en Horizonte 2020 y contribuyendo a la realización del Espacio Europeo de Investigación

Cooperación internacional

Resulta necesario mantener una cooperación internacional con países terceros y con organizaciones internacionales, regionales o mundiales a fin de abordar con eficacia muchos de los objetivos específicos definidos en Horizonte 2020. La cooperación internacional es fundamental para la investigación puntera y básica, a fin de aprovechar los beneficios que acarrean las oportunidades en materia de ciencia y tecnología emergentes. La cooperación es necesaria para abordar los retos de la sociedad y mejorar la competitividad de la industria europea. Para mejorar esta cooperación mundial, también resultará determinante promover a escala internacional la movilidad de los investigadores y del personal dedicado a la innovación. La cooperación internacional en investigación e innovación es un aspecto fundamental de los compromisos mundiales de la Unión. Se fomentará, por lo tanto, la cooperación internacional en cada una de las tres prioridades de Horizonte 2020. Además, se prestará apoyo a las actividades horizontales específicas para que la cooperación internacional pueda fluir de manera coherente y eficaz en todo el ámbito de aplicación de Horizonte 2020.

Desarrollo sostenible y cambio climático

Horizonte 2020 fomentará y prestará apoyo a las actividades que permitan aprovechar el liderazgo de Europa en la carrera hacia nuevos procesos y tecnologías que favorezcan el desarrollo sostenible en sentido amplio y permitan luchar contra el cambio climático. Este planteamiento horizontal, plenamente integrado en todas las prioridades de Horizonte 2020, ayudará a la Unión a prosperar en un mundo hipocarbónico y de recursos limitados y a impulsar a la vez una economía eficiente en el uso de recursos, sostenible y competitiva.

Salvar la distancia que media entre el descubrimiento y la aplicación comercial

Las acciones destinadas a salvar esta distancia en todo Horizonte 2020 van dirigidas a acercar el descubrimiento a la aplicación comercial, lo que implica la explotación y comercialización de ideas cuando sea adecuado. Las acciones deben basarse en un concepto amplio de innovación y estimular la innovación intersectorial.

Medidas de apoyo transversales

Las cuestiones transversales serán respaldadas por una serie de medidas de apoyo horizontales, destinadas en particular a: mejorar el atractivo de la profesión de investigador, incluidos los principios generales de la Carta Europea de los Investigadores; reforzar la base factual y la mejora y apoyo del EEI (incluidas las cinco iniciativas del EEI) y la Unión por la Innovación; mejorar las condiciones marco en apoyo de la Unión por la Innovación, incluidos los principios de la Recomendación de la Comisión sobre la gestión de la propiedad intelectual y explorar la posibilidad de crear un instrumento europeo de valorización de los derechos de propiedad intelectual; la administración y la coordinación de redes internacionales de investigadores e innovadores de mayor excelencia (como COST).";"";"H2020";"H2020";"";"";"2014-09-23 19:33:48";"664087" +"H2020-EU.2.1.5.3.";"fr";"H2020-EU.2.1.5.3.";"";"";"Des technologies durables, efficaces dans l'utilisation des ressources et à faibles émissions de carbone dans les entreprises de transformation à forte intensité d'énergie";"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries";"

Des technologies durables, efficaces dans l'utilisation des ressources et à faibles émissions de carbone dans les entreprises de transformation à forte intensité d'énergie

Accroître la compétitivité des entreprises de transformation en améliorant considérablement l'efficacité énergétique et l'efficacité de l'utilisation des ressources et en réduisant l'impact environnemental de ces activités industrielles tout au long de la chaîne de valeur, en promouvant l'adoption de technologies à faibles émissions de carbone, ainsi que de processus industriels plus durables et, le cas échéant, l'intégration de sources d'énergie renouvelables.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:10";"664203" +"H2020-EU.2.1.5.3.";"de";"H2020-EU.2.1.5.3.";"";"";"Nachhaltige, ressourcenschonende und emissionsarme Technologien für energieintensive Prozessindustrien.";"";"

Nachhaltige, ressourcenschonende und emissionsarme Technologien für energieintensive Prozessindustrien.

Steigerung der Wettbewerbsfähigkeit der Prozessindustrien durch drastische Erhöhung der Ressourcen- und Energieeffizienz und durch Reduzierung der Umweltfolgen der Tätigkeiten dieses Sektors über die gesamte Wertschöpfungskette hinweg durch die Förderung des Einsatzes von Technologien mit niedrigem CO2-Ausstoß, nachhaltigerer Industrieprozesse und gegebenenfalls der Integration erneuerbarer Energieträger.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:10";"664203" +"H2020-EU.2.1.5.3.";"it";"H2020-EU.2.1.5.3.";"";"";"Tecnologie sostenibili, efficienti sotto il profilo delle risorse e a basse emissioni di carbonio in processi industriali a elevata intensità energetica";"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries";"

Tecnologie sostenibili, efficienti sotto il profilo delle risorse e a basse emissioni di carbonio in processi industriali a elevata intensità energetica

Aumentare la competitività delle industrie di trasformazione, migliorando drasticamente l'efficienza sotto il profilo delle risorse e dell'energia, riducendo l'impatto ambientale di tali attività industriali attraverso l'intera catena del valore e promuovendo l'adozione di tecnologie a basse emissioni di carbonio, processi industriali più sostenibili e, ove applicabile, l'integrazione di fonti energetiche rinnovabili.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:10";"664203" +"H2020-EU.2.1.5.3.";"pl";"H2020-EU.2.1.5.3.";"";"";"Zrównoważone, zasobooszczędne i niskoemisyjne technologie w energochłonnych przemysłach przetwórczych";"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries";"

Zrównoważone, zasobooszczędne i niskoemisyjne technologie w energochłonnych przemysłach przetwórczych

Zwiększanie konkurencyjności gałęzi przemysłu przetwórczego poprzez radykalną poprawę oszczędności zasobów i energii oraz ograniczenie oddziaływania na środowisko takiej działalności przemysłowej w całym łańcuchu wartości, a także wspieranie wprowadzania technologii niskoemisyjnych, trwalszych procesów przemysłowych oraz – w stosownych przypadkach – włączanie do procesów przemysłowych odnawialnych źródeł energii.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:10";"664203" +"H2020-EU.2.1.5.3.";"es";"H2020-EU.2.1.5.3.";"";"";"Tecnologías sostenibles, eficientes en su utilización de recursos y de baja emisión de carbono en las industrias de transformación de gran consumo energético";"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries";"

Tecnologías sostenibles, eficientes en su utilización de recursos y de baja emisión de carbono en las industrias de transformación de gran consumo energético

Aumentar la competitividad de las industrias de transformación, mejorando drásticamente la eficiencia energética y de los recursos y reduciendo el impacto ambiental de estas actividades industriales a través de toda la cadena de valor y fomentando la adopción de tecnologías de baja emisión de carbono, procesos industriales más sostenibles y, cuando proceda, la integración de fuentes de energía renovables.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:10";"664203" +"H2020-EC";"en";"H2020-EC";"";"";"Horizon 2020 Framework Programme";"EC Treaty";"

Horizon 2020 Framework Programme (H2020)

Broad lines of the specific objectives and activities

The general objective of Horizon 2020 is to build a society and a world-leading economy based on knowledge and innovation across the whole Union, while contributing to sustainable development. It will support the Europe 2020 strategy and other Union policies as well as the achievement and functioning of the European Research Area (ERA).The performance indicators for assessing progress against this general objective are:•the research and development (R&D) target (3 % of GDP) of the Europe 2020 strategy;•the innovation output indicator in the context of the Europe 2020 strategy;•the share of researchers in the active population.This general objective shall be pursued through three distinct, yet mutually reinforcing, priorities, each containing a set of specific objectives. They will be implemented in a seamless manner in order to foster interactions between the different specific objectives, avoid any duplication of effort and reinforce their combined impact.The Joint Research Centre (JRC) shall contribute to the general objective and priorities of Horizon 2020 with the specific objective of providing customer-driven scientific and technical support to Union policies. (See also H2020-EU.6.) (http://cordis.europa.eu/programme/rcn/664511_en.html)The European Institute of Innovation and Technology (EIT) shall contribute to the general objective and priorities of Horizon 2020 with the specific objective of integrating the knowledge triangle of higher education, research and innovation. The indicators for assessing the performance of the EIT are:•organisations from universities, business and research integrated in the Knowledge and Innovation Communities (KICs);•collaboration inside the knowledge triangle leading to the development of innovative products, services and processes.(See also H2020-EU.7.) (http://cordis.europa.eu/programme/rcn/664513_en.html)

Cross-cutting issues and support measures in Horizon 2020

Cross-cutting issues, an indicative list of which is found in Article 14, will be promoted between specific objectives of the three priorities as necessary to develop new knowledge, key competences and major technological breakthroughs as well as translating knowledge into economic and societal value. Furthermore, in many cases, interdisciplinary solutions will have to be developed which cut across the multiple specific objectives of Horizon 2020. Horizon 2020 will provide incentives for actions dealing with such cross-cutting issues, including by the efficient bundling of budgets.

Social sciences and humanities

Social sciences and humanities research will be fully integrated into each of the priorities of Horizon 2020 and each of the specific objectives and will contribute to the evidence base for policy making at international, Union, national, regional and local level. In relation to societal challenges, social sciences and humanities will be mainstreamed as an essential element of the activities needed to tackle each of the societal challenges to enhance their impact. The specific objective of the societal challenge 'Europe in a changing world - Inclusive, innovative and reflective societies' (H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html) will support social sciences and humanities research by focusing on inclusive, innovative and reflective societies.

Science and society

The relationship between science and society as well as the promotion of responsible research and innovation, science education and culture shall be deepened and public confidence in science reinforced by activities of Horizon 2020 favouring the informed engagement of citizens and civil society in research and innovation.

Gender

Promoting gender equality in science and innovation is a commitment of the Union. In Horizon 2020, gender will be addressed as a cross-cutting issue in order to rectify imbalances between women and men, and to integrate a gender dimension in research and innovation programming and content.

SMEs

Horizon 2020 will encourage and support the participation of SMEs in an integrated way across all specific objectives. In accordance with Article 22, measures set out under the specific objective 'Innovation in SMEs' (dedicated SME instrument) (H2020-EU.2.3.) http://cordis.europa.eu/programme/rcn/664223_en.html shall be applied in the specific objective 'Leadership in enabling and industrial technologies' (H2020-EU.2.1.) http://cordis.europa.eu/programme/rcn/664145_en.html and in the priority 'Societal challenges' (H2020-EU.3.) http://cordis.europa.eu/programme/rcn/664235_en.html.

Fast Track to Innovation (FTI)

FTI, as set out in Article 24, will support innovation actions under the specific objective ""Leadership in enabling and industrial technologies"" and under the priority 'Societal challenges', with a bottom-up-driven logic on the basis of a continuously open call, and with 'time to grant' not exceeding six months.

Widening participation

The research and innovation potential of the Member States, despite some recent convergence, remains very different, with large gaps between ""innovation leaders"" and ""modest innovators"". Activities shall help close the research and innovation divide in Europe by promoting synergies with the European Structural and Investment Funds (ESI Funds) and also by specific measures to unlock excellence in low performing research, development and innovation (RDI) regions, thereby widening participation in Horizon 2020 and contributing to the realisation of the ERA.

International Cooperation

International cooperation with third countries and international, regional or global organisations is necessary to effectively address many specific objectives set out in Horizon 2020. International cooperation is essential for frontier and basic research in order to reap the benefits from emerging science and technology opportunities. Cooperation is necessary for addressing societal challenges and enhancing the competitiveness of European industry. Promoting R&I staff mobility at an international level is also crucial to enhance this global cooperation. International cooperation in research and innovation is a key aspect of the Union's global commitments. International cooperation will, therefore, be promoted in each of the three priorities of Horizon 2020. In addition, dedicated horizontal activities will be supported in order to ensure the coherent and effective development of international cooperation across Horizon 2020.

Sustainable development and climate change

Horizon 2020 will encourage and support activities towards exploiting Europe's leadership in the race to develop new processes and technologies promoting sustainable development, in a broad sense, and combating climate change. Such a horizontal approach, fully integrated in all Horizon 2020 priorities, will help the Union to prosper in a low-carbon, resource-constrained world while building a resource-efficient, sustainable and competitive economy.

Bridging from discovery to market application

Bridging actions throughout Horizon 2020 are aimed at bringing discovery to market application, leading to exploitation and commercialisation of ideas whenever appropriate. The actions should be based on a broad innovation concept and stimulate cross-sectoral innovation.

Cross-cutting support measures

The cross-cutting issues will be supported by a number of horizontal support measures, including support to: enhancing the attractiveness of the research profession, including the general principles of the European Charter for Researchers; strengthening the evidence base and the development of and support for ERA (including the five ERA initiatives) and the Innovation Union; improving framework conditions in support of the Innovation Union, including the principles of the Commission Recommendation on the management of intellectual property and exploring the possibility of setting up an European Intellectual Property Rights valorisation instrument; administration and coordination of international networks for excellent researchers and innovators, such as COST.";"";"H2020";"H2020";"";"";"2014-09-23 19:33:48";"664087" +"H2020-EU.2.1.1.";"fr";"H2020-EU.2.1.1.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles - Technologies de l'information et de la communication (TIC)";"Information and Communication Technologies";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles - Technologies de l'information et de la communication (TIC)

Objectif spécifique concernant les TIC

Conformément à l'initiative phare «Une stratégie numérique pour l'Europe», l'objectif spécifique de la recherche et de l'innovation liées aux TIC est de permettre à l'Union de soutenir et de développer les débouchés offerts par les avancées dans le domaine des TIC et de les exploiter au bénéfice de ses citoyens, de ses entreprises et de ses communautés scientifiques.L'Europe, qui est la plus grande économie mondiale et qui constitue la part la plus importante du marché mondial des TIC, lequel représentait plus de 2 600 milliards d'EUR (2 600 000 000 000 EUR) en 2011, devrait légitimement nourrir l'ambition de voir ses entreprises, ses pouvoirs publics, ses centres de recherche et de développement et ses universités être à la pointe de l'évolution des TIC aux niveaux européen et mondial, de développer de nouvelles activités et d'investir davantage dans l'innovation en matière de TIC.D'ici 2020, le secteur européen des TIC devrait fournir au moins l'équivalent de sa part du marché mondial des TIC, qui représentant environ un tiers en 2011. L'Europe devrait également promouvoir les entreprises innovantes dans le domaine des TIC, de telle sorte qu'un tiers de tous les investissements des entreprises dans la recherche et le développement relatifs aux TIC réalisés dans l'Union, qui s'élevaient à plus de 35 milliards d'EUR par an en 2011, soit le fait d'entreprises créées au cours des deux dernières décennies. Une telle évolution nécessite une hausse des investissements publics dans la recherche et le développement relatifs aux TIC, d'une manière qui permette de mobiliser également des fonds privés, afin d'intensifier les investissements au cours de la prochaine décennie. Elle suppose également une augmentation significative du nombre de pôles européens et de grappes d'entreprises européennes d'excellence d'envergure mondiale dans le domaine des TIC.Face au caractère de plus en plus complexe et pluridisciplinaire des chaînes technologiques et économiques à maîtriser dans le cadre des TIC, il convient d'établir des partenariats, de partager les risques et de mobiliser une masse critique à l'échelle de l'Union. Les actions de dimension européenne devraient aider l'industrie à développer une vision à l'échelle du marché unique, à réaliser des économies d'échelle et à rationaliser leurs tâches. La collaboration autour de plateformes technologiques communes et ouvertes, produisant un effet d'entraînement et de levier, permettra à toute une série de parties prenantes de bénéficier de nouvelles évolutions et de susciter de nouvelles innovations. Les partenariats au niveau de l'Union permettent par ailleurs la recherche de consensus et représentent, pour les partenaires internationaux, un point focal bénéficiant d'une certaine visibilité. Enfin, de tels partenariats soutiendront la définition de normes et de solutions interopérables à l'échelle européenne et mondiale.

Justification et valeur ajoutée de l'Union

Les TIC sous-tendent l'innovation et la compétitivité dans une grande variété de marchés et de secteurs publics et privés et permettent des avancées scientifiques dans toutes les disciplines. Au cours de la prochaine décennie, les transformations induites par les technologies numériques et les composants TIC ainsi que les infrastructures et les services fondés sur les TIC seront de plus en plus visibles dans tous les domaines de la vie. Les systèmes de traitement informatique, de communication et de stockage de données continueront à s'étendre au cours des prochaines années. Des quantités considérables d'informations et de données, y compris en temps réel, seront produites par des capteurs, des machines et des produits riches en informations, ce qui généralisera les activités à distance et permettra le déploiement de processus d'entreprises et de sites de production durables à l'échelle mondiale, lesquels pourront générer quantité de services et d'applications.De nombreux services publics et commerciaux essentiels et la totalité des grands processus de production de savoir seront fournis au moyen des TIC, que ce soit dans les sciences, en matière d'apprentissage, sur le plan de l'activité économique, dans le secteur de la culture et de la création, ainsi qu'au niveau du secteur public, et seront ainsi plus facilement accessibles. Les TIC apporteront l'infrastructure indispensable aux processus de production, aux processus économiques, aux communications et aux transactions. Elles contribueront également de manière fondamentale à relever les principaux défis de société et joueront un rôle de premier plan dans les phénomènes sociaux, tels que la constitution de groupes, les habitudes de consommation, la participation à la vie politique et la gestion des affaires publiques, par exemple au moyen des médias sociaux ainsi que des plateformes et des instruments de sensibilisation collective. Il est primordial de soutenir et d'intégrer la recherche dans une approche axée sur l'utilisateur afin d'élaborer des solutions compétitives.Le soutien de l'Union à la recherche et à l'innovation dans le secteur des TIC représente une bonne part des dépenses totales consacrées aux activités collaboratives de recherche et d'innovation qui présentent un niveau de risque moyen à élevé en Europe, et contribue dès lors de façon significative au développement des technologies et des applications de la prochaine génération. Un investissement public, à l'échelle de l'Union, dans la recherche et l'innovation liées aux TIC était et reste essentiel pour atteindre la masse critique qui permet de réaliser certaines percées et qui entraîne une plus grande acceptation et une meilleure utilisation des solutions, produits et services innovants. Un tel investissement reste indispensable au développement de plateformes et de technologies ouvertes utilisables dans toute l'Union, à l'expérimentation d'innovations et au lancement de projets pilotes en la matière dans des conditions véritablement européennes, ainsi qu'à l'optimisation des ressources lorsqu'il s'agit de renforcer la compétitivité de l'Union et de relever des défis de société communs. Le soutien de l'Union aux activités de recherche et d'innovation dans le domaine des TIC offre également aux PME de haute technologie la possibilité de croître et de tirer parti de la taille de marchés européens. Il renforce la collaboration et l'excellence parmi les scientifiques et les ingénieurs de l'Union, en consolidant les synergies avec les budgets nationaux et entre ces budgets et en servant de pivot à la collaboration avec les partenaires extra-européens.Les évaluations successives des activités relatives aux TIC du septième programme-cadre ont montré que les investissements ciblés réalisés au niveau de l'Union concernant les activités de recherche et d'innovation relatives aux TIC ont contribué à assurer la primauté industrielle de l'Union dans certains secteurs, tels que les communications mobiles et les systèmes TIC d'importance critique pour la sécurité, et à relever certains défis, dans des domaines tels que l'efficacité énergétique, la santé, la sécurité alimentaire, les transports ou l'évolution démographique. Les investissements de l'Union dans les infrastructures de recherche relatives aux TIC ont fourni aux chercheurs européens les meilleures infrastructures au monde pour le calcul et la constitution de réseaux à des fins de recherche.

Grandes lignes des activités

Plusieurs lignes d'activité, dont les lignes ci-dessous, se concentrent sur les défis liés à la primauté industrielle et technologique dans le domaine des TIC et couvrent des stratégies générales relatives à la recherche et à l'innovation dans ce domaine, notamment:(a) une nouvelle génération de composants et de systèmes: ingénierie de composants et de systèmes intégrés avancés et efficaces dans l'utilisation de l'énergie et des ressources; (b) le traitement informatique de la prochaine génération: systèmes et technologies avancés et sécurisés de traitement informatique, y compris l'informatique en nuage; (c) l'internet du futur: logiciels, matériel, infrastructures, technologies et services; (d) les technologies du contenu et gestion de l'information: les TIC au service des contenus numériques ainsi que des secteurs de la culture et de la création; (e) les interfaces avancées et robotique: robotique et espaces intelligents;(f) la microélectronique, nanoélectronique et photonique: technologies clés génériques liées à la microélectronique, à la nanoélectronique et à la photonique, y compris les technologies quantiques. Ces six grandes lignes d'activité devraient couvrir toute la gamme des besoins, en tenant compte de la compétitivité de l'industrie européenne à l'échelle mondiale. Ces besoins couvriraient la primauté industrielle dans le domaine des solutions, produits et services génériques fondés sur les TIC qui sont indispensables pour relever les grands défis de société, ainsi que les stratégies de recherche et d'innovation dans le domaine des TIC axées sur les applications qui seront soutenues conjointement avec le défi de société concerné. Compte tenu des progrès technologiques croissants dans tous les domaines de la vie, l'interaction entre les humains et les technologies sera importante à cet égard et fera partie de la recherche dans le domaine des TIC axée sur les applications dont il est question plus haut.Ces six grandes lignes d'activité englobent également les infrastructures de recherche spécifique sur les TIC, telles que les laboratoires vivants pour les expérimentations, et les infrastructures qui sous-tendent les technologies clés génériques et leur intégration dans des produits avancés et des systèmes intelligents et innovants, comme les équipements, les instruments, les services d'aide, les salles blanches et l'accès à des fonderies pour le prototypage.Horizon 2020 soutiendra la recherche et le développement dans le domaine des systèmes TIC, dans le plein respect des droits fondamentaux et libertés fondamentales des personnes physiques, et en particulier du droit à la protection de leur vie privée.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:30";"664147" +"H2020-EU.2.1.1.";"es";"H2020-EU.2.1.1.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación - Tecnologías de la información y la comunicación (TIC)";"Information and Communication Technologies";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación - Tecnologías de la información y la comunicación (TIC)

Objetivo específico para las TIC

En consonancia con la iniciativa emblemática ""Agenda Digital para Europa"", el objetivo específico de la investigación e innovación (I+i) en materia de TIC es permitir a Europa respaldar, desarrollar y explotar las oportunidades que brinda el progreso de las TIC en beneficio de sus ciudadanos, empresas y comunidades científicas.Europa, que es la economía mundial de mayor tamaño y representa la mayor cuota del mercado mundial de las TIC, con más de 2,6 billones EUR en 2011, debe ambicionar legítimamente que sus empresas, administraciones públicas, centros de investigación y desarrollo y universidades lideren la evolución europea y mundial de las TIC, creen nuevas empresas e inviertan más en las innovaciones de las TIC.Para 2020, el sector de las TIC europeo debe suministrar al menos el equivalente de su cuota en el mercado mundial de las TIC, que en 2011 era de alrededor de un tercio. Europa debe también producir empresas innovadoras en TIC, de manera que un tercio de toda la inversión de las empresas en I+D sobre TIC en la Unión, cifrada en 2011 en más de 35 000 millones EUR al año, la realicen empresas creadas en los dos últimos decenios. Ello exigirá un considerable aumento de las inversiones públicas en I+D sobre TIC, a fin de suscitar la inversión privada, con el objetivo de ampliar las inversiones en la próxima década, y contar con un número significativamente más elevado de agrupaciones y polos europeos de excelencia mundial en TIC.Para dominar una tecnología y unas cadenas empresariales cada vez más complejas y multidisciplinarias en las TIC, son necesarios la asociación, el reparto de riesgos y la movilización de una masa crítica en toda la Unión. La acción a nivel de la Unión debe ayudar a la industria a construir una perspectiva de mercado único y conseguir economías de escala y de alcance. La colaboración en torno a plataformas tecnológicas comunes y abiertas tendrá efectos derivados y multiplicadores que permitirán a una amplia gama de partes interesadas beneficiarse de los nuevos avances y crear innovaciones adicionales. La asociación a escala de la Unión también permite crear consenso, establece un punto focal visible para los socios internacionales y apoyará el desarrollo de normas y soluciones interoperables en la Unión y en el mundo.

Justificación y valor añadido de la Unión

Las TIC apuntalan la innovación y la competitividad en una gama amplia de mercados y sectores públicos y privados y hacen posible el progreso científico en todas las disciplinas. A lo largo de la próxima década, el impacto transformador de las tecnologías digitales, los componentes, las infraestructuras y los servicios de TIC será cada vez más apreciable en todos los ámbitos de la vida. Los recursos de computación, comunicación y almacenamiento de datos seguirán extendiéndose en los próximos años. Los sensores, máquinas y productos potenciados por la información generarán grandes cantidades de información y datos, inclusive en tiempo real, convirtiendo la acción a distancia en algo habitual, permitiendo un despliegue mundial de procesos empresariales y centros de producción sostenibles y posibilitando la creación de una amplia gama de servicios y aplicaciones.Muchos servicios críticos, comerciales y públicos, y todos los procesos clave de la producción de conocimientos en la ciencia, el aprendizaje, la empresa y el sector cultural y creativo, así como el sector público, se prestarán a través de las TIC, por lo que serán más accesibles. Las TIC proporcionarán la infraestructura crítica para los procesos de producción y empresariales, la comunicación y las transacciones. Las TIC serán también indispensables por su aportación a los principales retos de la sociedad, así como a procesos de la sociedad tales como la formación de comunidades, el comportamiento de los consumidores, la participación política y la gobernanza pública, por ejemplo a través de los medios de comunicación social y las plataformas y los instrumentos de sensibilización colectiva. Es esencial apoyar e integrar la investigación que adopta una perspectiva basada en el usuario con el fin de encontrar soluciones competitivas.El apoyo de la Unión a la investigación e innovación en TIC aporta una contribución importante al desarrollo de la próxima generación de tecnologías y aplicaciones, pues representa una gran parte del gasto total en I+i en colaboración, de riesgo medio a alto, en Europa. La inversión pública en investigación e innovación sobre las TIC a nivel de la Unión ha sido y sigue siendo esencial para movilizar la masa crítica que puede conducir a avances fundamentales y a una mayor aceptación y un mejor uso de soluciones, productos y servicios innovadores. Continúa desempeñando un papel esencial en el desarrollo de plataformas y tecnologías abiertas aplicables en toda la Unión, en la puesta a prueba y los ensayos piloto de las innovaciones en contextos paneuropeos reales y en la optimización de los recursos a la hora de abordar la competitividad de la Unión y afrontar los retos de la sociedad comunes. El apoyo de la Unión a la investigación e innovación en materia de TIC está haciendo también posible que las PYME de alta tecnología crezcan y aprovechen la envergadura de los mercados a escala de la Unión. Está reforzando la colaboración y la excelencia entre los científicos e ingenieros de la Unión, fortaleciendo las sinergias con y entre los presupuestos nacionales y actuando como punto focal para la colaboración con socios de fuera de Europa.Las sucesivas evaluaciones de las actividades de TIC del Séptimo Programa Marco han puesto de manifiesto que la inversión en investigación e innovación focalizada en las TIC realizada a nivel de la Unión ha sido fundamental para crear un liderazgo industrial en ámbitos como las comunicaciones móviles y los sistemas de TIC críticos para la seguridad, así como para abordar retos como la eficiencia energética, la sanidad, la seguridad alimentaria, el transporte o el cambio demográfico. Las inversiones de la Unión en infraestructuras de investigación sobre TIC han equipado a los investigadores europeos con las mejores instalaciones del mundo de ordenadores y redes para la investigación.

Líneas generales de las actividades

Varias líneas de actividad abordarán los retos que tiene planteados el liderazgo industrial y tecnológico en las TIC y cubrirán las agendas de investigación e innovación sobre TIC genérica, incluyendo en particular:(a) una nueva generación de componentes y sistemas: ingeniería de componentes y sistemas incorporados avanzados y eficaces en recursos y energía; (b) informática de la próxima generación: sistemas y tecnologías de computación avanzada y segura, incluida la informática en la nube; (c) Internet del futuro: software, hardware, infraestructuras, tecnologías y servicios; (d) tecnologías de los contenidos y gestión de la información: TIC para los contenidos digitales, las industrias de la cultura y la creatividad; (e) interfaces avanzadas y robots: robótica y espacios inteligentes; (f) microelectrónica, nanoelectrónica y fotónica: tecnologías de capacitación esenciales relacionadas con la microelectrónica, la nanoelectrónica y la fotónica y que abarquen asimismo las tecnologías cuánticas. Se espera que estas seis grandes líneas de actividad cubran toda la gama de necesidades, teniendo en cuenta la competitividad de la industria europea a escala mundial. Incluirían el liderazgo industrial en las soluciones, productos y servicios genéricos basados en las TIC necesarios para afrontar los principales retos de la sociedad, así como la aplicación de las agendas de investigación e innovación en materia de TIC impulsadas por las aplicaciones que recibirán apoyo junto con el correspondiente reto de la sociedad. Ante el avance cada vez mayor de la tecnología en todos los ámbitos de la vida, la interacción entre personas y tecnología cumplirá un papel importante, y formará parte de la antes citada investigación de TIC impulsada por las aplicaciones.Estas seis líneas de actividad incluirán también infraestructuras específicas de investigación sobre TIC como los laboratorios vivientes para la experimentación y las infraestructuras para las tecnologías de capacitación esenciales subyacentes y su integración en productos avanzados y sistemas inteligentes innovadores, incluidos equipos, herramientas, servicios de apoyo, salas limpias y acceso a fundiciones para creación de prototipos.Horizonte 2020 apoyará la investigación y el desarrollo de sistemas TIC respetando plenamente los derechos y libertades fundamentales de las personas físicas y en particular su derecho a la intimidad.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:30";"664147" +"H2020-EU.2.1.1.";"de";"H2020-EU.2.1.1.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Informations- und Kommunikationstechnologien (IKT) ";"Information and Communication Technologies";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Informations- und Kommunikationstechnologien (IKT)

Einzelziel für IKT

Entsprechend der Leitinitiative ""Digitale Agenda für Europa"" besteht das Einzelziel der IKT-Forschung und -Innovation (FuI) in der Befähigung Europas, die Möglichkeiten aus dem IKT-Fortschritt zum Nutzen von Bürgern, Unternehmen und der Wissenschaft zu unterstützen, weiterzuentwickeln und auszuschöpfen.Als größter Wirtschaftsraum der Welt, der den größten Anteil am IKT-Weltmarkt darstellt, dessen Volumen im Jahr 2011 2 600 Billionen EUR (2 600 000 000 000 EUR) überstiegt, sollte Europa einen berechtigen Ehrgeiz hegen, dass seine Unternehmen, Regierungen, Forschungs- und Entwicklungszentren und Hochschulen europa- und weltweit eine Führungsrolle im Bereich der IKT übernehmen, mehr in IKT-Innovationen investieren und neue Geschäftsfelder erschließen.Bis 2020 sollte Europas IKT-Sektor mindestens so viel produzieren wie dies seinem Anteil am IKT-Weltmarkt entspricht, der im Jahr 2011 bei etwa einem Drittel lag. Europa sollte auch dafür sorgen, dass innovative IKT-Unternehmen expandieren, so dass ein Drittel aller Unternehmensinvestitionen in Forschung und Entwicklung von IKT in der Union, im Jahr 2011 bei über 35 Mrd. EUR pro Jahr lagen, von Unternehmen vorgenommen werden, die in den letzten beiden Jahrzehnten gegründet wurden. Dies würde bedeuten, dass die öffentlichen Investitionen in Forschung und Entwicklung von IKT in einer Art und Weise erhöht werden müssten, die private Gelder mobilisiert, um das Ziel einer Erhöhung der Investitionen in den nächsten zehn Jahren zu erreichen und um die Zahl der europäischen IKT-Exzellenzzentren und -cluster von Weltrang signifikant zu steigern.Um zunehmend komplexe und multidisziplinäre Technologien und Geschäftsabläufe bei IKT zu beherrschen, werden unionsweit Partnerschaften, Risikoteilung und die Mobilisierung einer kritischen Masse benötigt. Unionsmaßnahmen sollten der Wirtschaft helfen, durch die Binnenmarktperspektive Einsparungen aufgrund von Skalen- und Verbundeffekten zu erzielen. Die Zusammenarbeit im Rahmen gemeinsamer, offener Technologieplattformen mit Spillover- und Hebeleffekten wird es unterschiedlichsten Akteuren ermöglichen, neue Entwicklungen zu nutzen und weitere Innovationen zu schaffen. Partnerschaften auf Unionsebene erleichtern auch die Konsensbildung, stellen einen sichtbaren Dreh- und Angelpunkt für internationale Partner dar und werden die Entwicklung von Normen sowie von Interoperabilitätslösungen in der Union und weltweit unterstützen.

Begründung und Mehrwert für die Union

Informations- und Kommunikationstechnologien untermauern Innovation und Wettbewerbsfähigkeit in einem breiten Spektrum privater und öffentlicher Märkte und Sektoren und ermöglichen wissenschaftliche Fortschritte in allen Fachbereichen. In den nächsten Jahrzehnten werden die transformativen Auswirkungen der digitalen Technologien und IKT-Komponenten, Infrastrukturen und Dienstleistungen in allen Lebensbereichen noch deutlicher zutage treten. Rechner- und Kommunikationsleistungen sowie Datenspeicherkapazitäten werden sich im Laufe der nächsten Jahre weiter verbreiten. Sensoren, Maschinen und rechnergestützte Produkte werden riesige Mengen von Informationen und Daten, auch in Echtzeit, generieren, so dass die Fernsteuerung selbstverständlich wird und Unternehmensprozesse und nachhaltige Produktionsstandorte an jedem Ort der Welt realisiert werden können, was die Schaffung eines breiten Spektrums an Dienstleistungen und Anwendungen ermöglicht.Viele kritische, kommerzielle und öffentliche Dienstleistungen sowie sämtliche Schlüsselprozesse der Wissensgenerierung in Wissenschaft, Bildung, Wirtschaft, Kultur- und Kreativbranche sowie im öffentlichen Sektor werden mit Hilfe von IKT ermöglicht und somit zugänglicher gemacht. IKT bieten die kritische Infrastruktur für Produktion, Unternehmensprozesse, Kommunikation und Transaktionen. IKT leisten aber auch einen unverzichtbaren Beitrag zur Bewältigung zentraler gesellschaftlicher Herausforderungen und – beispielsweise mit Hilfe sozialer Medien sowie Plattformen und Instrumenten des kollektiven Bewusstseins – zu gesellschaftlichen Prozessen, wie die Bildung von Gemeinschaften, Verbraucherverhalten, politische Partizipation und Governance des öffentlichen Sektors. Zur Entwicklung wettbewerbsfähiger Lösungen muss eine Forschung unterstützt und integriert werden, bei der der Nutzer im Mittelpunkt steht.Die Unterstützung der Union für Forschung und Innovation im Bereich der IKT leistet einen bedeutsamen Beitrag zur Entwicklung der Technologien und Anwendungen der nächsten Generation, da sie einen Großteil der Gesamtausgaben für die mäßig bis hochriskante Verbundforschung und Innovation in Europa ausmacht. Öffentliche Investitionen in die IKT-Forschung und -Innovation auf Unionsebene sind nach wie vor für die Mobilisierung der kritischen Masse unerlässlich, die zu bahnbrechenden Erfolgen und zu einer breiteren Umsetzung und Nutzung der innovativen Lösungen, Produkte und Dienstleistungen führt. Die Unterstützung wird auch in Zukunft eine zentrale Rolle bei der Entwicklung offener Plattformen und Technologien spielen, die unionsweit anwendbar sind, bei Tests und innovativen Pilotprojekten unter realen europaweiten Bedingungen und bei der Optimierung des Ressourceneinsatzes zur Stärkung der Wettbewerbsfähigkeit der Union und zur Bewältigung gemeinsamer gesellschaftlicher Herausforderungen. Mit der Unionsförderung von IKT-Forschung und Innovation werden auch Hightech-KMU in die Lage versetzt, zu expandieren und sich die Größe des Unionsmarktes zunutze zu machen. Sie stärkt die Zusammenarbeit und Exzellenz unter den Wissenschaftlern der Union und Ingenieuren, untermauert Synergien mit und zwischen nationalen Haushalten und ist Dreh- und Angelpunkt für die Zusammenarbeit mit Partnern außerhalb Europas.Aufeinander folgende Bewertungen der IKT-Tätigkeiten im Siebten Rahmenprogrammen haben gezeigt, dass gezielte Investitionen in die IKT-Forschung und -Innovation auf Unionsebene eine wesentliche Voraussetzung für den Aufbau der industriellen Führung in Bereichen wie der mobilen Kommunikation und sicherheitskritischen IKT-Systeme und für die Bewältigung von Herausforderungen wie etwa Energieeffizienz, Gesundheit, Lebensmittelsicherheit, Verkehr oder demografischer Wandel sind. Investitionen der Union in IKT-Forschungsinfrastrukturen haben dafür gesorgt, dass europäischen Forschern die weltweit besten Forschungsnetze und Rechnereinrichtungen zur Verfügung stehen.

Einzelziele und Tätigkeiten in Grundzügen

Einige Tätigkeitsbereiche werden auf Herausforderungen für die industrielle und technologische Führung bei den Informations- und Kommunikationstechnologien ausgerichtet sein und sich auf generische IKT-Forschungs- und -Innovationsagenden erstrecken, wie beispielsweise Folgende:a) Eine neue Generation von Komponenten und Systemen: Entwicklung fortgeschrittener, eingebetteter sowie energieeffizienter und ressourcenschonender Komponenten und Systeme; b) Rechner der nächsten Generation: fortgeschrittene und sichere Rechnersysteme und -technologien, einschließlich Cloud Computing; c) Internet der Zukunft: Software, Hardware, Infrastrukturen, Technologien und Dienstleistungen; d) Inhaltstechnologien und Informationsmanagement: IKT für digitale Inhalte und für Kultur- und Kreativwirtschaft; e) fortgeschrittene Schnittstellen und Roboter: Robotik und intelligente Räume; f) Mikro- und Nanoelektronik und Photonik: Schlüsseltechnologien für die Mikro- und Nanoelektronik und Photonik, einschließlich Quantentechnologien. Unter dem Blickwinkel der weltweiten Wettbewerbsfähigkeit der europäischen Wirtschaft wird davon ausgegangen, dass diese sechs übergeordneten Tätigkeitsbereiche den gesamten Bedarf decken. Sie beinhalten die industrielle Führung bei generischen IKT-gestützten Lösungen, Produkten und Dienstleistungen, die für die Bewältigung der großen gesellschaftlichen Herausforderungen benötigt werden, sowie anwendungsorientierte IKT-Forschungs- und -Innovationsagenden, die im Rahmen der jeweiligen gesellschaftlichen Herausforderung unterstützt werden. In Anbetracht des zunehmenden Vorrückens der Technik in alle Lebensbereiche wird die Interaktion zwischen Mensch und Technik diesbezüglich von Bedeutung sein und in der anwendungsorientierten IKT-Forschung ihren Platz haben.Jeder der sechs Tätigkeitsbereiche umfasst auch IKT-spezifische Forschungsinfrastrukturen wie beispielsweise Living Labs für Experimente und Infrastrukturen für die entsprechenden Schlüsseltechnologien und deren Integration in fortgeschrittene Produkte und innovative intelligente Systeme, wie beispielsweise Geräte, Werkzeuge, Unterstützungsdienste, Reinräume und Zugang zu Gießereien für die Herstellung von Prototypen.Horizont 2020 wird die Erforschung und Entwicklung von IKT-Systemen unter uneingeschränkter Achtung der Grundrechte und Grundfreiheiten der natürlichen Personen und insbesondere ihrem Recht auf Privatsphäre unterstützen.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:30";"664147" +"H2020-EU.2.1.1.";"en";"H2020-EU.2.1.1.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Information and Communication Technologies (ICT)";"Information and Communication Technologies";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Information and Communication Technologies (ICT)

Specific objective for ICT

In line with the flagship initiative 'Digital Agenda for Europe' (4), the specific objective of ICT research and innovation (R&I) is to enable Europe to support, develop and exploit the opportunities brought by ICT progress for the benefits of its citizens, businesses and scientific communities.As the world's largest economy and representing the largest share of the world's ICT market, worth more than EUR 2 600 billion (EUR 2 600 000 000 000) in 2011, Europe should have legitimate ambitions for its businesses, governments, research and development centres and universities to lead European and global developments in ICT, to grow new business, and to invest more in ICT innovations.By 2020, Europe's ICT sector should supply at least the equivalent of its share of the global ICT market, which was about one third in 2011. Europe should also grow innovative businesses in ICT so that one third of all business investment in ICT R&D in the Union, which amounted to more than EUR 35 billion per year in 2011, is made by companies created within the last two decades. This would require an increase in public investments in ICT R&D in ways that leverage private spending, towards the goal of amplifying investments in the next decade, and significantly more European poles and clusters of world-class excellence in ICT.To master increasingly complex and multidisciplinary technology and business chains in ICT, partnering, risk-sharing and mobilisation of critical mass across the Union are needed. Union level action should help industry address a single market perspective and achieve economies of scale and scope. Collaboration around common, open technology platforms with spill-over and leverage effects will allow a wide range of stakeholders to benefit from new developments and create further innovations. Partnering at Union level also enables consensus building, establishes a visible focal point for international partners, and will support the development of standards and interoperable solutions both in the Union and worldwide.

Rationale and Union added value

ICT underpins innovation and competitiveness across a broad range of private and public markets and sectors, and enables scientific progress in all disciplines. Over the next decade, the transformative impact of digital technologies and ICT components, infrastructures and services will be increasingly visible in all areas of life. Computing, communication and data storage resources will continue to spread over the coming years. Vast amounts of information and data, including real-time, will be generated by sensors, machines and information-enhanced products, making action at a distance commonplace, enabling global deployment of business processes and sustainable production sites allowing the creation of a wide range of services and applications.Many critical commercial and public services and all key processes of knowledge production in science, learning, business and the culture and creative sector as well as the public sector will be provided, and thus made more accessible, through ICT. ICT will provide the critical infrastructure for production and business processes, communication and transactions. ICT will also be indispensable in contributing to key societal challenges, as well as to societal processes such as community formation, consumer behaviour, political participation and public governance, for example by means of social media and collective-awareness platforms and tools. It is crucial to support and integrate research which takes a user-centred perspective in order to develop competitive solutions.The Union support to ICT research and innovation makes a significant contribution to the development of the next generation technologies and applications as it makes up a large part of total spending on collaborative, mid-to-high risk R&I in Europe. Public investment in ICT research and innovation at Union level has been and remains essential to mobilise the critical mass leading to breakthroughs and to a wider uptake and better use of innovative solutions, products and services. It continues to play a central role in developing open platforms and technologies applicable across the Union, in testing and piloting innovations in real pan-European settings and in optimising resources when addressing Union competitiveness and tackling common societal challenges. Union support to ICT research and innovation is also enabling hi-tech SMEs to grow and capitalise on the size of Union-wide markets. It is strengthening collaboration and excellence amongst Union scientists and engineers, reinforcing synergies with and between national budgets, and acting as a focal point for collaboration with partners outside Europe.Successive evaluations of ICT activities in the Seventh Framework Programme have shown that focused ICT research and innovation investment undertaken at Union level has been instrumental in building industrial leadership in areas like mobile communications and safety-critical ICT systems, and to address challenges like energy-efficiency, health, food security, transport or demographic change. Union investments in ICT research infrastructures have provided European researchers with the world's best research networking and computing facilities.

Broad lines of the activities

A number of activity lines shall target ICT industrial and technological leadership challenges and cover generic ICT research and innovation agendas, including notably:(a) A new generation of components and systems: engineering of advanced, embedded and energy- and resource-efficient components and systems(b) Next generation computing: advanced and secure computing systems and technologies, including cloud computing(c) Future Internet: software, hardware, infrastructures, technologies and services(d) Content technologies and information management: ICT for digital content and for cultural and creative industries(e) Advanced interfaces and robots: robotics and smart spaces(f) Micro- and nanoelectronics and photonics: key enabling technologies related to micro- and nanoelectronics and to photonics covering also quantum technologies.These six major activity lines are expected to cover the full range of needs, taking into account the competitiveness of European industry on a global scale. These would include industrial leadership in generic ICT-based solutions, products and services needed to tackle major societal challenges as well as application-driven ICT research and innovation agendas which will be supported together with the relevant societal challenge. In view of the ever increasing advancement of technology in all areas of life, the interaction between humans and technology will be important in this respect, and part of the application-driven ICT research mentioned above.These six activity lines shall also include ICT specific research infrastructures such as living labs for experimentation, and infrastructures for underlying key enabling technologies and their integration in advanced products and innovative smart systems, including equipment, tools, support services, clean rooms and access to foundries for prototyping.Horizon 2020 will support research and development of ICT systems in full respect of the fundamental rights and freedoms of natural persons and in particular their right to privacy.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:30";"664147" +"H2020-EU.2.1.1.";"pl";"H2020-EU.2.1.1.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych - Technologie informacyjno-komunikacyjne (ICT)";"Information and Communication Technologies";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych - Technologie informacyjno-komunikacyjne (ICT)

Cel szczegółowy w dziedzinie ICT

Zgodnie z inicjatywą przewodnią „Europejską agendą cyfrową” (4) celem szczegółowym badań naukowych i innowacji w dziedzinie ICT jest umożliwienie Europie wspierania, rozwijania i wykorzystywania możliwości związanych z postępem w tej dziedzinie z korzyścią dla obywateli, przedsiębiorstw i społeczności naukowych.Jako największa gospodarka świata, posiadająca zarazem największy udział w światowym rynku ICT, którego wartość wynosi ponad 2 600 000 000 000 EUR w 2011 r., Europa powinna móc w uzasadniony sposób oczekiwać, że jej przedsiębiorstwa, rządy, ośrodki badawczo-rozwojowe i uniwersytety będą europejskimi i światowymi liderami rozwoju w dziedzinie ICT, rozszerzającymi działalność biznesową w tej dziedzinie i więcej inwestującymi w związane z nią innowacje.Do 2020 r. europejski sektor ICT powinien przynosić korzyści co najmniej równoważne jego udziałowi w globalnym rynku ICT (wskaźnik ten stanowił jedną trzecią w 2011 r.). Europa powinna również rozwijać innowacyjne przedsiębiorstwa w dziedzinie ICT, tak aby jedna trzecia wszystkich inwestycji przedsiębiorstw w badania naukowe i rozwój w tej dziedzinie w Unii, wynosząca w 2011 r. ponad 35 mld EUR rocznie, była dokonywana przez firmy utworzone w ciągu ostatnich dwóch dziesięcioleci. Wymagałoby to zwiększenia publicznych inwestycji w badania naukowe i rozwój w dziedzinie ICT, w sposób uruchamiający prywatne wydatkowanie, w celu poszerzenia inwestycji w następnym dziesięcioleciu i znacznego zwiększenia liczby światowej klasy europejskich ośrodków i klastrów doskonałości w tej dziedzinie.Opanowanie coraz bardziej skomplikowanych i multidyscyplinarnych łańcuchów technologicznych i biznesowych ICT wymaga partnerstwa, podziału ryzyka i wytworzenia masy krytycznej w całej Unii. Działanie na poziomie Unii powinno ułatwić przemysłowi funkcjonowanie w perspektywie jednolitego rynku oraz osiągnięcie korzyści skali i zakresu. Współpraca skupiona na wspólnych, otwartych platformach technologicznych, zapewniająca efekty zewnętrzne i efekt dźwigni, umożliwi wielu zainteresowanym stronom czerpanie korzyści z nowych osiągnięć i tworzenie dalszych innowacji. Dzięki partnerstwu na poziomie Unii możliwe jest także budowanie konsensusu, stworzenie widocznego punktu centralnego dla międzynarodowych partnerów oraz wspieranie powstawania norm i rozwiązań interoperacyjnych zarówno w Unii jak i na poziomie światowym.

Uzasadnienie i unijna wartość dodana

ICT stanowią podstawę innowacji i konkurencyjności w szerokim wachlarzu prywatnych i publicznych rynków i sektorów oraz umożliwiają postęp naukowy we wszystkich dziedzinach. W ciągu następnego dziesięciolecia prowadzące do przeobrażeń oddziaływanie technologii cyfrowych oraz technologii wchodzących w zakres ICT, infrastruktury i usług będzie coraz bardziej widoczne we wszystkich dziedzinach życia. W nadchodzących latach dojdzie do dalszego upowszechnienia zasobów obliczeniowych i łącznościowych oraz możliwości przechowywania danych. Duże ilości informacji i danych, w tym w czasie rzeczywistym, będą pochodzić z czujników, maszyn i produktów wykorzystujących technologie informatyczne, dzięki czemu powszechnie dostępna będzie możliwość działania na odległość, co pozwoli na globalne wdrożenie procesów biznesowych i zrównoważonej produkcji, co umożliwi tworzenie szerokiej gamy usług i aplikacji.Wiele usług komercyjnych i publicznych o podstawowym znaczeniu oraz wszystkie kluczowe procesy pozyskiwania wiedzy w sektorach nauki, nauczania, przedsiębiorczości, w kulturze i sektorze kreatywnym, a także w sektorze publicznym będą obsługiwane przez ICT, co uczyni je bardziej dostępnymi. Technologie te zapewnią podstawową infrastrukturę dla procesów produkcyjnych i biznesowych, łączności i transakcji. Będą również niezbędne w działaniach zmierzających do sprostania głównym wyzwaniom społecznym, a także w przypadku procesów społecznych, takich jak tworzenie się społeczności, zachowanie konsumentów, udział w życiu politycznym i publiczne zarządzanie, np. poprzez media społecznościowe oraz platformy i narzędzia zbiorowej świadomości. W celu rozwijania konkurencyjnych rozwiązań niezbędne jest wspieranie badań naukowych i integrowanie ich wokół perspektywy zorientowanej na użytkownika.Wsparcie Unii dla badań naukowych i innowacji w dziedzinie ICT stanowi istotny wkład w rozwój nowej generacji technologii i zastosowań, gdyż stanowi ono znaczną część łącznych wydatków na europejską współpracę w zakresie obciążonych średnim i wysokim ryzykiem działań badawczych i innowacyjnych. Publiczne inwestycje w badania naukowe i innowacje w dziedzinie ICT na szczeblu Unii miały i nadal mają zasadnicze znaczenie dla wytworzenia masy krytycznej prowadzącej do przełomowych osiągnięć oraz do szerszej absorpcji i lepszego wykorzystania innowacyjnych rozwiązań, produktów i usług. Nadal odgrywają one podstawową rolę w rozwijaniu otwartych platform i technologii znajdujących zastosowanie w całej Unii, badań i projektów pilotażowych dotyczących innowacji w rzeczywistym ogólnoeuropejskim kontekście, a także optymalizacji zasobów w odniesieniu do konkurencyjności Unii i wspólnych wyzwań społecznych. Wsparcie Unii dla badań naukowych i innowacji w tej dziedzinie umożliwia także MŚP działającym w obszarze technologii zaawansowanych rozwijanie się i czerpanie korzyści z wielkości ogólnounijnych rynków. Wzmacnia ono współpracę i doskonałość wśród naukowców i inżynierów w Unii, zwiększając synergię z budżetami państw i między nimi oraz pełniąc funkcję centralnego punktu współpracy z partnerami spoza Europy.Kolejne oceny działań w zakresie ICT prowadzonych w związku z siódmym programem ramowym wykazały, że inwestycje ukierunkowane na badania naukowe i innowacje w tej dziedzinie poczynione na poziomie Unii przyczyniły się do osiągnięcia przez nią wiodącej pozycji w przemyśle w takich obszarach, jak łączność ruchoma i systemy ICT o istotnym znaczeniu dla bezpieczeństwa, oraz do sprostania takim wyzwaniom jak efektywność energetyczna, zdrowie, bezpieczeństwo żywnościowe, transport czy zmiany demograficzne. Inwestycje Unii w infrastrukturę badawczą w dziedzinie ICT zapewniły europejskim naukowcom najlepsze na świecie systemy sieci badawczych i obliczeniowe.

Ogólne kierunki działań

Wiele typów działań jest ukierunkowanych na wyzwania związane z wiodącą pozycją przemysłową i technologiczną w dziedzinie ICT oraz obejmuje ogólne agendy działań w zakresie badań naukowych i innowacji, w tym dotyczące zwłaszcza:(a) Nowej generacji części i systemów: inżynieria w zakresie zaawansowanych, wbudowanych oraz efektywnych energetycznie i zasobooszczędnych części i systemów; (b) Technologii obliczeniowych nowej generacji: zaawansowane i bezpieczne systemy i technologie obliczeniowe, w tym chmura obliczeniowa; (c) Internetu przyszłości: programowanie, urządzenia, infrastruktura, technologie i usługi; (d) Technologii cyfrowych i zarządzania informacjami: ICT dla treści cyfrowych, oraz dla sektora kultury i kreatywności; (e) Zaawansowanych interfejsów i robotów: robotyka i przestrzenie inteligentne; (f) Technologii mikro- i nanoelektronicznych oraz fotonicznych: kluczowe technologie prorozwojowe w zakresie technologii mikro- i nanoelektronicznych oraz fotonicznych obejmujące także technologie kwantowe. Oczekuje się, że tych sześć głównych kierunków działania obejmie pełny zakres potrzeb, z uwzględnieniem konkurencyjności przemysłu europejskiego w skali globalnej. Należałaby do nich wiodąca pozycja w przemyśle w zakresie generycznych rozwiązań, produktów i usług opartych na ICT, potrzebnych do sprostania głównym wyzwaniom społecznym oraz agendy zorientowanych na zastosowania badań naukowych i innowacji w dziedzinie ICT, wspierane w związku z odpowiednim wyzwaniem społecznym. Zważywszy na coraz powszechniejsze postępy techniki we wszystkich dziedzinach życia, interakcja między ludźmi a techniką będzie w tym względzie ważna i będzie częścią wspomnianych wyżej, zorientowanych na zastosowania, badań naukowych w dziedzinie ICT.Każdy z tych sześciu kierunków działania obejmuje również infrastrukturę badawczą ICT, taką jak żywe laboratoria do eksperymentów, oraz infrastrukturę dla bazowych kluczowych technologii prorozwojowych oraz ich wykorzystanie w zaawansowanych produktach i innowacyjnych inteligentnych systemach, w tym w urządzeniach, narzędziach, usługach wsparcia, pomieszczeniach czystych i dostępie do odlewni do celów przygotowania prototypów.Wsparcie badań naukowych i rozwoju systemów ICT w ramach programu „Horyzont 2020” będzie odbywać się z poszanowaniem podstawowych praw i wolności osób fizycznych, a zwłaszcza ich prawa do prywatności.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:30";"664147" +"H2020-EU.2.1.1.";"it";"H2020-EU.2.1.1.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali - Tecnologie dell'informazione e della comunicazione (TIC)";"Information and Communication Technologies";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali - Tecnologie dell'informazione e della comunicazione (TIC)

Obiettivo specifico delle TIC

In linea con l'iniziativa faro ""Un'agenda digitale europea"", l'obiettivo specifico della ricerca e dell'innovazione (R&I) nell'ambito delle TIC è consentire all'Europa di sostenere, sviluppare e valorizzare le opportunità offerte dai progressi compiuti nel settore delle TIC a vantaggio dei cittadini, delle imprese e delle comunità scientifiche.In quanto economia più grande del mondo che rappresenta la più ampia quota di mercato mondiale delle TIC, di un valore superiore a 2 600 miliardi di EUR (EUR 2 600 000 000 000) nel 2011, l'Europa dovrebbe legittimamente pretendere che imprese, governi, centri di ricerca e sviluppo e università dirigano gli sviluppi delle TIC a livello europeo e globale, creino nuove attività commerciali e investano maggiormente nelle innovazioni relative alle TIC.Entro il 2020, il settore delle TIC in Europa dovrebbe fornire almeno l'equivalente della sua quota di mercato mondiale in materia di TIC, che era pari a circa un terzo nel 2011. È necessario che in Europa aumentino le imprese innovative nel settore delle TIC in modo che un terzo di tutti gli investimenti delle imprese in R&S sulle TIC nell'Unione, che ammontava a più di 35 miliardi di EUR l'anno nel 2011, sia effettuato da società costituite negli ultimi due decenni. A tal fine è necessario un aumento degli investimenti pubblici in R&S sulle TIC in modo da stimolare la spesa privata, avendo per obiettivo il potenziamento degli investimenti nei prossimi dieci anni, disponendo di un numero notevolmente superiore di poli e raggruppamenti europei di eccellenza a livello mondiale in materia di TIC.Per gestire una tecnologia e catene commerciali sempre più complesse e interdisciplinari nel settore delle TIC, è necessario concludere partenariati, ripartire i rischi e mobilitare una massa critica in tutta l'Unione. L'azione a livello unionale dovrebbe aiutare l'industria a porsi in una prospettiva di mercato interno e a realizzare economie di scala e di scopo. La collaborazione intorno a piattaforme tecnologiche aperte comuni con effetti di ricaduta e di stimolo consentirà a un'ampia gamma di parti interessate di beneficiare dei nuovi sviluppi e di creare ulteriori innovazioni. La conclusione di partenariati a livello unionale consente inoltre la formazione del consenso, crea un punto focale visibile per i partner internazionali e favorirà lo sviluppo di norme e soluzioni interoperabili a livello unionale e mondiale.

Motivazione e valore aggiunto dell'Unione

Le TIC sostengono l'innovazione e la competitività attraverso un'ampia gamma di mercati e di settori pubblici e privati, e consentono progressi scientifici in tutte le discipline. Nel prossimo decennio l'impatto trasformativo delle tecnologie digitali e dei componenti delle TIC, delle infrastrutture e dei servizi relativi sarà sempre più visibile in tutti i settori della vita. Le risorse di elaborazione, comunicazione e conservazione di dati continueranno a diffondersi nei prossimi anni. Sensori, macchine e prodotti informatici produrranno grandi quantità di informazioni e dati, anche in tempo reale, rendendo l'azione a distanza un fatto comune, consentendo una diffusione globale dei processi aziendali e dei siti di produzione sostenibili, rendendo possibile la creazione di un'ampia gamma di servizi e applicazioni.Molti servizi pubblici e commerciali cruciali e tutti i fondamentali processi di produzione di conoscenza nelle scienze, nell'apprendimento, nelle imprese, nel settore culturale e creativo e nel settore pubblico saranno forniti, e in tal modo resi maggiormente accessibili, per mezzo delle TIC. Le TIC forniranno le infrastrutture critiche necessarie alla produzione e ai processi, alla comunicazione e alle transazioni commerciali. Le TIC saranno inoltre indispensabili per contribuire alle sfide per la società fondamentali e ai processi sociali quali la formazione di comunità, il comportamento dei consumatori, la partecipazione politica e la governance pubblica, ad esempio attraverso i media sociali e le piattaforme e gli strumenti di sensibilizzazione collettiva. È indispensabile sostenere e integrare la ricerca che adotta un'ottica incentrata sul consumatore al fine di sviluppare soluzioni competitive.Il sostegno dell'Unione alla ricerca e all'innovazione nelle TIC contribuisce in modo significativo allo sviluppo della prossima generazione di tecnologie e di applicazioni in quanto rappresenta una parte notevole della spesa totale per la ricerca e innovazione collaborative a rischio medio-alto in Europa. Gli investimenti pubblici nella ricerca e nell'innovazione sulle TIC a livello unionale sono e restano essenziali per mobilitare la massa critica suscettibile di generare progressi e un'adozione più ampia nonché un migliore utilizzo di soluzioni, prodotti e servizi innovativi. Esse continuano a svolgere un ruolo centrale nello sviluppo di piattaforme aperte e di tecnologie applicabili in tutta l'Unione, nella sperimentazione e nel pilotaggio delle innovazioni in contesti realmente paneuropei e nell'ottimizzazione delle risorse al momento di affrontare la competitività dell'Unione e le sfide per la società comuni. Il sostegno dell'Unione alla ricerca e all'innovazione nelle TIC consente inoltre alle PMI ad alta tecnologia di crescere e di sfruttare la dimensione unionale dei mercati. Questo rafforza la collaborazione e l'eccellenza tra scienziati e ingegneri dell'Unione e le sinergie con e fra i bilanci nazionali, e funge da punto focale per la collaborazione con partner extraeuropei.Valutazioni successive delle attività delle TIC nel settimo programma quadro hanno dimostrato che gli investimenti mirati nella ricerca e nell'innovazione delle TIC realizzati a livello di Unione hanno consentito la costruzione di una leadership industriale in settori come le comunicazioni mobili e i sistemi TIC fondamentali per la sicurezza, nonché per affrontare sfide quali la sanità, la sicurezza alimentare, i trasporti, il cambiamento demografico o l'efficienza energetica. Gli investimenti dell'Unione nelle infrastrutture di ricerca nel campo delle TIC hanno fornito ai ricercatori europei le migliori strutture di rete e di elaborazione per la ricerca a livello mondiale.

Le grandi linee delle attività

Una serie di linee di attività mira ad affrontare le sfide della leadership industriale e tecnologica nell'ambito delle TIC e a coprire generici programmi di ricerca e di innovazione nelle TIC, tra cui in particolare:(a) una nuova generazione di componenti e sistemi: ingegneria di componenti e sistemi integrati avanzati ed efficienti sul piano delle risorse e delle energie; (b) elaborazione di prossima generazione: sistemi e tecnologie di elaborazione avanzati e sicuri, compreso il cloud computing; (c) Internet del futuro: software, hardware, infrastrutture, tecnologie e servizi; (d) tecnologie di contenuto e gestione dell'informazione: TIC per i contenuti digitali e per le industrie culturali e creative; (e) interfacce avanzate e robot: robotica e locali intelligenti; (f) microelettronica, nanoelettronica e fotonica: tecnologie abilitanti fondamentali relative alla micro e nanoelettronica e alla fotonica, comprese le tecnologie quantistiche.Si ritiene che queste sei grandi linee di attività coprano la gamma completa delle esigenze, tenendo conto della competitività dell'industria europea su scala globale. Fra esse si annoverano la leadership industriale sulle soluzioni, i prodotti e i servizi generici basati sulle TIC, necessari per affrontare le principali sfide per la società e programmi di ricerca e innovazione nell'ambito delle TIC orientate sulle applicazioni, che saranno sostenuti congiuntamente alla pertinente sfida sociale. In considerazione dei progressi sempre maggiori della tecnologia in tutti i settori della vita, sarà importante sotto questo profilo l'interazione tra esseri umani e tecnologia e costituirà parte delle ricerche delle TIC orientate sulle applicazioni di cui sopra.Queste sei linee di attività comprendono anche le infrastrutture di ricerca specifiche per le TIC, quali i laboratori viventi per la sperimentazione e le infrastrutture per le tecnologie abilitanti fondamentali di base e la loro integrazione in prodotti avanzati e sistemi intelligenti innovativi, tra cui attrezzature, strumenti, servizi di sostegno, ambienti puliti e accesso alle fonderie per la messa a punto di prototipi.Orizzonte 2020 sosterrà la ricerca e lo sviluppo di sistemi TIC nel pieno rispetto dei diritti e delle libertà fondamentali delle persone fisiche e in particolare del diritto alla vita privata.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:30";"664147" +"H2020-EU.1.3.2.";"it";"H2020-EU.1.3.2.";"";"";"Sviluppare l'eccellenza attraverso la mobilità transfrontaliera e intersettoriale";"MSCA Mobility";"

Sviluppare l'eccellenza attraverso la mobilità transfrontaliera e intersettoriale

L'obiettivo è rafforzare il potenziale innovativo e creativo dei ricercatori di esperienza a tutti i livelli di carriera creando opportunità di mobilità transfrontaliera e intersettoriale.Le principali attività consistono nell'incoraggiare i ricercatori di esperienza ad approfondire o ad ampliare le loro competenze per mezzo della mobilità, creando opportunità di carriera interessanti presso università, istituti di ricerca, infrastrutture di ricerca, imprese, PMI e altri gruppi socioeconomici in tutta Europa e oltre. Ciò dovrebbe rafforzare la capacità innovativa del settore privato e promuovere la mobilità transsettoriale. Sono inoltre sostenute le opportunità di ricevere formazione e acquisire nuove conoscenze in un istituto di ricerca di alto livello di un paese terzo, di riprendere la carriera di ricerca in seguito a un'interruzione e di (re)integrare i ricercatori in un posto di ricerca a lungo termine in Europa, anche nel loro paese di origine, dopo un'esperienza di mobilità transnazionale/internazionale coprendo gli aspetti relativi al rientro e alla reintegrazione.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:28";"664113" +"H2020-EU.1.3.2.";"en";"H2020-EU.1.3.2.";"";"";"Nurturing excellence by means of cross-border and cross-sector mobility";"MSCA Mobility";"

Nurturing excellence by means of cross-border and cross-sector mobility

The goal is to enhance the creative and innovative potential of experienced researchers at all career levels by creating opportunities for cross-border and cross-sector mobility.Key activities shall be to encourage experienced researchers to broaden or deepen their skills by means of mobility by opening attractive career opportunities in universities, research institutions, research infrastructures, businesses, SMEs and other socio-economic groups all over Europe and beyond. This should enhance the innovativeness of the private sector and promote cross-sector mobility. Opportunities to be trained and to acquire new knowledge in a third-country high-level research institution, to restart a research career after a break and to (re-)integrate researchers into a longer-term research position in Europe, including in their country of origin, after a trans-national/international mobility experience covering return and reintegration aspects, shall also be supported.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:28";"664113" +"H2020-EU.1.3.2.";"de";"H2020-EU.1.3.2.";"";"";"Förderung von Exzellenz durch grenz- und sektorübergreifende Mobilität";"MSCA Mobility";"

Förderung von Exzellenz durch grenz- und sektorübergreifende Mobilität

Ziel ist die Steigerung des kreativen und innovativen Potenzials erfahrener Forscher zu jedem Zeitpunkt ihrer Laufbahn durch grenz- und sektorübergreifende Mobilitätsmöglichkeiten.Hierzu kommt es vor allem darauf an, erfahrene Forscher zu ermuntern, ihre Fähigkeiten durch Mobilität zu erweitern und zu vertiefen, und zu diesem Zweck attraktive Laufbahnmöglichkeiten in Hochschulen, Forschungseinrichtungen und Forschungsinfrastrukturen, Unternehmen, auch in KMU, sowie anderen sozioökonomischen Gruppen in Europa und darüber hinaus zu eröffnen. Dies dürfte die Innovationsfähigkeit des privaten Sektors steigern und die sektorübergreifende Mobilität fördern. Unterstützt werden auch Möglichkeiten, eine Ausbildung in einer hochkarätigen Forschungseinrichtung eines Drittlands zu absolvieren und dort Wissen zu erwerben, die Forscherlaufbahn nach einer Unterbrechung wieder fortzusetzen und die Forscher nach einer transnationalen bzw. internationalen Mobilitätsmaßnahme, die Aspekte der Rückkehr und der Wiedereingliederung umfasst, in eine längerfristige Forscherstelle in Europa – einschließlich ihres Herkunftslands – zu (re-)integrieren.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:28";"664113" +"H2020-EU.1.3.2.";"pl";"H2020-EU.1.3.2.";"";"";"Sprzyjanie najwyższej jakości poprzez transgraniczną i międzysektorową mobilność";"MSCA Mobility";"

Sprzyjanie najwyższej jakości poprzez transgraniczną i międzysektorową mobilność

Celem jest zwiększenie kreatywnego i innowacyjnego potencjału doświadczonych naukowców na wszystkich etapach kariery poprzez zapewnienie możliwości transgranicznej i międzysektorowej mobilności.Kluczowe działania polegają na zachęceniu doświadczonych naukowców do poszerzania lub pogłębiania ich umiejętności poprzez mobilność związaną z udostępnieniem atrakcyjnych możliwości rozwoju kariery na uniwersytetach, w instytucjach badawczych, infrastrukturze badawczej, przedsiębiorstwach, MŚP i innych podmiotach społeczno-gospodarczych w całej Europie i poza nią. To powinno zwiększyć innowacyjność sektora prywatnego i sprzyjać mobilności międzysektorowej. Wspierane są także możliwości dokształcania się i zdobywania nowej wiedzy w najlepszych instytucjach badawczych w państwach trzecich, wznowienia kariery po przerwie oraz oferowania naukowcom po uzyskaniu przez nich doświadczenia w zakresie ponadnarodowej/międzynarodowej mobilności, długoterminowych stanowisk badawczych w Europie, w tym w kraju ich pochodzenia, które obejmowały by aspekty związane z powrotem i ponowną integracją.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:28";"664113" +"H2020-EU.1.3.2.";"fr";"H2020-EU.1.3.2.";"";"";"Cultiver l'excellence par la mobilité transfrontalière et intersectorielle";"MSCA Mobility";"

Cultiver l'excellence par la mobilité transfrontalière et intersectorielle

L'objectif est de renforcer le potentiel de création et d'innovation des chercheurs expérimentés à tous les niveaux de carrière en leur offrant des possibilités de mobilité transfrontalière et intersectorielle.Les principales activités consistent à encourager les chercheurs expérimentés à élargir ou à approfondir leurs compétences par la mobilité, en leur offrant des possibilités de carrière attractives dans les universités, les institutions de recherche, les infrastructures de recherche, les entreprises, les PME et d'autres groupements socioéconomiques dans toute l'Europe et d'ailleurs. Cela devrait améliorer la capacité d'innovation du secteur privé et favoriser la mobilité transsectorielle. Un soutien sera également apporté aux possibilités d'acquérir une formation et de nouvelles connaissances dans un établissement de recherche de haut niveau dans un pays tiers, de reprendre une carrière dans la recherche après une interruption et d'intégrer ou de réintégrer des chercheurs dans un poste de recherche à long terme en Europe, y compris dans leur pays d'origine, après une expérience de mobilité transnationale ou internationale, les aspects relatifs au retour et à la réintégration étant couverts.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:28";"664113" +"H2020-EU.1.3.2.";"es";"H2020-EU.1.3.2.";"";"";"Cultivar la excelencia mediante la movilidad transfronteriza e intersectorial";"MSCA Mobility";"

Cultivar la excelencia mediante la movilidad transfronteriza e intersectorial

El objetivo es mejorar el potencial creativo e innovador de los investigadores experimentados en todos los niveles de su carrera profesional creando oportunidades de movilidad transfronteriza e intersectorial.Las actividades fundamentales incitarán a los investigadores experimentados a ampliar o profundizar sus competencias a través de la movilidad abriendo oportunidades de carrera atractivas en universidades, centros de investigación, infraestructuras de investigación, empresas, PYME y otros grupos socioeconómicos de toda Europa y de fuera de ella. Ello debería mejorar la capacidad de innovación del sector privado y promover la movilidad intersectorial. También se apoyarán las oportunidades para formarse y adquirir conocimientos en una institución de alto nivel científico de un tercer país, reanudar una carrera científica tras una pausa e integrar o reintegrar a investigadores en un puesto de investigación a más largo plazo en Europa, que puede ser en su país de origen, tras una experiencia de movilidad transnacional/internacional que cubra los aspectos relacionados con el retorno y la reintegración.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:28";"664113" +"H2020-EU.1.1.";"de";"H2020-EU.1.1.";"";"";"WISSENSCHAFTSEXZELLENZ - Für das Einzelziel ""Europäischer Forschungsrat (ERC)""";"European Research Council (ERC)";"

WISSENSCHAFTSEXZELLENZ - Für das Einzelziel ""Europäischer Forschungsrat (ERC)""

Einzelziel

Einzelziel ist die Stärkung der Exzellenz, Dynamik und Kreativität der europäischen Forschung.Europa hat sich zum Ziel gesetzt, ein neues Wirtschaftsmodell anzustreben, das sich auf ein intelligentes, nachhaltiges und integratives Wachstum stützt. Für einen derartigen Wandel bedarf es mehr als stufenweiser Verbesserungen der vorhandenen Technologien und Kenntnisse. Notwendig sind deutlich höhere Kapazitäten für die Grundlagenforschung, damit – angefacht durch radikal neues Wissen – aus den wissenschaftlichen Grundlagen Innovationen entstehen, die Europa in die Lage versetzen, eine Vorreiterrolle bei den wissenschaftlichen und technologischen Paradigmenwechseln einzunehmen, die die wichtigsten Antriebskräfte für Produktivitätswachstum, Wettbewerbsfähigkeit, Wohlstand, nachhaltige Entwicklung und sozialen Fortschritt in den künftigen Industriezweigen und Sektoren sein werden. Historisch gesehen erwuchsen solche Paradigmenwechsel aus der Forschung im öffentlichen Sektor, bevor aus ihnen ganz neue Industriezweige und Sektoren entstanden.Eine weltweite Spitzenstellung in der Innovation ist eng mit Wissenschaftsexzellenz verknüpft. Europa – einst der unbestrittene Vorreiter – ist in dem Rennen um die absoluten wissenschaftlichen Spitzenleistungen zurückgefallen und nimmt jetzt in den wichtigsten technologischen Nachkriegsentwicklungen den zweiten Platz hinter den Vereinigten Staaten ein. Auch wenn die Union nach wie vor weltweit die meisten wissenschaftlichen Veröffentlichungen hervorbringt, schaffen die Vereinigten Staaten doppelt so viele besonders einflussreiche Veröffentlichungen (1 % der Veröffentlichungen mit der höchsten Zitierhäufigkeit). Auch in der Rangliste der internationalen Hochschulen dominieren die Hochschulen aus den Vereinigten Staaten die Spitzenplätze. Zudem kommen 70 % der weltweiten Nobelpreisgewinner aus den Vereinigten Staaten.Ein Teil des Problems besteht darin, dass Europa und die Vereinigten Staaten zwar ähnliche Summen in die Forschung ihres öffentlichen Sektors investieren, dass aber in der Union fast dreimal so viele Forscher im öffentlichen Sektor tätig und damit die Investitionen pro Forscher deutlich niedriger sind. Ferner ist die Forschungsförderung in den Vereinigten Staaten selektiver bei der Zuweisung der Mittel an Spitzenforscher. Dies erklärt, warum die Forscher im öffentlichen Sektor der Union im Durchschnitt weniger produktiv und insgesamt weniger wissenschaftlich prägend sind als ihre zahlenmäßig unterlegenen Kollegen aus den Vereinigten Staaten.Hinzu kommt, dass in vielen europäischen Ländern der öffentliche und der private Sektor den Spitzenforschern immer noch keine ausreichend attraktiven Bedingungen bieten. Es kann Jahre dauern, bis talentierte Nachwuchsforscher als unabhängige Wissenschaftler tätig werden können. Durch diese Verzögerung – und in einigen Fällen sogar Verhinderung – des Generationenwechsels von Forschern, die neue Ideen mit neuem Schwung einbringen, wird das Forschungspotenzial Europas in dramatischer Weise vergeudet, denn exzellente Nachwuchsforscher werden dazu verleitet, ihre Laufbahn woanders fortzusetzen.Außerdem besiegeln diese Faktoren den Ruf Europas im weltweiten Wettbewerb um wissenschaftliche Talente als relativ unattraktiv.

Begründung und Mehrwert für die Union

Der ERC wurde gegründet, um die besten Forscher und Forscherinnen Europas mit den notwendigen Ressourcen auszustatten, die es ihnen ermöglichen, im weltweiten Wettbewerb besser abzuschneiden, indem einzelne Teams auf der Grundlage eines europaweiten Wettbewerbs gefördert werden. Der Europäische Forschungsrat handelt autonom. Ein unabhängiger wissenschaftlicher Ausschuss aus Wissenschaftlern, Ingenieuren und Akademikern höchsten Ansehens und Sachverstands, dem Frauen und Männer verschiedener Altersgruppen angehören, legt die wissenschaftliche Gesamtstrategie fest und hat umfassende Entscheidungsgewalt über die Art der zu fördernden Forschung. Diese wesentlichen Merkmale des ERC garantieren die Wirksamkeit seines wissenschaftlichen Programms, die Qualität seiner Tätigkeit und der Gutachterverfahren sowie seine Glaubwürdigkeit in der Wissenschaftsgemeinschaft.Als europaweit auf Wettbewerbsbasis tätige Einrichtung kann der ERC aus einem größeren Pool an Talenten und Ideen schöpfen, als dies für rein nationale Fördersysteme möglich wäre. Die besten Forscher und die besten Ideen konkurrieren miteinander. Antragsteller wissen, dass sie Spitzenleistungen vorweisen müssen – im Gegenzug wird ihnen eine flexible Förderung unter einheitlichen Voraussetzungen geboten, unabhängig von lokalen Engpässen oder der Verfügbarkeit nationaler Fördermittel.Es darf daher erwartet werden, dass sich die vom ERC geförderte Pionierforschung direkt und spürbar auswirkt, denn sie verschiebt die Grenzen des Wissens und macht den Weg frei für neue und häufig unerwartete wissenschaftliche und technologische Ergebnisse sowie neue Forschungsgebiete, die letztlich bahnbrechende neue Ideen hervorbringen können, die ihrerseits Anreize für Innovationen und den unternehmerischen Erfindergeist bieten und Antworten auf die gesellschaftlichen Probleme geben. So stützt sich die Innovationskette in all ihren Phasen auf eine Kombination aus exzellenten einzelnen Wissenschaftlern und innovativen Ideen.Darüber hinaus wirkt sich der ERC nicht nur auf die von ihm direkt geförderten Forscher und Projekte aus, sondern bewirkt durch den von ihm ausgehenden kräftigen Qualitätsschub für das europäische Forschungssystem auch spürbare strukturelle Veränderungen. Mit den vom ERC geförderten Projekten und Forschern werden klare und inspirierende Ziele für die Pionierforschung in Europa gesetzt, sein Profil geschärft und seine Attraktivität für die weltweit besten Forscher erhöht. Das mit der Aufnahme von ERC-Stipendiaten und dem damit einhergehenden ""Siegel der Exzellenz"" verbundene Prestige steigert den Wettbewerb zwischen den europäischen Hochschulen und anderen Forschungsorganisationen um die attraktivsten Bedingungen für Spitzenforscher. So können nationale Systeme und einzelne Forschungseinrichtungen anhand der Tatsache, inwieweit es ihnen gelingt, ERC-Stipendiaten auf sich aufmerksam zu machen und aufzunehmen, bewerten, wo ihre jeweiligen Stärken und Schwächen liegen und ihre Strategien und Praktiken entsprechend anpassen. ERC-Fördermittel dienen daher ein Zusatz zu den laufenden Anstrengungen auf Ebene der Union, der Mitgliedstaaten und Regionen, mit denen das europäische Forschungssystem reformiert, Kapazitäten aufgebaut, das vollständige Potenzial nutzbar gemacht und seine Attraktivität erhöht werden sollen.

Einzelziele und Tätigkeiten in Grundzügen

Die Tätigkeit des ERC besteht im Wesentlichen darin, exzellenten Forschern und ihren Teams eine attraktive Langzeitförderung zu bieten, damit sie bahnbrechende Forschungsarbeiten durchführen können, die zwar hohen Gewinn versprechen, aber gleichzeitig auch ein hohes Risiko bergen.Für die Vergabe von ERC-Fördermitteln gelten die folgenden bewährten Grundsätze. Alleiniges Kriterium für die Gewährung von ERC-Finanzhilfen ist die wissenschaftliche Exzellenz. Das ERC stützt sich auf ein ""Bottom-up""-Konzept ohne vorher festgelegte Schwerpunkte. Die ERC-Finanzhilfen stehen einzelnen Teams von Wissenschaftlern, die in Europa arbeiten, unabhängig von ihrem Alter, Geschlecht oder Herkunftsland offen. Der ERC verfolgt das Ziel, einen gesunden europaweiten Wettbewerb auf der Grundlage robuster, transparenter und unparteiischer Bewertungsverfahren, die insbesondere potenziellen geschlechterspezifischen Verzerrungen vorbeugen sollen, zu fördern.Ein besonderer Schwerpunkt des ERC ist die Unterstützung der besten Nachwuchsforscher mit exzellenten Ideen beim Übergang zur Unabhängigkeit, indem sie eine angemessene Hilfe während dieser kritischen Phase erhalten, in der sie ihr eigenes Forscherteam oder Forschungsprogramm gründen bzw. konsolidieren. Der ERC wird die etablierten Forscher auch weiterhin in angemessenem Umfang unterstützen.Der ERC unterstützt bei Bedarf auch neue Arbeitsweisen in der Welt der Wissenschaft, die erwarten lassen, dass sie bahnbrechende Ergebnisse hervorbringen und die Ausschöpfung des kommerziellen und gesellschaftlichen Innovationspotenzials der geförderten Forschung erleichtern.Daher plant der ERC, bis 2020 Folgendes unter Beweis zu stellen: An den Wettbewerben des ERC nehmen die besten Wissenschaftler teil, die ERC-Förderung hat zu wissenschaftlichen Veröffentlichungen höchster Qualität und zu Forschungsergebnissen mit potenziell hoher gesellschaftlicher und wirtschaftlicher Wirkung geführt und der ERC hat signifikant dazu beigetragen, die Attraktivität Europas für die weltbesten Wissenschaftler zu erhöhen. Insbesondere strebt der ERC eine messbare Verbesserung des Anteils der Union an den 1 % der Veröffentlichungen mit der höchsten Zitierhäufigkeit an. Ferner verfolgt er das Ziel, die Zahl der von ihm geförderten exzellenten Forscher von außerhalb Europas deutlich zu erhöhen. Der ERC wird Erfahrungen und bewährte Verfahren mit den regionalen und nationalen Forschungsfördereinrichtungen teilen, um zur Unterstützung von Spitzenforschern beizutragen. Der ERC wird außerdem dafür sorgen, dass seine Programme stärker wahrgenommen werden.Der Wissenschaftliche Rat des ERC wird die Tätigkeit und die Bewertungsverfahren des ERC ständig überwachen und Überlegungen anstellen, welche Finanzhilfemodelle am besten geeignet sind, die Ziele des ERC zu verwirklichen, die Kriterien Effektivität, Klarheit, Stabilität und Einfachheit für die Antragstellung, Durchführung und Verwaltung zu erfüllen und gegebenenfalls neu auftretenden Erfordernissen Rechnung zu tragen. Er wird sich bemühen, das im Weltmaßstab erstklassige Gutachtersystem des ERC fortzuführen und weiter zu verfeinern, das sich auf eine vollkommen transparente, faire und unparteiische Bearbeitung der Vorschläge stützt, wodurch bahnbrechende wissenschaftliche Exzellenz, bahnbrechende Ideen und Talente erkannt werden können, ohne dass Geschlecht, Nationalität, Einrichtung oder Alter des Forschers eine Rolle spielten. Schließlich wird der ERC auch in Zukunft eigene Strategiestudien zur Ausarbeitung und Unterstützung seiner Tätigkeiten durchführen, enge Kontakte mit der wissenschaftlichen Gemeinschaft, den regionalen und nationalen Fördereinrichtungen und anderen Akteuren pflegen und darauf abzielen, seine Tätigkeiten Forschung auf anderen Ebenen ergänzen.Der ERC wird für Transparenz bei der Berichterstattung über seine Tätigkeiten und Ergebnisse an die Wissenschaftsgemeinschaft und die Öffentlichkeit sorgen und aktualisierte Daten über die geförderten Projekte vorhalten.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-23 20:19:43";"664099" +"H2020-EU.1.1.";"en";"H2020-EU.1.1.";"";"";"EXCELLENT SCIENCE - European Research Council (ERC)";"European Research Council (ERC)";"

EXCELLENT SCIENCE - European Research Council (ERC)

Specific objective

The specific objective is to reinforce the excellence, dynamism and creativity of European research.Europe has set out its ambition to move to a new economic model based on smart, sustainable and inclusive growth. This type of transformation will need more than incremental improvements to current technologies and knowledge. It will require much higher capacity for basic research and science-based innovation fuelled by radical new knowledge, allowing Europe to take a leading role in creating the scientific and technological paradigm shifts which will be the key drivers of productivity growth, competitiveness, wealth, sustainable development and social progress in the future industries and sectors. Such paradigm shifts have historically tended to originate from the public-sector science base before going on to lay the foundations for whole new industries and sectors.World-leading innovation is closely associated with excellent science. Once the undisputed leader, Europe has fallen behind in the race to produce the very best cutting-edge science and has played a secondary role to the United States in the major post-war technological advances. Although the Union remains the largest producer of scientific publications in the world, the United States produces twice as many of the most influential papers (the top 1 % by citation count). Similarly, international university rankings show that US universities dominate the top places. In addition, 70 % of the world's Nobel Prize winners are based in the United States.One part of the challenge is that while Europe and the United States invest similar amounts in their public-sector science bases, the Union has nearly three times as many public-sector researchers, resulting in significantly lower investment per researcher. Moreover, US funding is more selective about allocating resources to the leading researchers. This helps to explain why the Union's public-sector researchers are, on average, less productive and, altogether, make less combined scientific impact than their far less numerous US counterparts.Another major part of the challenge is that in many European countries the public and private sector still does not offer sufficiently attractive conditions for the best researchers. It can take many years before talented young researchers are able to become independent scientists in their own right. This leads to a dramatic waste of Europe's research potential by delaying and in some cases even inhibiting the emergence of the next generation of researchers, who bring new ideas and energy, and by enticing excellent researchers starting their career to seek advancement elsewhere.Furthermore, these factors compound Europe's relative unattractiveness in the global competition for scientific talent.

Rationale and Union added value

The ERC was created to provide Europe's best researchers, both women and men, with the resources they need to allow them to compete better at global level, by funding individual teams on the basis of pan-European competition. It operates autonomously: an independent Scientific Council made up of scientists, engineers and scholars of the highest repute and expertise, of both women and men in different age groups, establishes the overall scientific strategy and has full authority over decisions on the type of research to be funded. These are essential features of the ERC, guaranteeing the effectiveness of its scientific programme, the quality of its operations and peer-review process and its credibility in the scientific community.Operating across Europe on a competitive basis, the ERC is able to draw on a wider pool of talents and ideas than would be possible for any national scheme. The best researchers and the best ideas compete against each other. Applicants know they have to perform at the highest level, the reward being flexible funding on a level playing field, irrespective of local bottlenecks or the availability of national funding.Frontier research funded by the ERC is thereby expected to have a substantial direct impact in the form of advances at the frontiers of knowledge, opening the way to new and often unexpected scientific and technological results and new areas for research which, ultimately, can generate the radically new ideas which will drive innovation and business inventiveness and tackle societal challenges. This combination of excellent individual scientists with innovative ideas underpins every stage of the innovation chain.Beyond this, the ERC has a significant structural impact by generating a powerful stimulus for driving up the quality of the European research system, over and above the researchers and projects which the ERC funds directly. ERC-funded projects and researchers set a clear and inspirational target for frontier research in Europe, raise its profile and make it more attractive for the best researchers at global level. The prestige of hosting ERC grant-holders and the accompanying 'stamp of excellence' are intensifying competition between Europe's universities and other research organisations to offer the most attractive conditions for top researchers. And the ability of national systems and individual research institutions to attract and host ERC grant-winners sets a benchmark allowing them to assess their relative strengths and weaknesses and reform their policies and practices accordingly. ERC funding is therefore in addition to ongoing efforts at Union, national and regional level to reform, build capacity and unlock the full potential and attractiveness of the European research system.

Broad lines of the activities

The fundamental activity of the ERC shall be to provide attractive long-term funding to support excellent investigators and their research teams to pursue ground-breaking, high-gain/high-risk research.ERC funding shall be awarded in accordance with the following well-established principles. Scientific excellence shall be the sole criterion on which ERC grants are awarded. The ERC shall operate on a 'bottom-up' basis without predetermined priorities. The ERC grants shall be open to individual teams of researchers of any age, gender, and from any country in the world, working in Europe. The ERC shall aim to foster healthy competition across Europe based on robust, transparent and impartial evaluation procedures which address, in particular, potential gender bias.The ERC shall give particular priority to assisting the best starting researchers with excellent ideas to make the transition to independence by providing adequate support at the critical stage when they are setting up or consolidating their own research team or programme. The ERC will also continue to provide appropriate levels of support for established researchers.The ERC shall also give support, as necessary, to new ways of working in the scientific world with the potential to create breakthrough results and to facilitate exploration of the commercial and social innovation potential of the research which it funds.By 2020, the ERC shall therefore aim to demonstrate that the best researchers are participating in the ERC's competitions, that ERC funding has led to scientific publications of the highest quality and to research results with high societal and economic potential impact, and that the ERC has contributed significantly to making Europe a more attractive environment for the world's best scientists. In particular, the ERC shall target a measurable improvement in the Union's share of the world's top 1 % most highly cited publications. In addition it shall aim at a substantial increase in the number of excellent researchers from outside Europe whom it funds. The ERC shall share experience and best practices with regional and national research funding agencies in order to promote the support of excellent researchers. In addition, the ERC shall further raise the visibility of its programmes.The ERC's Scientific Council shall continuously monitor the ERC's operations and evaluation procedures and consider how best to achieve its objectives by means of grant schemes that emphasise effectiveness, clarity, stability and simplicity, both for applicants and in their implementation and management, and, as necessary, to respond to emerging needs. It shall endeavour to sustain and further refine the ERC's world-class peer-review system which is based on fully transparent, fair and impartial treatment of proposals so that it can identify ground-breaking scientific excellence, breakthrough ideas and talent regardless of a researcher's gender, nationality, institution or age. Finally, the ERC shall continue conducting its own strategic studies to prepare for and support its activities, maintain close contacts with the scientific community, the regional and national funding agencies and other stakeholders and aim to make its activities complement research conducted at other levels.The ERC will ensure transparency in communication about its activities and results to the scientific community and the general public and maintain updated data from funded projects.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-23 20:19:43";"664099" +"H2020-EU.1.1.";"pl";"H2020-EU.1.1.";"";"";"DOSKONAŁA BAZA NAUKOWA - Europejska Rada ds. Badań Naukowych (ERBN)";"European Research Council (ERC)";"

DOSKONAŁA BAZA NAUKOWA - Europejska Rada ds. Badań Naukowych (ERBN)

Cel szczegółowy

Cel szczegółowy polega na zwiększeniu doskonałości, dynamiki i kreatywności europejskich badań naukowych.Zamiarem Europy jest przejście do nowego modelu gospodarki opartego na inteligentnym, trwałym wzroście gospodarczym sprzyjającym włączeniu społecznemu. Tego typu przeobrażenie będzie wymagać więcej niż stopniowego podnoszenia poziomu obecnych technologii i wiedzy. Będzie wymagać znacznie zwiększonej zdolności do badań podstawowych i innowacji opartych na nauce i stymulowanych radykalnie nową wiedzą, co umożliwi Europie zajęcie wiodącej pozycji w dokonywaniu przesunięć paradygmatu naukowego i technologicznego, które będą kluczowymi czynnikami wzrostu wydajności, konkurencyjności, zamożności, zrównoważonego rozwoju i postępu społecznego w przypadku gałęzi przemysłów i sektorów przyszłości. W przeszłości takie przesunięcia paradygmatu zwykle miały początek w bazie naukowej sektora publicznego, po czym leżały u podstaw powstania całych nowych gałęzi przemysłu i sektorów.Wiodące w skali światowej innowacje są ściśle powiązane z doskonałą bazą naukową. Europa, będąca dawniej niekwestionowanym liderem, spadła na dalszą pozycję w wyścigu o osiąganie najlepszych i przełomowych wyników naukowych, a w większości przypadków jej postępy w rozwoju techniki w okresie powojennym były mniejsze niż postępy w Stanach Zjednoczonych. Chociaż z Unii nadal pochodzi najwięcej publikacji naukowych na świecie, w Stanach Zjednoczonych tworzy się dwukrotnie więcej spośród najbardziej wpływowych opracowań (najlepszy 1% według liczby cytowań). Także z międzynarodowych rankingów uniwersytetów wynika, że w czołówce przeważają uczelnie amerykańskie. Ponadto 70% wszystkich laureatów Nagrody Nobla pracuje w Stanach Zjednoczonych.Jednym z elementów wyzwania jest fakt, że chociaż Europa i Stanach Zjednoczonych inwestują podobne kwoty w bazę naukową sektora publicznego, w sektorze publicznym Unii pracuje niemal trzykrotnie więcej naukowców, przez co wartość inwestycji przypadającej na jednego naukowca jest zdecydowanie niższa. Ponadto w USA finansowanie jest bardziej selektywne pod względem przydzielania zasobów wiodącym naukowcom. To pomaga wyjaśnić, dlaczego naukowcy sektora publicznego w Unii są średnio mniej wydajni i ostatecznie mają znacznie mniejsze łączne oddziaływanie naukowe niż ich znacznie mniej liczni koledzy w USA.Inny istotny element wyzwania polega na tym, że w wielu państwach europejskich sektor publiczny i prywatny nadal nie oferuje najlepszym naukowcom wystarczająco atrakcyjnych warunków. Może minąć wiele lat, zanim utalentowani młodzi badacze zostaną uznanymi niezależnymi naukowcami. Skutkiem jest dramatyczne marnotrawstwo potencjału badawczego Europy poprzez opóźnianie, a w niektórych przypadkach nawet powstrzymywanie dojścia do głosu nowej generacji naukowców przynoszących ze sobą nowe pomysły i energię, a także motywowanie wybitnych naukowców rozpoczynających karierę do szukania możliwości gdzie indziej.Poza tym wspomniane czynniki dodatkowo przyczyniają się do braku atrakcyjności Europy w globalnej konkurencji o talenty naukowe.

Uzasadnienie i unijna wartość dodana

ERBN utworzono, aby zapewnić najlepszym naukowcom Europy – zarówno mężczyznom, jak i kobietom – środki niezbędne dla umożliwienia im skuteczniejszego konkurowania na poziomie globalnym poprzez finansowanie indywidualnych zespołów na podstawie ogólnoeuropejskiej konkurencyjności. Jest to jednostka działająca autonomicznie: niezależna rada naukowa – złożona z naukowców, inżynierów i pracowników akademickich cieszących się uznaniem i dysponujących rozległą wiedzą specjalistyczną, zarówno kobiet, jak i mężczyzn, z różnych grup wiekowych – określa ogólną strategię naukową i posiada pełne uprawnienia do podejmowania decyzji w sprawie badań naukowych, które mają być finansowane. Są to podstawowe funkcje ERBN, zapewniające skuteczność jej programu naukowego, jakość jej działań oraz procesu wzajemnej oceny, a także wiarygodność w środowisku naukowym.Jako ogólnoeuropejski konkurencyjny organ finansowania ERBN jest w stanie korzystać z szerszej puli talentów i pomysłów, niż byłoby to możliwe w przypadku jakiegokolwiek systemu krajowego. Konkurują ze sobą najlepsi naukowcy i najlepsze pomysły. Wnioskodawcy wiedzą, że muszą osiągać wyniki na najwyższym poziomie, za co nagrodą jest elastyczne finansowanie przy równych szansach, niezależne od lokalnych trudności czy dostępności środków w kraju.Oczekuje się zatem, że badania pionierskie finansowane przez ERBN będą mieć znaczne bezpośrednie oddziaływanie przejawiające się postępami dokonywanymi na rubieżach wiedzy, torowaniem drogi do osiągania nowych i często nieoczekiwanych wyników naukowych i technologicznych oraz tworzeniem nowych obszarów badań naukowych, co ostatecznie może zaowocować radykalnie nowymi pomysłami stymulującymi innowacje i nowatorstwo w biznesie, a także przyczynić się do radzenia sobie z wyzwaniami społecznymi. Połączenie wybitnych indywidualnych naukowców z innowacyjnymi pomysłami stanowi istotny element wszystkich etapów łańcucha innowacji.Ponadto ERBN ma istotne oddziaływanie strukturalne, zapewniając silny bodziec poprawy jakości europejskiego systemu badań naukowych, a zasięg jego oddziaływania wykracza poza naukowców i projekty bezpośrednio finansowane przez ERBN. Projekty i naukowcy otrzymujący finansowanie z ERBN stanowią wyrazistą inspirację dla podmiotów z dziedziny pionierskich badań naukowych w Europie oraz zwiększają jej widoczność i atrakcyjność dla najlepszych naukowców na poziomie globalnym. Prestiż związany z zatrudnianiem beneficjentów dotacji ERBN i związany z tym „znak doskonałości” prowadzi do nasilenia konkurencji między europejskimi uniwersytetami i innymi organizacjami badawczymi pod względem oferowania najbardziej atrakcyjnych warunków najlepszym naukowcom. Ponadto zdolność krajowych systemów i poszczególnych instytucji badawczych do przyciągania odnoszących sukcesy beneficjentów dotacji ERBN stanowi kryterium umożliwiające im ocenę swoich relatywnych mocnych i słabych stron oraz odpowiednią reformę polityki i stosowanych praktyk. Finansowanie ERBN jest zatem dodatkowe w stosunku do wysiłków podejmowanych na poziomie Unii, krajowym i regionalnym w celu reformowania, budowania zdolności i uwalniania pełnego potencjału oraz atrakcyjności europejskiego systemu badawczego.

Ogólne kierunki działań

Podstawowa działalność ERBN polega na zapewnianiu długoterminowego finansowania w celu wsparcia wybitnych naukowców i ich zespołów badawczych w przełomowych badaniach naukowych oferujących duże korzyści, ale też obarczonych wysokim ryzykiem.Finansowanie ERBN jest udzielane według następujących, dobrze ugruntowanych zasad. Wyłącznym kryterium przyznawania dotacji ERBN jest doskonałość naukowa. ERBN działa w trybie „oddolnym”, bez wstępnie ustalonych priorytetów. Dotacje ERBN są otwarte dla indywidualnych zespołów złożonych z naukowców w dowolnym wieku i dowolnej płci, pochodzących z dowolnego kraju świata i pracujących w Europie. Celem ERBN jest promowanie w całej Europie zdrowej konkurencji opartej na solidnych, przejrzystych i bezstronnych procedurach oceny, które wykluczają przede wszystkim potencjalne uprzedzenia płciowe.W sposób szczególnie uprzywilejowany ERBN traktuje pomoc dla najlepszych początkujących naukowców o wybitnych pomysłach, umożliwiając im osiągnięcie niezależnego statusu poprzez zapewnienie odpowiedniego wsparcia na bardzo ważnym etapie, kiedy konsolidują oni lub tworzą własny zespół badawczy lub program. ERBN będzie również w dalszym ciągu udzielać odpowiedniego wsparcia uznanym naukowcom.W razie konieczności ERBN udziela również wsparcia na rzecz pojawiających się nowych sposobów pracy w świecie nauki, mających potencjał zapewnienia przełomowych wyników, a także ułatwia weryfikację potencjału finansowanych przez siebie badań naukowych pod względem innowacji komercyjnych i społecznych.W związku z tym do 2020 r. ERBN ma zamiar wykazać, że: w konkursach ERBN uczestniczą najlepsi naukowcy, finansowanie ERBN doprowadziło do powstania publikacji naukowych najwyższej jakości oraz do osiągnięcia wyników badawczych o znacznym potencjale oddziaływania społecznego i gospodarczego, a także że ERBN w istotnym stopniu przyczyniła się do stworzenia w Europie bardziej atrakcyjnego środowiska dla najlepszych naukowców świata. W szczególności ERBN dąży do istotnego wzrostu udziału Unii w 1% najczęściej cytowanych publikacji na świecie. Ponadto dąży do znacznego zwiększenia liczby finansowanych przez siebie wybitnych naukowców spoza Europy. ERBN wymienia się doświadczeniami i najlepszymi praktykami z regionalnymi i krajowymi agencjami finansującymi badania, aby promować wspieranie wybitnych naukowców. Ponadto ERBN jeszcze bardziej eksponuje swoje programy.Rada naukowa ERBN stale monitoruje działalność ERBN i procedury oceny oraz analizuje możliwości optymalnego osiągnięcia swoich celów za pomocą systemów dotacji kładących nacisk na skuteczność, przejrzystość, stabilność i prostotę zarówno w odniesieniu do wnioskodawców, jak i pod względem realizacji i zarządzania, a także, w razie potrzeby, najlepsze sposoby reagowania na zarysowujące się potrzeby. Dąży do utrzymania i dalszego doskonalenia światowej klasy systemu wzajemnej oceny ERBN, opartego na pełnej przejrzystości, uczciwości i bezstronności w rozpatrywaniu wniosków, dzięki czemu jest w stanie wyróżnić najwyższą naukową jakość, przełomowe pomysły i talent o przełomowym potencjale, bez względu na płeć, narodowość czy wiek naukowca oraz instytucję, dla której pracuje. Ponadto ERBN nadal prowadzi badania strategiczne w celu przygotowania i wsparcia swoich działań, utrzymuje bliskie kontakty ze społecznością naukową, regionalnymi i krajowymi podmiotami finansującymi i innymi zainteresowanymi stronami oraz stara się uzupełniać swoimi działaniami inicjatywy badawcze na innych poziomach.ERBN będzie dbać o przejrzystość informowania społeczności naukowej i opinii publicznej o swojej działalności i wynikach oraz aktualizować dane pochodzące z finansowanych przez nią projektów.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-23 20:19:43";"664099" +"H2020-EU.1.1.";"fr";"H2020-EU.1.1.";"";"";"EXCELLENCE SCIENTIFIQUE - Conseil européen de la recherche (CER)";"European Research Council (ERC)";"

EXCELLENCE SCIENTIFIQUE - Conseil européen de la recherche (CER)

Objectif spécifique

L'objectif spécifique consiste à renforcer l'excellence, le dynamisme et la créativité de la recherche européenne.L'Europe s'est fixée pour ambition de passer à un nouveau modèle économique fondé sur une croissance intelligente, durable et inclusive. Une telle transformation nécessitera davantage qu'une amélioration marginale des technologies et des connaissances actuelles. Elle passera obligatoirement par une bien plus grande capacité pour la recherche fondamentale et l'innovation scientifique, alimentées par de nouvelles connaissances révolutionnaires, qui permettront à l'Europe de jouer un rôle de premier plan dans les changements de paradigmes scientifiques et technologiques qui constitueront, dans les industries et secteurs du futur, les principaux moteurs de la hausse de productivité, de la compétitivité, de la richesse, du développement durable et des progrès sociaux. Historiquement, ces changements de paradigmes ont trouvé généralement leur origine dans la base scientifique du secteur public avant de sous-tendre ensuite la création d'industries et de secteurs totalement nouveaux.La primauté mondiale dans le domaine de l'innovation est intimement liée à une base scientifique d'excellence. Autrefois chef de file incontesté, l'Europe a perdu du terrain dans la course à la production scientifique de pointe et d'excellence et n'a joué qu'un rôle secondaire par rapport aux États-Unis dans les grandes avancées technologiques d'après-guerre. Si l'Union reste le principal producteur de publications scientifiques au monde, les États-Unis produisent deux fois plus de publications comptant parmi les plus influentes (celles qui appartiennent au 1 % de publications les plus citées). De même, les classements internationaux d'universités mettent en évidence la prépondérance des universités américaines en haut de tableau. Enfin, 70 % des lauréats des prix Nobel dans le monde sont établis aux États-Unis.L'enjeu réside notamment dans le fait que, si l'Europe investit dans ses bases scientifiques du secteur public des montants comparables à ceux des États-Unis, l'Union compte quasiment trois fois plus de chercheurs relevant du secteur public. Ceux-ci reçoivent donc, individuellement, sensiblement moins de fonds que leurs homologues américains. Une plus grande sélectivité règne en outre aux États-Unis pour ce qui est du financement des chercheurs les plus influents. Ces différents éléments aident à comprendre pourquoi les chercheurs européens du secteur public sont en moyenne moins productifs et n'ont globalement, sur le plan scientifique, pas autant d'impact que leurs homologues américains, pourtant bien moins nombreux.Une autre composante essentielle du défi à relever est que, dans de nombreux pays d'Europe, les secteurs public et privé n'offrent toujours pas aux meilleurs chercheurs des conditions suffisamment attractives. Il faut parfois de nombreuses années à de jeunes chercheurs de talent pour devenir des scientifiques indépendants à part entière. Le potentiel de l'Union en matière de recherche s'en trouve considérablement affaibli: l'émergence de la prochaine génération de chercheurs susceptibles d'insuffler de nouvelles idées et une dose de vitalité est retardée, voire empêchée dans certains cas, et les jeunes chercheurs de qualité sont incités à chercher ailleurs des possibilités de promotion.Ces facteurs aggravent en outre le manque relatif d'attractivité de l'Europe dans la compétition mondiale pour les scientifiques de talent.

Justification et valeur ajoutée de l'Union

Le CER a été mis sur pied pour fournir aux chercheurs européens les plus compétents, tant masculins que féminins, les ressources dont ils ont besoin pour renforcer leur compétitivité sur la scène mondiale, en allouant des fonds à certaines équipes sur la base d'une concurrence à l'échelle paneuropéenne. Le CER fonctionne de manière autonome: un conseil scientifique indépendant composé de scientifiques, d'ingénieurs et d'experts masculins et féminins de différentes tranches d'âge, à la réputation et aux compétences exemplaires, définit la stratégie scientifique générale et a pleine compétence pour décider du type de recherches à financer. Ces caractéristiques essentielles assurent l'efficacité de son programme scientifique, la qualité de ses actions et du processus d'évaluation par les pairs ainsi que sa crédibilité au sein de la communauté scientifique.Le CER, qui opère à l'échelle de l'Europe sur une base concurrentielle, est capable de mobiliser un réservoir de talents et d'idées plus vaste que n'importe quel régime national. Les meilleurs chercheurs et les meilleures idées sont en concurrence. Les candidats savent qu'ils doivent réaliser les meilleures performances, en échange de quoi ils bénéficient d'un système de financement flexible offrant à chacun des conditions de concurrence homogènes, indépendamment des goulots d'étranglement locaux ou de la disponibilité des financements nationaux.La recherche exploratoire financée par le CER devrait donc avoir un impact direct substantiel en permettant des avancées aux frontières de la connaissance, lesquelles ouvriront la voie à de nouveaux résultats scientifiques et technologiques, souvent inattendus, et à de nouveaux domaines de recherche, qui pourraient, au final, faire germer les nouvelles idées révolutionnaires qui favoriseront l'innovation et l'inventivité des entreprises et qui permettront de relever les défis de société. Cette combinaison de scientifiques d'excellence et d'idées innovantes sous-tend chaque étape de la chaîne de l'innovation.Outre ces considérations, le CER a des répercussions réelles sur le plan structurel: il contribue notablement au renforcement qualitatif du système de recherche européen, bien au-delà des chercheurs et des projets qu'il finance directement. Les projets et les chercheurs financés par le CER constituent un modèle à forte visibilité qui stimule la recherche exploratoire en Europe, tout en renforçant sa visibilité et son attractivité auprès des meilleurs chercheurs mondiaux. Le prestige qu'implique l'accueil de chercheurs titulaires d'une bourse du CER et le gage d'excellence que constitue un tel accueil renforcent la concurrence que se livrent les universités européennes et d'autres organismes de recherche en vue d'offrir aux meilleurs chercheurs les conditions les plus attractives. La capacité des systèmes nationaux et des institutions de recherche à attirer et à accueillir des chercheurs ayant pu obtenir une bourse du CER constitue par ailleurs un point de référence qui leur permet d'évaluer leurs forces et leurs faiblesses relatives et de revoir en conséquence leurs politiques et leurs pratiques. Le financement par le CER s'ajoute dès lors aux démarches entreprises actuellement au niveau européen, national et régional en vue de réformer le système européen de recherche, d'en développer les capacités et d'en libérer pleinement le potentiel et l'attractivité.

Grandes lignes des activités

Le CER a pour principale mission de fournir un financement attractif et à long terme en vue d'aider les chercheurs d'excellence et leurs équipes à mener des recherches innovantes à haut risque et à haut bénéfice.Le financement par le CER repose sur les principes bien établis exposés ci-dessous. L'excellence scientifique est l'unique critère d'attribution des fonds. Le CER fonctionne sur une base ascendante, sans priorités préétablies. Ses subventions sont accessibles aux équipes de chercheurs travaillant en Europe, quels que soient l'âge, le genre et le pays d'origine des personnes qui la composent. Le CER vise à promouvoir une saine concurrence en Europe sur la base de procédures d'évaluation solides, transparentes et impartiales, qui s'attaquent en particulier aux inégalités potentielles entre genres.Le CER se fixe notamment pour priorité d'aider les meilleurs jeunes chercheurs d'excellence à négocier leur transition vers l'indépendance, en leur apportant un soutien approprié au stade critique de la mise en place ou de la consolidation de leur propre équipe ou programme de recherche. Le CER continuera en outre à fournir aux chercheurs établis le soutien dont ils ont besoin.Le CER offre en outre un soutien approprié aux nouvelles méthodes de travail dans le monde scientifique qui sont susceptibles d'entraîner de réelles avancées. Il facilite également l'étude du potentiel d'innovation commerciale et sociale de la recherche qu'il finance.Le CER a dès lors pour objectif de démontrer, d'ici à 2020, que les meilleurs chercheurs participent aux concours qu'il organise, que les subventions qu'il accorde sont à l'origine de publications scientifiques de la plus haute qualité et ont permis d'obtenir des résultats ayant une incidence sociétale et économique potentielle importante, et qu'il a participé de manière significative à rendre l'Europe plus attractive pour les scientifiques les plus compétents au niveau mondial. Il se fixe notamment pour objectif une augmentation significative de la part des publications européennes dans le 1 % de publications les plus citées à l'échelle mondiale. Il vise également une hausse substantielle du nombre de chercheurs d'excellence extérieurs à l'Union qu'il finance. Le CER échange ses expériences et ses meilleures pratiques avec les agences régionales et nationales de financement de la recherche en vue d'encourager le soutien des chercheurs d'excellence. En outre, le CER améliore encore la visibilité de ses programmes.Le Conseil scientifique du CER assure un suivi continu des activités et des procédures d'évaluation de ce dernier. Il cherche à déterminer la meilleure façon de réaliser ses objectifs, en utilisant des régimes de financement mettant l'accent sur l'efficacité, la clarté, la stabilité et la simplicité, tant pour les demandeurs qu'en matière de mise en œuvre et de gestion, et s'attelle à trouver, le cas échéant, le meilleur moyen de faire face aux nouveaux besoins. Il entreprend de soutenir et d'affiner plus encore le système d'évaluation par les pairs d'envergure mondiale instauré par le CER, qui se fonde sur un traitement totalement transparent, équitable et impartial des propositions pour reconnaître l'excellence scientifique, les idées qui représentent une avancée décisive et le talent des chercheurs, indépendamment de leur sexe, de leur nationalité, de l'établissement dans lequel ils travaillent ou de leur âge. Enfin, le CER continue de mener ses propres études stratégiques, qui lui permettent de préparer et de soutenir ses activités, de maintenir des contacts étroits avec la communauté scientifique, les agences régionales et nationales de financement et d'autres parties prenantes et de veiller à assurer la complémentarité de ses activités par rapport aux activités de recherche entreprises à d'autres niveaux.Le CER garantira la transparence dans sa communication relative à ses activités et ses résultats à l'égard de la communauté scientifique et au grand public, et tiendra à jour les données concernant les projets financés.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-23 20:19:43";"664099" +"H2020-EU.1.1.";"es";"H2020-EU.1.1.";"";"";"CIENCIA EXCELENTE - Consejo Europeo de Investigación (CEI)";"European Research Council (ERC)";"

CIENCIA EXCELENTE - Consejo Europeo de Investigación (CEI)

Objetivo específico

El objetivo específico es reforzar la excelencia, el dinamismo y la creatividad de la investigación europea.Europa ha expuesto su ambición de avanzar hacia un nuevo modelo económico basado en un crecimiento inteligente, sostenible e integrador. Este tipo de transformación exigirá algo más que mejoras incrementales de las tecnologías y los conocimientos actuales. Requerirá una capacidad muy superior de investigación básica y de innovación basada en la ciencia, alimentada por conocimientos radicalmente nuevos, que permita a Europa asumir un papel destacado en los cambios de paradigma científico y tecnológico que serán determinantes para el crecimiento de la productividad, la competitividad, la riqueza, el desarrollo sostenible y el progreso social en las industrias y sectores del futuro. Históricamente, tales cambios de paradigma se han originado frecuentemente en la investigación básica del sector público, antes de pasar a constituir los cimientos para la creación de industrias y nuevos sectores de actividad.La innovación pionera en el mundo está íntimamente asociada con la excelencia científica. En tiempos líder indiscutido, Europa se ha quedado atrás en la carrera por producir la mejor ciencia de vanguardia y ha desempeñado un papel secundario frente a los Estados Unidos en los grandes avances tecnológicos de la posguerra. Aunque la Unión sigue siendo el mayor productor de publicaciones científicas del mundo, los Estados Unidos producen el doble de los trabajos más influyentes (el 1 % con mayor número de citas). Del mismo modo, en las clasificaciones internacionales de universidades, las estadounidenses copan los primeros puestos. Además, el 70 % de los galardonados con premios Nobel radican en los Estados Unidos.Una parte del problema se debe a que, aunque Europa y los Estados Unidos invierten importes similares en sus sectores públicos de investigación, el número de investigadores del sector público de la Unión es casi tres veces mayor, lo que se traduce en una inversión por investigador significativamente menor. Además, la financiación estadounidense es más selectiva en la asignación de recursos a los investigadores más destacados. Esto ayuda a explicar por qué los investigadores del sector público de la Unión son menos productivos en promedio y tienen un menor impacto científico combinado que sus colegas estadounidenses, mucho menos numerosos.Otra parte importante del reto es que en muchos países europeos el sector público y el privado todavía no ofrecen a los mejores investigadores unas condiciones suficientemente atractivas. Pueden pasar muchos años antes de que un joven investigador de talento pueda convertirse en científico independiente por derecho propio. Esto se traduce en un espectacular desperdicio del potencial investigador de Europa, al retrasar y en algunos casos incluso impedir la aparición de una nueva generación de investigadores que aporte ideas nuevas y energía, y empuja a los investigadores excelentes que inician su carrera profesional a intentar progresar en otra parte.Además, estos factores vienen a sumarse al escaso atractivo de Europa en la competencia mundial por el talento científico.

Justificación y valor añadido de la Unión

El CEI se creó para facilitar a los mejores investigadores e investigadoras de Europa los recursos que necesitan para poder competir mejor a escala mundial, a través de la financiación de equipos concretos sobre la base de una competencia paneuropea. El CEI opera de forma autónoma: un Consejo Científico independiente integrado por científicos, ingenieros y expertos de la máxima reputación y experiencia, tanto hombres como mujeres de diferentes edades, establece la estrategia científica global, disfrutando de plena autoridad sobre las decisiones relativas al tipo de investigación que se financia. Son estos rasgos esenciales del CEI, que garantizan la eficacia de su programa científico, la calidad de sus actividades y del proceso de revisión inter pares y su crédito en la comunidad científica.Al operar en toda Europa sobre una base competitiva, el CEI puede aprovechar un conjunto de talentos e ideas más amplio del que sería posible para cualquier régimen nacional. Los mejores investigadores y las mejores ideas compiten entre sí. Los solicitantes saben que tienen que demostrar el máximo rendimiento para obtener como recompensa una financiación flexible en condiciones equitativas, independiente de las trabas locales o de la disponibilidad de fondos nacionales.Se espera, por tanto, que la investigación puntera financiada por el CEI suponga un impacto directo considerable, haciendo avanzar las fronteras del conocimiento, abriendo el camino a resultados científicos y tecnológicos nuevos y a menudo inesperados y nuevos ámbitos de investigación que, en último término, puedan generar ideas radicalmente nuevas que impulsen la innovación y la inventiva empresarial y afronten los retos de la sociedad. Esta combinación de científicos de excelencia e ideas innovadoras sustenta todas las fases de la cadena de la innovación.Aparte de esta circunstancia, el CEI tiene un impacto estructural significativo al generar un potente estímulo para mejorar la calidad del sistema europeo de investigación, más allá de los investigadores y proyectos que financia directamente. Los proyectos e investigadores financiados por el CEI establecen un objetivo claro e inspirador para la investigación puntera en Europa, aumentan su visibilidad y la hacen más atractiva para los mejores investigadores a nivel mundial. Gracias al prestigio que supone acoger a beneficiarios del CEI y al ""marchamo de excelencia"" concomitante, se está intensificando la competencia entre las universidades y otras organizaciones de investigación de Europa para ofrecer las condiciones más atractivas a los mejores investigadores. Y la capacidad de los sistemas nacionales y de las instituciones de investigación a título Individual para atraer y acoger a los beneficiarios del CEI establece una referencia que les permite evaluar sus puntos fuertes y débiles relativos y reformar según proceda sus políticas y prácticas. La financiación del CEI es, por lo tanto, adicional a los esfuerzos en curso a los niveles de la Unión, nacional y regional, para reformar, desarrollar la capacidad y desbloquear todo el potencial y el atractivo del sistema europeo de investigación.

Líneas generales de las actividades

La actividad fundamental del CEI será proporcionar una financiación a largo plazo atractiva para apoyar a los investigadores excelentes y a sus equipos de investigación a fin de que lleven a cabo una investigación novedosa y potencialmente muy rentable, pero de alto riesgo.La financiación del CEI se concederá con arreglo a los principios bien contrastados que se mencionan a continuación. La excelencia científica será el único criterio para la concesión de subvenciones del CEI. El CEI funcionará sobre una base ""ascendente"", sin prioridades predeterminadas. Las subvenciones del CEI estarán abiertas a equipos de investigadores de cualquier edad, sexo o país del mundo que trabajen en Europa. El CEI tendrá por objetivo impulsar una sana competencia en toda Europa basada en procedimientos de evaluación sólidos, transparentes e imparciales, que resuelvan, en particular, posibles sesgos por razón de sexo.El CEI concederá especial prioridad a ayudar, al inicio de su carrera, a que los mejores investigadores con ideas excelentes realicen la transición a la independencia, proporcionándoles un apoyo adecuado en la fase crítica en que están creando o consolidando su propio equipo o programa de investigación. Asimismo, el CEI seguirá prestando un grado apropiado de apoyo a los investigadores experimentados.El CEI también prestará apoyo, según sea necesario, a nuevos métodos de trabajo emergentes en el mundo científico con potencial para crear resultados decisivos y facilitará la exploración del potencial de innovación comercial y social de las actividades de investigación que financia.De aquí a 2020, el CEI tratará de demostrar que: los mejores investigadores participan en los concursos del CEI, la financiación del CEI ha dado lugar a publicaciones científicas de la máxima calidad y a resultados de investigación que pueden tener efectos sociales y económicos importantes, y el CEI ha contribuido considerablemente a hacer de Europa un lugar más atractivo para los mejores científicos del mundo. En particular, el CEI tratará de conseguir una mejora apreciable del porcentaje de la Unión en el 1 % de las publicaciones más citadas. Además, tratará de lograr un aumento sustancial del número de investigadores de excelencia de fuera de Europa a los que financia. El CEI compartirá experiencias y buenas prácticas con agencias regionales y nacionales dedicadas a la financiación de la investigación, procurando así promover el apoyo a los investigadores de excelencia. Además, el CEI dará mayor visibilidad a sus programas fuera de Europa.El Consejo Científico del CEI seguirá de cerca permanente las actividades y procedimientos de evaluación del CEI y estudiará la mejor manera de alcanzar sus objetivos por medio de regímenes de subvención que insistan en la eficacia, claridad, estabilidad y simplicidad, tanto con respecto a los solicitantes como a su aplicación y gestión, y, en caso necesario, responder a las necesidades emergentes. Se esforzará por mantener y perfeccionar el sobresaliente sistema de revisión inter pares del CEI, que se basa en el trato completamente transparente, equitativo e imparcial dispensado a las propuestas, de manera que se puedan detectar la excelencia, las ideas innovadoras y el talento científicos pioneros independientemente del sexo, la nacionalidad, la institución o la edad del investigador. Por último, el CEI seguirá realizando sus propios estudios estratégicos para preparar y apoyar sus actividades, mantendrá estrechos contactos con la comunidad científica, las agencias regionales o nacionales de financiación y otras partes interesadas, y procurará que sus actividades complementen la investigación realizada a otros niveles.El CEI garantizará la transparencia en las comunicaciones sobre sus actividades y resultados a la comunidad científica y al público general, y mantendrá actualizados los datos sobre los proyectos financiados.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-23 20:19:43";"664099" +"H2020-EU.1.1.";"it";"H2020-EU.1.1.";"";"";"ECCELLENZA SCIENTIFICA - Consiglio europeo della ricerca (CER)";"European Research Council (ERC)";"

ECCELLENZA SCIENTIFICA - Consiglio europeo della ricerca (CER)

Obiettivo specifico

L'obiettivo specifico è rafforzare l'eccellenza, il dinamismo e la creatività della ricerca europea.L'Europa intende effettuare la transizione verso un nuovo modello economico basato sulla crescita intelligente, sostenibile e inclusiva. Questo tipo di trasformazione non richiederà solo miglioramenti incrementali delle attuali tecnologie e conoscenze, ma necessiterà anche di una capacità nettamente superiore di ricerca di base e innovazioni scientifiche corroborate da conoscenze radicalmente nuove, che consentano all'Europa di assumere un ruolo di guida nella creazione del nuovo paradigma scientifico e tecnologico che nelle industrie e nei settori futuri rappresenterà il motore chiave della crescita di produttività, della competitività, della prosperità, dello sviluppo sostenibile e del progresso sociale. Storicamente questi cambiamenti di direzione provengono di norma dalla base scientifica del settore pubblico prima di gettare le fondamenta di interi nuovi settori e industrie.L'innovazione di punta è strettamente associata all'eccellenza scientifica. Una volta leader indiscusso, l'Europa è rimasta indietro nella corsa alla produzione della migliore scienza d'avanguardia e ha svolto un ruolo secondario rispetto agli Stati Uniti per quanto riguarda i principali progressi tecnologici del dopoguerra. Anche se l'Unione resta il maggior produttore di pubblicazioni scientifiche a livello mondiale, gli Stati Uniti producono il doppio dei più influenti articoli scientifici (l'1 % superiore per numero di citazioni). Analogamente, la classifica internazionale delle università mostra che le università statunitensi dominano i primi posti. Inoltre, il 70 % dei laureati del premio Nobel sono basati negli Stati Uniti.Un aspetto della sfida è dato dal fatto che, mentre l'Europa e gli Stati Uniti investono importi simili nelle rispettive basi scientifiche del settore pubblico, l'Unione ha il triplo dei ricercatori del settore pubblico, il che equivale a un investimento nettamente minore per ricercatore. Il finanziamento degli Stati Uniti è inoltre maggiormente selettivo per quanto concerne lo stanziamento di risorse per i ricercatori di punta. Questi dati contribuiscono a spiegare perché i ricercatori del settore pubblico dell'Unione siano mediamente meno produttivi e la loro incidenza scientifica sia nel complesso minore rispetto alle controparti, di numero molto inferiore, negli Stati Uniti.Un altro aspetto di rilievo della sfida è costituito dal fatto che in molti paesi europei il settore pubblico e privato non offre ancora condizioni abbastanza interessanti ai migliori ricercatori. È possibile che giovani ricercatori di talento impieghino molti anni prima di diventare veri e propri scienziati indipendenti. Per l'Europa si tratta di uno spreco ingente del potenziale di ricerca poiché ritarda e in taluni casi addirittura ostacola l'emergenza della nuova generazione di ricercatori con il loro bagaglio di idee nuove e la loro energia, e spinge ricercatori di eccellenza all'inizio della carriera a cercare avanzamento altrove.Tutti questi fattori contribuiscono a rendere relativamente poco attraente l'Europa nell'arena mondiale dei talenti scientifici.

Motivazione e valore aggiunto dell'Unione

Il CER è stato istituito per fornire ai migliori ricercatori europei, uomini e donne, le risorse necessarie per consentire loro di competere meglio a livello internazionale, finanziando singole équipe sulla base della concorrenza paneuropea. La sua attività è indipendente: un consiglio scientifico indipendente composto da scienziati, ingegneri e studiosi della massima fama e competenza, uomini e donne di diversi gruppi d'età, stabilisce la strategia scientifica globale e gode di piena autorità sulle decisioni riguardo al tipo di ricerca da finanziare. Sono queste le caratteristiche essenziali del CER, volte a garantire l'efficacia del suo programma scientifico, la qualità delle sue attività e il processo di valutazione inter pares nonché la sua credibilità presso la comunità scientifica.In quanto organismo che opera a livello europeo su base competitiva, il CER è in grado di attingere a un insieme di talenti e idee più ampio di quanto sarebbe possibile per qualsiasi programma nazionale. I migliori ricercatori e le migliori idee si trovano in reciproca concorrenza. I richiedenti sanno di dover fornire prestazioni di massimo livello, poiché la ricompensa consiste in un finanziamento flessibile in condizioni di parità, a prescindere dalle strozzature locali e dalla disponibilità di finanziamenti nazionali.Si prevede pertanto che la ricerca d'avanguardia finanziata dal CER incida direttamente e in modo sostanziale sui progressi alle frontiere della conoscenza, aprendo nuove vie, spesso inattese, verso risultati scientifici e tecnologici e nuovi settori di ricerca che sono infine in grado di generare idee radicalmente nuove capaci di guidare l'innovazione e l'inventiva del settore commerciale e affrontare le sfide per la società. La combinazione di singoli scienziati eccellenti e di idee innovative costituisce la base di tutte le fasi della catena dell'innovazione.Oltre quanto illustrato, il CER esercita un impatto strutturale significativo poiché genera un potente stimolo al miglioramento della qualità del sistema europeo di ricerca, che va oltre i ricercatori e i progetti direttamente finanziati dal CER. I progetti e i ricercatori finanziati dal CER rappresentano un obiettivo chiaro e illuminante per quanto riguarda la ricerca di frontiera in Europa, ne innalzano il profilo e la rendono più attraente per i migliori ricercatori a livello mondiale. Il prestigio di ospitare borsisti del CER e del relativo marchio d'eccellenza sono fattori che intensificano la concorrenza fra le università europee e le altre organizzazioni di ricerca per offrire le migliori condizioni ai ricercatori di punta. La capacità dei sistemi nazionali e dei singoli istituti di ricerca di attrarre e ospitare i vincitori delle borse del CER costituisce un parametro di riferimento che consente loro di valutare le rispettive forze e debolezze e di riformare di conseguenza le loro politiche e prassi. Il finanziamento del CER si aggiunge quindi ai continui sforzi a livello di Unione, nazionale e regionale per la riforma, lo sviluppo di capacità e il dispiegamento di tutto il potenziale e l'interesse del sistema europeo di ricerca.

Le grandi linee delle attività

L'attività fondamentale del CER consiste nel fornire finanziamenti attraenti di lungo termine per sostenere ricercatori d'eccellenza e le loro équipe di ricerca al fine di perseguire una ricerca innovativa, ad alto potenziale di guadagno e di rischio.I finanziamenti del CER sono assegnati secondo i ben consolidati principi illustrati in appresso. L'eccellenza scientifica è l'unico criterio in base al quale sono assegnati i finanziamenti del CER, che agisce su base ascendente senza priorità predeterminate. Le sovvenzioni del CER sono aperte a tutte le équipe di ricercatori, senza distinzione di età, sesso o provenienza, che lavorano in Europa. Il CER mira a stimolare una sana concorrenza in tutta Europa sulla base di procedure di valutazione solide, trasparenti e imparziali che tengono conto, in particolare, di possibili pregiudizi di genere.Il CER attribuisce una priorità particolare all'assistenza dei migliori ricercatori che iniziano l'attività con idee d'eccellenza per agevolare la transizione verso l'indipendenza grazie alla fornitura di un sostegno adeguato nella fase cruciale di avviamento o consolidamento della loro équipe o del loro programma di ricerca. Il CER continuerà inoltre a fornire livelli adeguati di sostegno ai ricercatori confermati.Il CER sostiene inoltre, secondo necessità, le nuove modalità di lavoro nel mondo scientifico dotate del potenziale di generare risultati innovativi e agevola l'esplorazione del potenziale innovativo sul piano commerciale e sociale della ricerca finanziata.Il CER mira dunque a dimostrare entro il 2020 che i migliori ricercatori partecipano ai concorsi del CER, che il finanziamento del CER ha prodotto pubblicazioni scientifiche dalla massima qualità e risultati di ricerca con un elevato potenziale d'impatto in ambito sociale ed economico e che il CER ha contribuito in modo significativo a rendere l'Europa un ambiente più interessante per i migliori scienziati del mondo. In particolare il CER mira a un miglioramento misurabile della quota dell'Unione dell'1 % mondiale delle pubblicazioni più citate. Mira inoltre a un sostanziale incremento del numero di ricercatori d'eccellenza finanziati provenienti da paesi terzi. Il CER condivide esperienze e migliori pratiche con agenzie regionali e nazionali di finanziamento della ricerca al fine di promuovere il sostegno ai ricercatori d'eccellenza. Inoltre il CER rafforza ulteriormente la visibilità dei suoi programmi.Il consiglio scientifico del CER osserva costantemente le attività e le procedure di valutazione del CER e valuta le migliori modalità per conseguire i suoi obiettivi per mezzo di regimi di sovvenzioni volti a rafforzare l'efficacia, la chiarezza, la stabilità e la semplicità, sia per i richiedenti, sia nell'attuazione e nella gestione e, se del caso, al fine di affrontare esigenze nuove. Si tratta di tentare di sostenere e rifinire ulteriormente il sistema di valutazione inter pares di levatura mondiale del CER, che si fonda sul trattamento pienamente trasparente, equo e imparziale delle proposte, al fine di identificare l'eccellenza scientifica innovativa, le idee rivoluzionarie e i talenti, senza distinzione di genere, nazionalità, istituzione o età dei ricercatori. Infine il CER continua a condurre i propri studi strategici per preparare e sostenere le proprie attività, mantenere contatti stretti con la comunità scientifica, le agenzie regionali e nazionali di finanziamento e le altre parti interessate e per far sì che tali attività siano di complemento alla ricerca svolta ad altri livelli.Il CER assicurerà la trasparenza nella comunicazione delle sue attività e dei suoi risultati presso la comunità scientifica e il pubblico in generale e manterrà aggiornati i dati relativi ai progetti finanziati.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-23 20:19:43";"664099" +"H2020-EU.1.3.3.";"fr";"H2020-EU.1.3.3.";"";"";"Encourager l'innovation par la fertilisation croisée des connaissances";"MSCA Knowledge";"

Encourager l'innovation par la fertilisation croisée des connaissances

L'objectif est de renforcer la collaboration internationale transfrontalière et intersectorielle en matière de recherche et d'innovation grâce à des échanges de personnel actif dans ces domaines, afin de pouvoir mieux relever les défis mondiaux.Les principales activités consistent à soutenir les échanges de personnel actif dans la recherche et l'innovation dans le cadre d'un partenariat regroupant universités, institutions de recherche, infrastructures de recherche, entreprises, PME et autres groupements socioéconomiques, au niveau tant européen que mondial. Il s'agira également, dans ce cadre, de promouvoir la coopération avec les pays tiers.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:32";"664115" +"H2020-EU.1.3.3.";"pl";"H2020-EU.1.3.3.";"";"";"Stymulowanie innowacji poprzez proces wzajemnej inspiracji w dziedzinie wiedzy";"MSCA Knowledge";"

Stymulowanie innowacji poprzez proces wzajemnej inspiracji w dziedzinie wiedzy

Celem jest wzmocnienie międzynarodowej współpracy transgranicznej i międzysektorowej w dziedzinie badań naukowych i innowacji poprzez wymianę personelu z dziedziny badań naukowych i innowacji z myślą o skuteczniejszym stawieniu czoła globalnym wyzwaniom.Kluczowe działania polegają na wspieraniu wymian personelu z dziedziny badań naukowych i innowacji w ramach partnerstw uniwersytetów, instytucji badawczych, infrastruktury badawczej, przedsiębiorstw, MŚP i innych podmiotów społeczno-gospodarczych w Europie i na całym świecie. Będzie to obejmować promowanie współpracy z państwami trzecimi.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:32";"664115" +"H2020-EU.1.3.3.";"en";"H2020-EU.1.3.3.";"";"";"Stimulating innovation by means of cross-fertilisation of knowledge";"MSCA Knowledge";"

Stimulating innovation by means of cross-fertilisation of knowledge

The goal is to reinforce international cross-border and cross-sector collaboration in research and innovation by means of exchanges of research and innovation personnel in order to be able to face global challenges better.Key activities shall be to support exchanges of R&I staff among a partnership of universities, research institutions, research infrastructures, businesses, SMEs and other socio-economic groups, both within Europe and worldwide. This will include fostering cooperation with third countries.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:32";"664115" +"H2020-EU.1.3.3.";"de";"H2020-EU.1.3.3.";"";"";"Innovationsanreize durch die gegenseitige Bereicherung mit Wissen";"MSCA Knowledge";"

Innovationsanreize durch die gegenseitige Bereicherung mit Wissen

Ziel ist die Stärkung der internationalen grenz- und sektorübergreifenden Zusammenarbeit in Forschung und Innovation durch den Austausch von Forschungs- und Innovationspotenzial, um die globalen Herausforderungen besser bewältigen zu können.Hierzu kommt es auf den Austausch von FuI-Personal im Rahmen einer Partnerschaft zwischen Hochschulen, Forschungseinrichtungen und -infrastrukturen, Unternehmen, KMU und anderen sozioökonomischen Gruppen innerhalb Europas und darüber hinaus an. Hierunter fällt auch die Förderung der Zusammenarbeit mit Drittländern.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:32";"664115" +"H2020-EU.1.3.3.";"es";"H2020-EU.1.3.3.";"";"";"Estimular la innovación mediante la fertilización cruzada de conocimientos";"MSCA Knowledge";"

Estimular la innovación mediante la fertilización cruzada de conocimientos

El objetivo es reforzar la colaboración internacional intersectorial y transfronteriza en la investigación y la innovación mediante intercambios de personal investigador e innovador para poder afrontar mejor los retos globales.Las actividades fundamentales serán de apoyo a los intercambios de personal investigador e innovador entre una asociación de universidades, centros de investigación, infraestructuras de investigación, empresas, PYME y otros grupos socioeconómicos, dentro de Europa y en todo el mundo. Se incluirá el fomento de la cooperación con terceros países.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:32";"664115" +"H2020-EU.1.3.3.";"it";"H2020-EU.1.3.3.";"";"";"Promuovere l'innovazione attraverso l'arricchimento reciproco delle conoscenze";"MSCA Knowledge";"

Promuovere l'innovazione attraverso l'arricchimento reciproco delle conoscenze

L'obiettivo è rafforzare la collaborazione internazionale transfrontaliera e intersettoriale nella ricerca e nell'innovazione per mezzo di scambi di personale della ricerca e dell'innovazione, al fine di affrontare meglio le sfide globali.Le attività principali sostengono gli scambi di personale nel settore R&I per mezzo di un partenariato fra università, istituti di ricerca, infrastrutture di ricerca, imprese, PMI e altri gruppi socioeconomici in Europa e nel mondo. Ciò comprenderà lo stimolo alla cooperazione con i paesi terzi.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:32";"664115" +"H2020-EU.3.3.";"es";"H2020-EU.3.3.";"";"";"RETOS DE LA SOCIEDAD - Energía segura, limpia y eficiente";"Energy";"

RETOS DE LA SOCIEDAD - Energía segura, limpia y eficiente

Objetivo específico

El objetivo específico es hacer la transición hacia un sistema energético fiable, asequible, que goce de aceptación pública, sostenible y competitivo, con el propósito de reducir la dependencia de los combustibles fósiles en un contexto de creciente escasez de recursos, aumento de las necesidades de energía y cambio climático.La Unión se propone reducir las emisiones de gases de efecto invernadero en un 20 % por debajo de los niveles de 1990 para 2020, con una reducción adicional del 80 - 95 % para 2050. Además, las energías renovables deberían cubrir el 20 % de consumo de energía final en 2020, en combinación con el objetivo de eficiencia energética del 20 %. Para alcanzar estos objetivos se requiere una revisión del sistema energético que combine el desarrollo de alternativas a los combustibles fósiles con la seguridad energética y la asequibilidad, a la vez que se refuerza la competitividad económica de Europa. Actualmente, Europa se encuentra lejos de este objetivo global. El 80 % del sistema energético europeo se basa aún en los combustibles fósiles, y este sector produce el 80 % del total de emisiones de gases de efecto invernadero de la Unión. Con el fin de alcanzar los objetivos a largo plazo de la Unión en materia de cambio climático y energía, es conveniente aumentar la porción del presupuesto destinada a las energías renovables, la eficiencia energética al nivel de los usuarios finales, redes inteligentes y almacenamiento de energía en relación con los porcentajes destinados a ello en el Séptimo Programa Marco, así como aumentar el presupuesto destinado al programa ""Energía Inteligente - Europa"" en el marco del Programa Marco para la Innovación y la Competitividad (2007-2013). La asignación total para dichas actividades procurará alcanzar al menos el 85 % del presupuesto destinado a este reto de la sociedad. Cada año se dedica un 2,5 % del PIB (producto interior bruto) de la Unión a las importaciones de energía, y es probable que esta cifra se incremente. Esta tendencia daría lugar a una dependencia total de las importaciones de petróleo y gas en 2050. Enfrentados a la volatilidad de los precios de la energía en el mercado mundial, inquietos por la seguridad del abastecimiento, la industria y los consumidores europeos gastan en energía una proporción cada vez mayor de sus ingresos. Las ciudades europeas representan entre el 70 % y el 80 % del consumo de energía total de la Unión y aproximadamente la misma proporción de emisiones de gases de efecto invernadero.La hoja de ruta hacia una economía competitiva de baja emisión de carbono en 2050 sugiere que las reducciones concretas de las emisiones de gases de efecto invernadero deberán obtenerse en gran medida dentro del territorio de la Unión. Esto supondría reducir las emisiones de CO2 para 2050 en más de un 90 % en el sector eléctrico, más de un 80 % en la industria, al menos un 60 % en el transporte y un 90 % aproximadamente en el sector residencial y de servicios. La hoja de ruta también pone de manifiesto que, inter alia, el gas natural, combinado con el uso de tecnologías de captura y almacenamiento de carbono, puede contribuir a la transformación del sector energético a corto y medio plazo.Para lograr estas ambiciosas reducciones, deben realizarse inversiones significativas en investigación, desarrollo, demostración y despliegue en el mercado, a precios asequibles, sobre tecnologías y servicios energéticos eficientes, seguros, protegidos, fiables y de baja emisión de carbono, inclusive el almacenamiento de electricidad y el despliegue de sistemas energéticos a pequeña escala y a microescala, Ello deberá ir acompañado de soluciones no tecnológicas del lado tanto de la oferta como de la demanda, por ejemplo poniendo en marcha procesos participativos e integrando a los consumidores. Todo ello debe formar parte de una política integrada y sostenible de baja emisión de carbono, que incluya el dominio de las tecnologías facilitadoras esenciales, en particular soluciones de TIC y fabricación, transformación y materiales avanzados. El objetivo es elaborar y producir unas tecnologías y servicios energéticos eficientes, inclusive la integración de las energías renovables, que puedan ser objeto de amplia difusión en los mercados europeos e internacionales y establecer sistemas inteligentes de gestión de la demanda basados en un mercado de comercio de energía abierto y transparente y unos sistemas inteligentes de gestión de la eficiencia energética.

Justificación y valor añadido de la Unión

Las tecnologías y soluciones nuevas deben competir en costes y fiabilidad con unos sistemas energéticos altamente optimizados, con operadores y tecnologías bien asentados. La investigación y la innovación son vitales para que estas fuentes de energía nuevas, más limpias, con bajas emisiones de carbono y más eficientes resulten comercialmente atractivas en la escala necesaria. Ni la industria por sí sola, ni los Estados miembros individualmente podrán asumir los costes y riesgos, dado que los principales motores (transición a una economía de baja emisión de carbono, suministro de energía seguro y asequible) están fuera del mercado.Acelerar este desarrollo requerirá un planteamiento estratégico a nivel de la Unión, que abarque la oferta y demanda de energía y su uso en edificios, servicios, uso doméstico, transportes y cadenas de valor industrial. Ello implicará el alineamiento de recursos a través de la Unión, incluidos los fondos de la política de cohesión, en particular a través de las estrategias nacionales y regionales para una especialización inteligente, los regímenes de comercio de derechos de emisión, la contratación pública y otros mecanismos de financiación. También requerirá políticas reguladoras y de despliegue en favor de las energías renovables y la eficiencia energética, asistencia técnica particularizada y desarrollo de capacidades, a fin de eliminar los obstáculos no tecnológicos.El Plan Estratégico Europeo de Tecnología Energética (Plan EETE) ofrece tal planteamiento estratégico y proporciona una agenda a largo plazo para abordar los principales escollos con que topa la innovación en las tecnologías energéticas en las fases de investigación puntera e I+D/prueba del concepto y en la fase de demostración, cuando las empresas buscan capital para financiar grandes proyectos pioneros e iniciar el proceso de despliegue en el mercado. No se dejarán de lado otras tecnologías emergentes con potencial de alterar la situación actual.Los recursos necesarios para aplicar el Plan EETE en su totalidad se han cifrado en 8 000 millones de euros anuales durante los próximos 10 años. Este importe excede con mucho de la capacidad individual de los Estados miembros o de las partes interesadas de la investigación y la industria. Hacen falta inversiones en investigación e innovación a nivel de la Unión, combinadas con la movilización de los esfuerzos en toda Europa en forma de ejecución conjunta y puesta en común de la capacidad y el riesgo. La financiación por la Unión de la investigación e innovación sobre energía, por lo tanto, complementará las actividades de los Estados miembros, centrándose en las tecnologías punta y las actividades que tengan un claro valor añadido europeo, y en particular en las que presenten un elevado potencial para la movilización de recursos nacionales y la creación de empleo en Europa. La acción a nivel de la Unión apoyará también a los programas a largo plazo, de alto riesgo y de elevado coste, fuera del alcance de los Estados miembros por separado, agrupará los esfuerzos por reducir los riesgos de las inversiones en actividades a gran escala, como la demostración industrial, y desarrollará soluciones energéticas interoperables a escala europea.La ejecución del Plan EETE como pilar para la investigación y la innovación de la política energética europea reforzará la seguridad del abastecimiento de la Unión y la transición a una economía de baja emisión de carbono, ayudará a vincular los programas de investigación e innovación con inversiones transeuropeas y regionales en infraestructura energética y aumentará la disposición de los inversores a liberar capital para proyectos con largos plazos de ejecución y riesgos significativos asociados al mercado y a la tecnología. Creará oportunidades de innovación para empresas pequeñas y grandes y les ayudará a ser o seguir siendo competitivas a escala mundial, terreno en el que las oportunidades para las tecnologías energéticas son grandes y van en aumento.En la escena internacional, las medidas adoptadas a nivel de la Unión ofrecen una ""masa crítica"" para atraer el interés de otros líderes tecnológicos y fomentar asociaciones internacionales para alcanzar los objetivos de la Unión. Facilitarán a los socios internacionales la interacción con la Unión para montar una acción común cuando sea de interés y beneficio mutuo.Las actividades de este reto constituirán, por tanto, la espina dorsal tecnológica de la política climática y energética europea. También contribuirán al logro de la ""Unión por la innovación"" en el ámbito de la energía y de los objetivos políticos esbozados en ""Una Europa que utilice eficazmente los recursos"", ""Una política industrial para la era de la mundialización"" y ""Una Agenda Digital para Europa"".Las actividades de investigación e innovación sobre la energía nuclear de fusión y de fisión se llevan a cabo en el programa Euratom establecido en el Reglamento (Euratom) N° 1314/2013. Cuando proceda, deben preverse posibles sinergias entre el reto ""energía segura, limpia y eficiente"" y el programa Euratom.

Líneas generales de las actividades

(a) Reducir el consumo de energía y la huella de carbono mediante un uso inteligente y sostenible use

Las actividades se centrarán en la investigación y ensayo a escala real de nuevos conceptos, soluciones no tecnológicas, componentes tecnológicos más eficientes, socialmente aceptables y asequibles y sistemas con inteligencia incorporada, a fin de poder gestionar la energía en tiempo real en ciudades y territorios y lograr edificios con emisiones cercanas a cero o que generen más energía de la que consumen, edificios, ciudades y barrios modernizados, calefacción y refrigeración renovables, industrias altamente eficientes y adopción masiva por parte de empresas, particulares, comunidades y ciudades de soluciones y servicios de eficiencia energética y de ahorro de energía.

(b) Suministro de electricidad a bajo coste y de baja emisión de carbono

Las actividades se centrarán en la investigación, desarrollo y demostración a escala real de energías renovables innovadoras, centrales eléctricas de combustibles fósiles eficiente, flexibles y con baja utilización de carbono y las tecnologías de captura y almacenamiento de carbono, o de reutilización del CO2, que ofrezcan tecnologías de mayor escala, inferior coste y respetuosas del medio ambiente, con mayor eficiencia de conversión y mayor disponibilidad para mercados y entornos operativos diferentes.

(c) Combustibles alternativos y fuentes de energía móviles

Las actividades se centrarán en la investigación, desarrollo y demostración a escala real de tecnologías y cadenas de valor para hacer más competitivas y sostenibles la bioenergía y otros combustibles alternativos, la cogeneración, el transporte de superficie, marítimo y aéreo con potencial para una conversión energética más eficaz, para reducir el tiempo de llegada al mercado de las pilas de combustible e hidrógeno y aportar nuevas opciones que presenten potencial a largo plazo para alcanzar la madurez.

(d) Una red eléctrica europea única e inteligente

Las actividades se centrarán en la investigación, desarrollo y demostración a escala real de nuevas tecnologías de red energética inteligente, de tecnologías de apoyo y de compensación que permiten una mayor flexibilidad y eficiencia, incluidas las centrales eléctricas tradicionales el almacenamiento flexible de energía, los sistemas y los diseños de mercado para planificar, supervisar, controlar y explotar con seguridad las redes interoperables incluidos aspectos de normalización, en un mercado abierto, descarbonizado, medioambientalmente sostenible y resistente al cambio climático y competitivo, en condiciones normales y de emergencia.

(e) Nuevos conocimientos y tecnologías

Las actividades se centrarán en la investigación multidisciplinaria de tecnologías energéticas limpias, seguras y sostenibles (incluidas acciones visionarias) y la ejecución conjunta de programas de investigación paneuropeos e instalaciones de categoría mundial.

(f) Solidez en la toma de decisiones y compromiso público

Las actividades se centrarán en el desarrollo de herramientas, métodos, modelos y supuestos de evolución futura para un apoyo a las políticas sólido y transparente, incluidas actividades relativas al compromiso del público, la participación del usuario, el impacto medioambiental y la evaluación de la sostenibilidad, mejorando la comprensión de las tendencias y perspectivas socioeconómicas relacionadas con la energía.

(g) Absorción por el mercado de la innovación energética - explotación del Programa Energía Inteligente - Europa Europe

Las actividades se basarán y potenciarán las ya emprendidas en el marco del programa Iniciativa Energía inteligente - Europa (EIE). Las actividades se centrarán en la innovación aplicada y la promoción de normas destinadas a facilitar la absorción por el mercado de las tecnologías y servicios energéticos, a combatir los obstáculos no tecnológicos y a acelerar la aplicación eficaz en relación con los costes de las políticas energéticas de la Unión. Se prestará atención igualmente a la innovación para el empleo inteligente y sostenible de las tecnologías existentes.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:45:54";"664321" +"H2020-EU.3.3.";"fr";"H2020-EU.3.3.";"";"";"DÉFIS DE SOCIÉTÉ - Énergies sûres, propres et efficaces";"Energy";"

DÉFIS DE SOCIÉTÉ - Énergies sûres, propres et efficaces

Objectif spécifique

L'objectif spécifique est, compte tenu de la raréfaction des ressources, de l'augmentation des besoins en énergie et du changement climatique, d'assurer le passage à un système énergétique fiable, financièrement abordable, accepté de tous, durable et compétitif, qui vise à réduire la dépendance à l'égard des combustibles fossiles.L'Union a pour objectif de réduire ses émissions de gaz à effet de serre de 20 % par rapport à leur niveau de 1990 d'ici 2020, et de 80 à 95 % par rapport à ce même niveau d'ici 2050. Les énergies renouvelables devraient par ailleurs couvrir 20 % de la consommation d'énergie finale en 2020, un objectif de 20 % ayant été fixé en matière d'efficacité énergétique. La réalisation de ces objectifs nécessitera de revoir en profondeur le système énergétique de manière à combiner faibles émissions de carbone et développement de solutions de remplacement aux combustibles fossiles, sécurité énergétique et prix abordables, tout en renforçant la compétitivité économique de l'Europe. L'Europe est encore loin de cet objectif global: le système énergétique européen repose encore à 80 % sur les combustibles fossiles, et le secteur produit 80 % de l'ensemble des émissions de gaz à effet de serre de l'Union. En vue d'atteindre les objectifs à long terme de l'Union dans le domaine du climat et de l'énergie, il convient d'augmenter, par rapport au septième programme-cadre, la part du budget consacrée aux énergies renouvelables, à l'efficacité énergétique au niveau de l'utilisation finale, aux réseaux intelligent et aux activités de stockage de l'énergie et d'augmenter le budget alloué à la commercialisation des activités d'innovation énergétique menées dans le cadre du programme «Énergie intelligente - Europe» au titre du programme-cadre pour l'innovation et la compétitivité (2007-2013). Il y a lieu que l'enveloppe totale allouée à ces activités atteigne au moins 85 % du budget prévu pour ce défi de société. Les importations d'énergie représentent chaque année 2,5 % du PIB de l'Union, et cette proportion devrait encore augmenter. Une telle tendance entraînerait une dépendance totale aux importations de pétrole et de gaz d'ici 2050. Dans un contexte de volatilité des prix de l'énergie sur les marchés mondiaux et de préoccupations relatives à la sécurité de l'approvisionnement, les entreprises et les consommateurs européens consacrent une part croissante de leurs revenus à l'énergie. Les villes européennes sont responsables de 70 à 80 % de la consommation totale d'énergie et des émissions de gaz à effet de serre dans l'Union.La feuille de route vers une économie compétitive à faible intensité de carbone à l'horizon 2050 suggère que les objectifs de réductions des émissions de gaz à effet de serre devront être en grande partie réalisés sur le territoire de l'Union. Il conviendrait pour ce faire de réduire les émissions de CO2 de plus de 90 % d'ici 2050 dans le secteur de l'électricité, de plus de 80 % dans l'industrie, d'au moins 60 % dans les transports et d'environ 90 % dans le secteur résidentiel et les services. La feuille de route montre également que le gaz naturel, notamment, peut contribuer, à court et à moyen terme, à la transformation du système énergétique, en combinaison avec le recours aux techniques de captage et de stockage du carbone.Pour parvenir à des réductions aussi ambitieuses, il convient d'investir massivement dans la recherche, le développement, la démonstration et le déploiement commercial, à des prix abordables, de technologies et de services énergétiques à faibles émissions de carbone qui soient efficaces, sûrs, sécurisés et fiables, y compris pour le stockage de gaz et d'électricité et le déploiement de petits ou de micro-systèmes énergétiques. Ces investissements doivent aller de pair avec des solutions non technologiques portant à la fois sur l'offre et sur la demande, notamment en lançant des processus participatifs et en intégrant les consommateurs. Toutes ces mesures doivent s'inscrire dans une politique intégrée et durable en faveur d'une réduction des émissions de carbone, qui inclut entres autres la maîtrise des technologies clés génériques, et notamment des solutions fondées sur les TIC ainsi que des matériaux et des systèmes de fabrication et de transformation avancés. L'objectif est de développer et de produire des technologies et des services énergétiques efficaces, y compris l'intégration des énergies renouvelables, qui puissent être adoptés à grande échelle sur les marchés européens et internationaux, ainsi que d'instaurer une gestion intelligente de la demande, fondée sur un marché de l'énergie ouvert et transparent et sur des systèmes intelligents et sûrs de gestion de l'efficacité énergétique.

Justification et valeur ajoutée de l'Union

Les technologies et solutions nouvelles doivent affronter la concurrence, du point de vue des coûts et de la fiabilité, de systèmes énergétiques dont les acteurs en place et les technologies sont solidement implantés. La recherche et l'innovation sont essentielles pour rendre ces sources d'énergie nouvelles, plus propres, plus efficaces et à faibles émissions de carbone commercialement attractives à l'échelle requise. Ni l'industrie seule, ni les États membres individuellement, ne sont en mesure de supporter les coûts et les risques de telles innovations, dont les principaux moteurs (transition vers une économie à faible intensité de carbone, fourniture d'une énergie sûre à un prix abordable) se situent en dehors du marché.L'accélération du processus nécessitera une approche stratégique au niveau de l'Union, couvrant la fourniture, la demande et l'utilisation de l'énergie dans les bâtiments et les services, pour l'usage privé ainsi que dans les transports et les chaînes de valeur industrielles. Il conviendra d'harmoniser les ressources qui y sont consacrées au sein de l'Union, dont les fonds de la politique de cohésion, notamment au moyen des stratégies nationales et régionales en faveur de la spécialisation intelligente, des systèmes d'échange de quotas d'émissions, des achats publics et autres mécanismes de financement. Il s'agira également de légiférer et d'adopter des stratégies de déploiement pour soutenir les énergies renouvelables et l'efficacité énergétique, de fournir une assistance technique adaptée et de renforcer les capacités afin de lever les barrières non technologiques.Le plan stratégique pour les technologies énergétiques (plan SET) offre une telle approche stratégique. Il établit un programme à long terme destiné à lever les principaux obstacles à l'innovation que rencontrent les technologies énergétiques aux stades de la recherche exploratoire et de la recherche et développement/de la validation de concepts, ainsi qu'au stade de la démonstration, lorsque les entreprises cherchent des capitaux pour financer des projets inédits et de grande ampleur et pour entamer la phase de déploiement commercial. Les technologies émergentes offrant des possibilités radicalement nouvelles ne seront pas négligées.Les ressources nécessaires à la mise en œuvre intégrale du plan SET ont été évaluées à 8 milliards d'euros par an au cours des dix prochaines années, ce qui est largement supérieur à la capacité individuelle des États membres ou à celle des seuls acteurs de la recherche et de l'industrie. Il convient d'investir dans la recherche et l'innovation au niveau de l'Union et de mobiliser les bonnes volontés à l'échelle de l'Europe, au moyen d'une mise en œuvre conjointe et d'un partage des risques et des capacités. Le financement par l'Union de la recherche et de l'innovation en matière d'énergie complète donc les activités des États membres en se concentrant sur les technologies de pointe et les activités qui présentent une réelle valeur ajoutée européenne, et notamment celles qui sont fortement susceptibles de mobiliser des ressources nationales et de créer des emplois en Europe. Les actions au niveau de l'Union soutiennent également les programmes à haut risque, à coût élevé et à long terme qui ne sont pas à la portée d'un État membre seul; elles rassemblent les initiatives visant à réduire les risques liés à l'investissement dans le cadre d'entreprises d'envergure, telles que des activités de démonstration industrielle, et elles développent des solutions énergétiques interopérables de dimension européenne.La mise en œuvre du plan SET en tant que pilier de la politique énergétique européenne consacré à la recherche et à l'innovation renforcera la sécurité d'approvisionnement de l'Union et soutiendra la transition vers une économie à faible intensité de carbone; elle contribuera à établir des liens entre les programmes de recherche et d'innovation et les investissements transeuropéens et régionaux dans les infrastructures énergétiques, et elle encouragera les investisseurs à financer des projets à long terme présentant des risques significatifs sur le plan de la technologie et du marché. Elle donnera aux petites et aux grandes entreprises des possibilités d'innover et les aidera à devenir ou à rester compétitives au niveau mondial, où les perspectives sont vastes et de plus en plus nombreuses pour les technologies énergétiques.Sur la scène internationale, les actions entreprises au niveau de l'Union fournissent une «masse critique» qui permet de susciter l'intérêt d'autres acteurs de premier plan du secteur des technologies et d'encourager les partenariats internationaux en vue de réaliser les objectifs de l'Union. Elles donneront aux partenaires internationaux la possibilité d'interagir plus facilement avec l'Union afin d'organiser des actions communes lorsque chacune des parties y trouve un intérêt et en retire un avantage.Les activités relevant de ce défi de société formeront donc l'ossature technologique de la politique énergétique et climatique européenne. Elles contribueront par ailleurs à réaliser l'initiative phare «L'Union de l'innovation» dans le domaine de l'énergie, ainsi que les objectifs stratégiques définis dans les initiatives phares «Une Europe efficace dans l'utilisation des ressources», «Une politique industrielle intégrée à l'ère de la mondialisation» et «Une stratégie numérique pour l'Europe».Les activités de recherche et d'innovation relatives à l'énergie issue de la fission et de la fusion nucléaires sont menées au titre du programme Euratom établi par le règlement (Euratom) no 1314/2013. Le cas échéant, il faudrait réfléchir aux synergies possibles entre ce défi de société et le programme Euratom.

Grandes lignes des activités

(a) Réduire la consommation d'énergie et l'empreinte carbone en utilisant l'énergie de manière intelligente et durable

Les activités se concentrent sur la recherche et les essais en grandeur réelle de nouveaux concepts, de solutions non technologiques, ainsi que de composants technologiques et de systèmes avec technologies intelligentes intégrées qui soient plus efficaces, socialement acceptables et financièrement abordables, afin de permettre une gestion énergétique en temps réel pour des bâtiments, des immeubles reconditionnés, des villes et des quartiers nouveaux ou existants à émissions quasi nulles, à consommation d'énergie quasi nulle et à énergie positive, des systèmes de chauffage et de refroidissement utilisant les énergies renouvelables, des industries très performantes et une adoption massive, par les entreprises, les particuliers, les collectivités et les villes, de solutions et de services assurant l'efficacité énergétique et permettant des économies d'énergie.

(b) Un approvisionnement en électricité à faible coût et à faibles émissions de carbone

Les activités se concentrent sur la recherche, le développement et la démonstration en grandeur réelle d'énergies renouvelables innovantes, de centrales à combustible fossile efficaces, souples et à faible émission de carbone et de technologies de captage et de stockage du carbone ou de recyclage du CO2 offrant des technologies à plus grande échelle, à moindre coût et respectueuses de l'environnement, qui présentent des rendements de conversion plus élevés et une plus grande disponibilité pour différents marchés et environnements d'exploitation.

(c) Des combustibles de substitution et sources d'énergie mobiles

Les activités se concentrent sur la recherche, le développement et la démonstration en grandeur réelle de technologies et de chaînes de valeur visant à renforcer la compétitivité et la durabilité des bioénergies et des autres combustibles de substitution pour l'électricité et le chauffage, ainsi que les transports terrestres, maritimes et aériens offrant des possibilités de conversion énergétique plus efficace, à réduire les délais de mise sur le marché des piles à hydrogène et à combustible et à proposer de nouvelles possibilités présentant des perspectives de maturité à long terme.

(d) Un réseau électrique européen unique et intelligent

Les activités se concentrent sur la recherche, le développement et la démonstration en grandeur réelle de nouvelles technologies de réseau énergétique intelligent, de technologies d'appoint et de compensation permettant une plus grande souplesse et une plus grande efficacité, notamment des centrales électriques classiques, de systèmes souples de stockage de l'énergie et des modèles de marché devant permettre de planifier, surveiller, contrôler et exploiter en toute sécurité des réseaux interopérables, y compris en ce qui concerne les questions de normalisation, sur un marché ouvert, compétitif, décarboné, respectueux de l'environnement et capable de s'adapter au changement climatique, aussi bien dans des conditions normales qu'en situation d'urgence.

(e) Des connaissances et technologies nouvelles

Les activités se concentrent sur la recherche pluridisciplinaire relative à des technologies énergétiques propres, sûres et durables (dont les actions visionnaires) et sur la mise en œuvre conjointe de programmes de recherche paneuropéens et l'exploitation commune d'installations de niveau mondial.

(f) La solidité du processus décisionnel et l'implication du public

Les activités mettent l'accent sur le développement d'outils, de méthodes, de modèles et de scénarios prospectifs permettant d'apporter aux politiques un soutien ferme et transparent, y compris des activités relatives à la mobilisation du public, aux effets sur l'environnement, à la participation des utilisateurs et à l'évaluation de la durabilité, permettant une meilleure compréhension des tendances et des perspectives socio-économiques dans le domaine énergétique.

(g) La commercialisation des innovations dans le domaine de l'énergie en s'appuyant sur le programme «Énergie intelligente - Europe»

Les activités s'appuient sur celles menées dans le cadre du programme «Énergie intelligente - Europe» et les renforcent. Elles se concentrent sur l'innovation appliquée et la promotion des normes, afin de faciliter la commercialisation des technologies et services énergétiques, de lever les obstacles non technologiques et d'assurer une mise en œuvre plus rapide et au meilleur coût des politiques énergétiques de l'Union. Il sera également tenu compte de l'innovation pour une utilisation intelligente et durable des technologies existantes.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:45:54";"664321" +"H2020-EU.3.3.";"pl";"H2020-EU.3.3.";"";"";"WYZWANIA SPOŁECZNE - Bezpieczna, czysta i efektywna energia";"Energy";"

WYZWANIA SPOŁECZNE - Bezpieczna, czysta i efektywna energia

Cel szczegółowy

Celem szczegółowym jest zapewnienie przejścia do niezawodnego, przystępnego cenowo, społecznie akceptowanego, zrównoważonego i konkurencyjnego systemu energetycznego, z zamiarem zmniejszenia zależności od paliw kopalnych w obliczu malejącej ilości zasobów, rosnącego zapotrzebowania na energię i zmiany klimatu.Do 2020 r. Unia planuje ograniczyć emisje gazów cieplarnianych o 20% w stosunku do poziomu z 1990 r., a do 2050 r. o kolejne 80–95%. Ponadto w 2020 r. 20% końcowego zużycia energii powinno pochodzić z zasobów odnawialnych, a jednocześnie ma zostać zrealizowany cel efektywności energetycznej wynoszący 20%. Osiągnięcie tych celów będzie wymagać przebudowy systemu energetycznego, prowadzącej do połączenia niskoemisyjnego profilu, opracowania rozwiązań alternatywnych wobec paliw kopalnych, bezpieczeństwa energetycznego i umiarkowanych cen, a zarazem wzmocnienia konkurencyjności gospodarczej Europy. Obecnie Europa jest daleka od osiągnięcia tego ogólnego celu. Europejski system energetyczny nadal polega w 80% na paliwach kopalnych, a sektor energetyczny jest źródłem 80% wszystkich emisji gazów cieplarnianych w UE. Dążąc do osiągnięcia długoterminowych celów Unii w zakresie klimatu i energii, należy zwiększyć przewidzianą w siódmym programie ramowym pulę środków w budżecie przeznaczoną na odnawialne źródła energii, efektywność końcowego wykorzystania energii, inteligentne sieci przesyłowe i magazynowanie energii i zwiększyć budżet na wprowadzanie innowacji energetycznych na rynek w ramach programu „Inteligentna energia dla Europy” realizowanego w obrębie Programu ramowego na rzecz konkurencyjności i innowacji (2007-2013). Cały przydział środków na te działania ma wynieść co najmniej 85% budżetu przewidzianego na to wyzwanie społeczne. Co roku 2,5% PKB Unii przeznacza się na import energii i przewiduje się, że wielkość ta wzrośnie. Do 2050 r. ta tendencja doprowadziłaby do całkowitego uzależnienia od importu ropy naftowej i gazu. Wobec zmienności cen energii na światowych rynkach oraz obaw dotyczących bezpieczeństwa dostaw europejski przemysł i konsumenci wydają coraz większą część swoich dochodów na energię. Udział europejskich miast w całkowitym zużyciu energii w Unii wynosi 70–80%, podobny jest też ich udział w emisjach gazów cieplarnianych.Plan działania prowadzący do przejścia na konkurencyjną gospodarkę niskoemisyjną do 2050 r. sugeruje, że na terytorium Unii konieczne będzie dokonanie dużych ukierunkowanych redukcji emisji gazów cieplarnianych. Oznacza to ograniczenie emisji CO2 do 2050 r. o ponad 90% w sektorze energetycznym, ponad 80% w przemyśle, co najmniej 60% w transporcie i ok. 90% w sektorze budynków mieszkalnych i w usługach. Plan działania wskazuje również, że do przekształcenia systemu energetycznego może przyczynić się – krótko- i średnioterminowo – m.in. gaz ziemny, w połączeniu z zastosowaniem technologii wychwytywania i składowania dwutlenku węgla.Te ambitne redukcje wymagają znacznych inwestycji w badania, rozwój, demonstracje oraz wprowadzenia na rynek po przystępnych cenach oszczędnych, bezpiecznych, niezawodnych i niskoemisyjnych technologii energetycznych i usług, w tym również technologii magazynowania gazu ziemnego i energii elektrycznej oraz systemów energetycznych na małą skalę i w skali mikro. Muszą się one łączyć z nietechnologicznymi rozwiązaniami zarówno od strony podaży, jak i od strony popytu, polegającymi m.in. na zainicjowaniu procesów uczestnictwa i integracji odbiorców. Wszystko to musi stanowić część zintegrowanej zrównoważonej polityki niskoemisyjnej, obejmującej opanowanie kluczowych technologii prorozwojowych, w szczególności rozwiązań ICT, a także zaawansowane procesy produkcji i przetwarzania oraz materiały. Celem jest wypracowanie i stworzenie efektywnych energetycznie technologii i usług, w tym integracja energii ze źródeł odnawialnych, które mogą znaleźć szerokie zastosowanie na rynkach europejskich i międzynarodowych, a także wprowadzenie inteligentnego zarządzania popytem poprzez otwarty i przejrzysty rynek handlu energią oraz bezpieczne inteligentne systemy zarządzania efektywnością energetyczną.

Uzasadnienie i unijna wartość dodana

Nowe technologie i rozwiązania muszą konkurować kosztami i niezawodnością z systemami energetycznymi operatorów zasiedziałych i z technologiami o ugruntowanej pozycji. Badania naukowe i innowacje mają zasadnicze znaczenie dla zapewnienia komercyjnej atrakcyjności tych nowych, bardziej ekologicznych, niskoemisyjnych i efektywniejszych źródeł energii w potrzebnej skali. Ani sam przemysł, ani działające indywidualnie państwa członkowskie nie są w stanie ponieść kosztów i ryzyka, którego główne czynniki (przejście do gospodarki niskoemisyjnej, zapewnienie przystępnej cenowo i bezpiecznej energii) znajdują się poza rynkiem.Przyspieszenie tego rozwoju wymaga strategicznego podejścia na poziomie Unii, obejmującego dostawy energii, zapotrzebowanie na nią i jej wykorzystywanie w budynkach, w świadczeniu usług, w gospodarstwach domowych, transporcie i produkcyjnych łańcuchach wartości. Będzie się to wiązać z dostosowaniem zasobów w całej Unii, włącznie z funduszami polityki spójności, w szczególności poprzez krajowe i regionalne strategie inteligentnej specjalizacji, systemy handlu uprawnieniami do emisji, zamówienia publiczne i inne mechanizmy finansowania. Wymagać to będzie również polityki w zakresie regulacji i wdrożenia, dotyczącej odnawialnych źródeł energii i efektywności energetycznej, dostosowanej do okoliczności pomocy technicznej oraz budowania zdolności w celu usunięcia barier nietechnologicznych.Takie strategiczne podejście oferuje europejski strategiczny plan w dziedzinie technologii energetycznych (plan EPSTE). Obejmuje on długoterminową agendę dotyczącą kluczowych utrudnień w zakresie innowacji, z którymi borykają się technologie energetyczne na etapie badań pionierskich oraz na etapie badawczo-rozwojowym/weryfikacji poprawności projektu, a także na etapie demonstracji, kiedy przedsiębiorstwa poszukują środków na sfinansowanie dużych, pierwszych w swoim rodzaju projektów i na rozpoczęcie procesu wprowadzania na rynek. Nowo pojawiające się technologie o sporym potencjale nie zostaną zaniedbane.Wielkość zasobów potrzebnych do pełnego wdrożenia planu EPSTE szacuje się na 8 mld EUR rocznie przez kolejnych 10 lat (12). Wykracza to znacznie poza zdolności poszczególnych państw członkowskich lub zainteresowanych podmiotów badawczych i przemysłowych. Potrzebne są inwestycje w badania naukowe i innowacje na poziomie Unii, połączone z mobilizacją wysiłków w całej Europie polegających na wdrażaniu oraz podziale ryzyka i zdolności. Finansowanie przez Unię badań naukowych i innowacji w zakresie energetyki ma zatem uzupełniać działania państw członkowskich, skupiając się na pionierskich technologiach i działaniach oferujących wyraźną unijną wartość dodaną, a w szczególności cechujących się dużym potencjałem wykorzystania zasobów krajowych i tworzenia miejsc pracy w Europie. Działania na poziomie UE mają również służyć wsparciu długoterminowych programów odznaczających się wysokim ryzykiem i dużymi kosztami, które są poza zasięgiem pojedynczych państw członkowskich, łączeniu wysiłków w celu ograniczenia ryzyka inwestycji w prowadzone na dużą skalę projekty, takie jak demonstracja przemysłowa, oraz rozwijaniu ogólnoeuropejskich, interoperacyjnych rozwiązań w dziedzinie energetyki.Wdrożenie planu EPSTE jako badawczo-innowacyjnego filaru polityki energetycznej UE wzmocni bezpieczeństwo dostaw w Unii, ułatwi przejście do gospodarki niskoemisyjnej oraz powiązanie programów w zakresie badań i innowacji z transeuropejskimi i regionalnymi inwestycjami w infrastrukturę energetyczną, a także zwiększy gotowość inwestorów do udostępniania kapitału na projekty o długim czasie realizacji i dużym ryzyku technologicznym i rynkowym. Plan ten stworzy możliwości innowacji dla małych i dużych przedsiębiorstw oraz pomoże im w zachowaniu konkurencyjności na arenie światowej, na której możliwości w zakresie technologii energetycznych są duże i ciągle rosną.W skali międzynarodowej działanie na poziomie Unii zapewnia masę krytyczną przyciągającą zainteresowanie innych liderów w dziedzinie technologii oraz sprzyja międzynarodowym partnerstwom, wspierającym osiągnięcie celów UE. Ułatwi ono partnerom międzynarodowym interakcje z Unią w celu przygotowania wspólnych działań związanych z obopólnymi korzyściami i wspólnymi interesami.Działania prowadzone w związku z tym wyzwaniem społecznym będą zatem stanowić technologiczny kręgosłup europejskiej polityki energetycznej i polityki przeciwdziałania zmianie klimatu. Przyczynią się również do wdrożenia inicjatywy przewodniej „Unia innowacji” w dziedzinie energetyki oraz celów strategicznych określonych w inicjatywach przewodnich „Europa efektywnie korzystająca z zasobów”, „Polityka przemysłowa w erze globalizacji” oraz „Europejska agenda cyfrowa”.Działania w zakresie badań naukowych i innowacji dotyczące rozszczepienia jądrowego i energii termojądrowej prowadzone są w ramach programu Euratom ustanowionego rozporządzeniem (Euratom) nr 1314/2013 W stosownych przypadkach należy przewidzieć możliwość synergii między tym wyzwaniem społecznym a programem Euratom.

Ogólne kierunki działań

(a) Ograniczenie zużycia energii i śladu węglowego poprzez inteligentne i zrównoważone użytkowanie

Działania mają skupiać się na badaniach naukowych i prowadzonych w pełnej skali testach nowych koncepcji, rozwiązaniach nietechnologicznych, na bardziej efektywnych, akceptowanych społecznie i przystępnych cenowo komponentach technologicznych oraz systemach z wbudowaną inteligencją, co ma umożliwić zarządzanie energią w czasie rzeczywistym w nowych i istniejących budynkach niskoemisyjnych, o niemal zerowym zużyciu energii i produkujących więcej energii niż wynosi jej zużycie, w przebudowywanych budynkach, miastach i dzielnicach, na ogrzewaniu i chłodzeniu z wykorzystaniem energii odnawialnej, wysoce oszczędnym przemyśle oraz masowym wprowadzeniu efektywnych energetycznie i energooszczędnych rozwiązań i usług przez przedsiębiorstwa, osoby fizyczne, społeczności i miasta.

(b) Zaopatrzenie w tanią, niskoemisyjną energię elektryczną

Działania mają skupiać się na badaniach, rozwoju i pełnoskalowej demonstracji innowacyjnych odnawialnych źródeł energii, efektywnych, elastycznych i niskoemisyjnych elektrowni na paliwa kopalne oraz technologiach wychwytywania i składowania dwutlenku węgla lub ponownego wykorzystania CO2, przy większej skali i niższym koszcie, bezpiecznych dla środowiska oraz cechujących się większą efektywnością konwersji i dostępnością w różnych środowiskach rynkowych i operacyjnych.

(c) Paliwa alternatywne i mobilne źródła energii

Działania mają skupiać się na badaniach, rozwoju i pełnoskalowej demonstracji technologii oraz łańcuchów wartości, tak by bioenergia i inne paliwa alternatywne stały się bardziej konkurencyjne i zrównoważone do celów produkcji energii elektrycznej i cieplnej oraz transportu lądowego, morskiego i lotniczego, z możliwością efektywniejszej konwersji energii, co pozwoli skrócić czas wprowadzenia na rynek ogniw wodorowych i paliwowych oraz znaleźć nowe możliwości charakteryzujące się długim czasem realizacji potencjału.

(d) Jednolita inteligentna europejska sieć elektroenergetyczna

Działania mają skupiać się na badaniach, rozwoju i pełnoskalowej demonstracji nowych technologii inteligentnych sieci energetycznych, technologii zabezpieczania i równoważenia umożliwiających większą elastyczność i efektywność, takich jak m.in. konwencjonalne elektrownie, elastyczne magazynowanie energii, systemy i mechanizmy rynkowe służące planowaniu, monitorowaniu, kontrolowaniu i bezpiecznej eksploatacji interoperacyjnych sieci – wraz z kwestiami dotyczącymi normalizacji – w otwartym, niskoemisyjnym, zrównoważonym z punktu widzenia środowiska, odpornym na zmianę klimatu i konkurencyjnym rynku, w normalnych i nadzwyczajnych warunkach.

(e) Nowa wiedza i technologie

Działania mają skupiać się na multidyscyplinarnych badaniach naukowych w zakresie czystych, bezpiecznych i zrównoważonych technologii energetycznych (w tym na działaniach wizjonerskich) i wspólnej realizacji ogólnoeuropejskich programów badawczych oraz tworzeniu światowej klasy obiektów.

(f) Solidne procesy decyzyjne i udział społeczeństwa

Działania mają skupiać się na wypracowaniu narzędzi, metod, modeli oraz długofalowych i przyszłościowych scenariuszy przewidujących solidne i przejrzyste wsparcie polityczne, w tym na działaniach dotyczących udziału społeczeństwa i zaangażowania użytkowników, oddziaływania na środowisko i ocen zrównoważoności, które pozwolą lepiej zrozumieć związane z energią tendencje i perspektywy społeczno-gospodarcze.

(g) Wprowadzanie na rynek innowacji w zakresie energii – korzystanie z programu „Inteligentna energia dla Europy”

Działania mają nawiązywać do działań podjętych w ramach programu „Inteligentna energia dla Europy” oraz stanowić ich uzupełnienie. Mają skupiać się na stosowaniu innowacji i promowaniu standardów, aby ułatwić wprowadzanie na rynek nowych technologii i usług w zakresie energii w celu wyeliminowania barier innych niż technologiczne oraz przyspieszenia racjonalnej pod względem kosztów realizacji unijnej polityki energetycznej. Zostanie także zwrócona uwaga na innowacje w dziedzinie inteligentnego i zrównoważonego wykorzystania istniejących technologii.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:45:54";"664321" +"H2020-EU.3.3.";"it";"H2020-EU.3.3.";"";"";"SFIDE PER LA SOCIETÀ - Energia sicura, pulita ed efficiente";"Energy";"

SFIDE PER LA SOCIETÀ - Energia sicura, pulita ed efficiente

Obiettivo specifico

L'obiettivo specifico è effettuare la transizione verso un sistema energetico affidabile, economicamente accessibile, accettato dal pubblico, sostenibile e competitivo, mirante a ridurre la dipendenza dai combustibili fossili, in tempi di crescente penuria di risorse, di incremento del fabbisogno di energia nonché di cambiamenti climatici.Entro il 2020 l'Unione intende ridurre le emissioni di gas a effetto serra del 20 % rispetto ai livelli del 1990, con un'ulteriore riduzione di emissioni dell'80-95 % entro il 2050. Nel 2020 le energie rinnovabili dovrebbero inoltre coprire il 20 % del consumo finale di energia, congiuntamente all'obiettivo del 20 % dell'efficienza energetica. Per conseguire tali obiettivi sarà necessaria una revisione del sistema energetico che associ un profilo a basse emissioni di carbonio e lo sviluppo di alternative ai combustibili fossili, la sicurezza e l'accessibilità economica, rafforzando nel contempo la competitività economica dell'Europa. L'Europa è attualmente lontana dal suo obiettivo generale. L'80 % del sistema energetico europeo si basa ancora sui combustibili fossili, e il settore produce l'80 % di tutte le emissioni di gas a effetto serra dell'Unione. Al fine di conseguire gli obiettivi di lungo termine dell'Unione in materia di clima ed energia, è opportuno aumentare, rispetto al settimo programma quadro, la quota del bilancio destinata alle attività relative a energie rinnovabili, efficienza energetica allo stadio dell'utilizzazione finale, reti intelligenti e stoccaggio dell'energia, e aumentare il bilancio destinato all'assorbimento di mercato delle attività di innovazione energetica intraprese nel quadro del programma ""Energia intelligente - Europa"", all'interno del programma quadro per la competitività e l'innovazione (2007-2013). Ci si adopera affinché la dotazione totale di tali attività raggiunga almeno l'85 % del bilancio nel quadro della presente sfida per la società. Ogni anno il 2,5 % del PIL dell'Unione è speso per le importazioni di energia e tale dato è probabilmente destinato ad aumentare. Questa tendenza condurrebbe alla dipendenza totale dalle importazioni di idrocarburi entro il 2050. A fronte della volatilità dei prezzi dell'energia sul mercato mondiale, accompagnata dalle preoccupazioni relative alla sicurezza dell'approvvigionamento, le industrie e i consumatori europei spendono una quota sempre maggiore del loro reddito per l'energia. Le città europee sono responsabili del 70-80 % del consumo totale di energia nell'Unione e all'incirca della stessa percentuale di emissioni di gas serra.La tabella di marcia per muovere verso un'economia competitiva a basse emissioni di carbonio per il 2050 indica che le riduzioni di emissioni di gas a effetto serra dovranno in gran parte essere coperte sul territorio dell'Unione. Questo comporterebbe la riduzione delle emissioni di CO2 di oltre il 90 % entro il 2050 nel settore della produzione di elettricità e di oltre l'80 % nell'industria, con almeno il 60 % nel settore dei trasporti e circa il 90 % nel settore residenziale e nei servizi. Inoltre la tabella di marcia indica tra l'altro che dal breve al medio periodo il gas naturale, associato all'uso delle tecnologie di cattura e stoccaggio del carbonio (CCS), può contribuire a trasformare il sistema energetico.Per conseguire tali ambiziose riduzioni, sono necessari notevoli investimenti in ricerca, sviluppo, dimostrazione e immissione in commercio a prezzi accessibili di tecnologie e servizi efficienti, sicuri e affidabili a basse emissioni di carbonio, compresi lo stoccaggio del gas e dell'elettricità e la diffusione di sistemi energetici su piccola e piccolissima scala. Questi devono andare di pari passo con soluzioni non tecnologiche sia sul lato dell'offerta, sia sul lato della domanda, anche avviando processi di partecipazione e integrando i consumatori. Tutti questi elementi devono essere parte di una politica integrata sostenibile a basse emissioni di carbonio, che comprenda la padronanza delle tecnologie abilitanti fondamentali, in particolare le soluzioni TIC e la fabbricazione, la lavorazione e i materiali avanzati. L'obiettivo è sviluppare e realizzare tecnologie e a servizi efficienti sotto il profilo energetico, compresa l'integrazione delle energie rinnovabili, suscettibili di diffondersi ampiamente sui mercati europei e internazionali, e stabilire una gestione intelligente dal lato della domanda basata su un mercato di scambio dell'energia aperto e trasparente e su sistemi sicuri di gestione intelligente dell'efficienza energetica.

Motivazione e valore aggiunto dell'Unione

Le nuove tecnologie e soluzioni devono competere sui costi e l'affidabilità contro sistemi energetici dotati di tecnologie e operatori storici consolidati. La ricerca e l'innovazione sono fondamentali al fine di rendere interessanti dal punto di vista commerciale sulla scala necessaria queste fonti energetiche nuove, più pulite ed efficienti e a basse emissioni di carbonio. Né l'industria, né gli Stati membri da soli sono in grado di sostenere i costi e i rischi per i quali i motori principali, ossia la transizione verso un'economia a basse emissioni di carbonio che fornisce energia sicura a costi accessibili, sono esterni al mercato.Accelerare questo sviluppo richiederà un'impostazione strategica a livello di Unione, in grado di ricomprendere l'approvvigionamento, la domanda e l'utilizzo dell'energia nelle catene di valore dell'edilizia, degli usi domestici, dei servizi, dei trasporti e dell'industria. A tal fine è necessario allineare le risorse in tutta l'Unione, compresi i fondi della politica di coesione, in particolare tramite le strategie nazionali e regionali per la specializzazione intelligente, i sistemi di scambio di quote di emissione (ETS), gli appalti pubblici e altri meccanismi di finanziamento. Sono necessarie anche politiche di regolamentazione e di diffusione per le fonti energetiche rinnovabili e l'efficienza energetica, congiuntamente a un'adeguata assistenza tecnica e allo sviluppo di capacità al fine di eliminare gli ostacoli non tecnologici.Il piano strategico per le tecnologie energetiche (piano SET) offre un siffatto approccio strategico, mirato a stabilire una programmazione a lungo termine per affrontare le principali strozzature dell'innovazione che si trovano ad affrontare le tecnologie energetiche nelle fasi della ricerca di frontiera e di R&S/validità concettuale nonché nelle fasi di dimostrazione in cui le imprese cercano i capitali per finanziare grandi progetti innovativi e avviare il processo di immissione sul mercato. Sarà dato spazio anche a nuove tecnologie emergenti dotate di un potenziale dirompente.Le risorse necessarie per attuare integralmente il piano SET sono state stimate a 8 miliardi di EUR l'anno per i prossimi 10 anni. Questa cifra è notevolmente superiore alla capacità dei singoli Stati membri o delle parti interessate dell'industria e della ricerca da sole. Sono necessari investimenti in ricerca e innovazione a livello unionale, combinati con la mobilitazione degli sforzi in tutta Europa sotto forma di attuazione congiunta e di condivisione dei rischi e delle capacità. Il finanziamento dell'Unione della ricerca e dell'innovazione in ambito energetico integra pertanto le attività degli Stati membri, concentrandosi sulle tecnologie e attività d'avanguardia dotate di un chiaro valore aggiunto dell'Unione, in particolare quelle ad alto potenziale di leva delle risorse nazionali e di creazione di posti di lavoro. L'azione a livello unionale sostiene inoltre programmi di lungo periodo ad alto rischio e con costi elevati, che vanno al di là della portata dei singoli Stati membri, mette in comune gli impegni per ridurre i rischi di investimento nelle attività su larga scala quali quelle di dimostrazione industriale e sviluppa soluzioni energetiche interoperabili a livello europeo.L'attuazione del piano SET come pilastro della ricerca e dell'innovazione della politica energetica europea rafforzerà la sicurezza dell'approvvigionamento dell'Unione e la transizione verso un'economia a basse emissioni di carbonio, contribuirà a collegare programmi di ricerca e innovazione con gli investimenti transeuropei e regionali nelle infrastrutture dell'energia e aumenterà la disponibilità degli investitori a immettere capitale in progetti con tempi di esecuzione lunghi e notevoli rischi tecnologici e di mercato. Questo piano creerà opportunità di innovazione per le piccole e grandi imprese e le aiuterà a divenire o a restare competitive a livello mondiale, dove le opportunità per le tecnologie energetiche sono numerose e in aumento.Sulla scena internazionale, le azioni condotte a livello unionale generano una ""massa critica"" in grado di attrarre l'interesse di altri leader in campo tecnologico e di promuovere partenariati internazionali per realizzare gli obiettivi dell'Unione, semplificando ai partner internazionali l'interazione con l'Unione al fine di costruire un'azione comune di vantaggio e interesse reciproci.Le attività svolte nell'ambito di questa sfida per la società costituiranno quindi il pilastro tecnologico della politica climatica ed energetica europea, contribuendo altresì al conseguimento dell'iniziativa faro ""Unione dell'innovazione"" nel settore dell'energia e degli obiettivi politici delineati nelle iniziative faro ""Un'Europa efficiente sotto il profilo delle risorse"", ""Una politica industriale nell'era della globalizzazione"" e ""Un'agenda digitale europea"".Le attività di ricerca e innovazione sull'energia da fusione e fissione nucleare sono svolte nel programma Euratom istituito dal regolamento (Euratom) n. 1314/2013. Ove appropriato si dovrebbero prevedere possibili sinergie tra la presente sfida per la società e il programma Euratom.

Le grandi linee delle attività

(a) Ridurre il consumo di energia e le emissioni di carbonio grazie all'uso intelligente e sostenibile

Le attività si concentrano sulla ricerca e la sperimentazione su larga scala di nuovi concetti, di soluzioni non tecnologiche, di componenti tecnologici più efficienti, socialmente accettabili e accessibili nonché su sistemi con intelligenza integrata, che permettono la gestione energetica in tempo reale di edifici nuovi ed esistenti con emissioni prossime allo zero, a consumi energetici praticamente nulli e a energia positiva, edifici, città e territori ristrutturati, energie rinnovabili per il riscaldamento e il raffreddamento, industrie altamente efficienti e adozione massiccia di soluzioni e servizi di efficienza e risparmio energetici da parte di imprese, singoli, comunità e città.

(b) Energia elettrica a basso costo e a basse emissioni di carbonio

Le attività si concentrano sulla ricerca, lo sviluppo e la dimostrazione su scala reale di fonti energetiche rinnovabili innovative, centrali elettriche a combustibili fossili efficienti, flessibili e a basse emissioni di carbonio e tecnologie per la cattura e lo stoccaggio del carbonio o la riutilizzazione del CO2, che consentano tecnologie su scala più ampia, a costi inferiori, sicure per l'ambiente, dotate di un rendimento di conversione superiore e di una più ampia disponibilità per diversi mercati e contesti operativi.

(c) Combustibili alternativi e fonti energetiche mobili

Le attività si concentrano sulla ricerca, lo sviluppo e la dimostrazione su scala reale di tecnologie e catene del valore mirate a rendere la bioenergia e altri combustibili alternativi più competitivi e sostenibili per la produzione di calore ed energia elettrica e per i trasporti di superficie, marittimi e aerei, che offrano la possibilità di una conversione energetica più efficace, al fine di ridurre i tempi di commercializzazione per l'idrogeno e le celle a combustibile e proporre nuove opzioni che dimostrino potenzialità a lungo termine per giungere a maturità.

(d) Un'unica rete elettrica europea intelligente

Le attività si concentrano sulla ricerca, lo sviluppo e la dimostrazione su scala reale di nuove tecnologie energetiche intelligenti di rete, tecnologie di bilanciamento e back-up che consentano una maggiore flessibilità ed efficienza, tra cui centrali tradizionali, stoccaggio flessibile dell'energia, sistemi e configurazioni di mercato per pianificare, monitorare, controllare e gestire in condizioni di sicurezza le reti interoperabili, comprese le questioni relative alla regolamentazione, in un mercato aperto, decarbonizzato, sostenibile sul piano ambientale, competitivo e resiliente al profilo climatico, in condizioni normali e di emergenza.

(e) Nuove conoscenze e tecnologie

Le attività si concentrano sulla ricerca multidisciplinare nell'ambito delle tecnologie energetiche pulite, sicure e sostenibili (comprensive di azioni visionarie) e dell'attuazione congiunta di programmi di ricerca paneuropei e strutture di livello mondiale.

(f) Processo decisionale e impegno pubblico di rilievo

Le attività si concentrano in particolare sullo sviluppo di strumenti, metodi, modelli e scenari futuri e lungimiranti per un solido e trasparente sostegno alla politica, comprese le attività relative alla partecipazione del pubblico, al coinvolgimento degli utenti, all'impatto ambientale e alla valutazione di sostenibilità, per migliorare la comprensione delle tendenze e prospettive socioeconomiche connesse all'energia.

(g) Assorbimento di mercato dell'innovazione energetica - iniziative fondate sul programma ""Energia intelligente - Europa""

Le attività sono basate su quelle intraprese nel quadro del programma ""Energia intelligente - Europa"" e le rafforzano ulteriormente. Si concentrano sulle innovazioni applicate e sulla promozione di norme al fine di agevolare l'adozione da parte del mercato delle tecnologie e dei servizi energetici, per affrontare gli ostacoli non tecnologici e accelerare un'attuazione efficiente in termini di costi delle politiche energetiche europee. Sarà anche prestata attenzione all'innovazione per l'uso intelligente e sostenibile delle tecnologie esistenti.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:45:54";"664321" +"H2020-EU.3.3.";"en";"H2020-EU.3.3.";"";"";"SOCIETAL CHALLENGES - Secure, clean and efficient energy";"Energy";"

SOCIETAL CHALLENGES - Secure, clean and efficient energy

Specific objective

The specific objective is to make the transition to a reliable, affordable, publicly accepted, sustainable and competitive energy system, aiming at reducing fossil fuel dependency in the face of increasingly scarce resources, increasing energy needs and climate change.The Union intends to reduce greenhouse gas emissions by 20 % below 1990 levels by 2020, with a further reduction to 80-95 % by 2050. In addition, renewables should cover 20 % of final energy consumption in 2020 coupled with a 20 % energy efficiency target. Achieving these objectives will require an overhaul of the energy system combining low carbon profile and the development of alternatives to fossil fuels, energy security and affordability, while at the same time reinforcing Europe's economic competitiveness. Europe is currently far from this overall goal. 80 % of the European energy system still relies on fossil fuels, and the sector produces 80 % of all the Union's greenhouse gas emissions. With a view to achieving the Union's long-term climate and energy objectives, it is appropriate to increase the share of the budget dedicated to renewable energy, end-user energy efficiency, smart grids and energy storage activities as compared to the Seventh Framework Programme, and increase the budget dedicated to market uptake of energy innovation activities undertaken under the Intelligent Energy Europe Programme within the Competitiveness and Innovation Framework Programme (2007 to 2013). The total allocation to these activities shall endeavour to reach at least 85 % of the budget under this societal challenge. Every year 2,5 % of the Union GDP is spent on energy imports and this is likely to increase. This trend would lead to total dependence on oil and gas imports by 2050. Faced with volatile energy prices on the world market, coupled with concerns over security of supply, European industries and consumers are spending an increasing share of their income on energy. European cities are responsible for 70-80 % of the total energy consumption in the Union and for about the same share of greenhouse gas emissions.The Roadmap for moving to a competitive low-carbon economy in 2050 suggests that the targeted reductions in greenhouse gas emissions will have to be met largely within the territory of the Union. This would entail reducing CO2 emissions by over 90 % by 2050 in the power sector, by over 80 % in industry, by at least 60 % in transport and by about 90 % in the residential sector and services. The Roadmap also shows that inter alia natural gas, in the short to medium term, can contribute to the transformation of the energy system, combined with the use of carbon capture and storage (CCS) technology.To achieve these ambitious reductions, significant investments need to be made in research, development, demonstration and market roll-out at affordable prices of efficient, safe, secure and reliable low-carbon energy technologies and services, including gas, electricity storage and the roll-out of small and micro-scale energy systems. These must go hand in hand with non-technological solutions on both the supply and demand sides, including by initiating participation processes and integrating consumers. All this must be part of an integrated sustainable low-carbon policy, including mastering key enabling technologies, in particular ICT solutions and advanced manufacturing, processing and materials. The goal is to develop and produce efficient energy technologies and services, including the integration of renewable energy, that can be taken up widely on European and international markets and to establish intelligent demand-side management based on an open and transparent energy trade market and secure intelligent energy efficiency management systems.

Rationale and Union added value

New technologies and solutions must compete on cost and reliability against energy systems with well-established incumbents and technologies. Research and innovation are critical to make these new, cleaner, low-carbon, more efficient energy sources commercially attractive on the scale needed. Neither industry alone, nor Member States individually, are able to bear the costs and risks, for which the main drivers (transition to a low-carbon economy, providing affordable and secure energy) are outside the market.Speeding up this development will require a strategic approach at Union level, spanning energy supply, demand and use in buildings, services, domestic use, transport and industrial value chains. This will entail aligning resources across the Union, including Cohesion Policy Funds, in particular through the national and regional strategies for smart specialisation, emission trading schemes (ETS), public procurement and other financing mechanisms. It will also require regulatory and deployment policies for renewables and energy efficiency, tailored technical assistance and capacity-building to remove non-technological barriers.The Strategic Energy Technology Plan (SET Plan) offers such a strategic approach. It provides a long-term agenda to address the key innovation bottlenecks that energy technologies are facing at the frontier research and R&D/proof-of-concept stages and at the demonstration stage when companies seek capital to finance large, first-of-a-kind projects and to open the market deployment process. Newly emerging technologies with disruptive potential will not be neglected.The resources required to implement the SET Plan in full have been estimated at EUR 8 billion per year over the next 10 years (12). This is well beyond the capacity of individual Member States or research and industrial stakeholders alone. Investments in research and innovation at Union level are needed, combined with mobilisation of efforts across Europe in the form of joint implementation and risk and capacity sharing. Union funding of energy research and innovation shall therefore complement Member States' activities by focusing on cutting-edge technologies and activities with clear Union added value, in particular those with high potential to leverage national resources and create jobs in Europe. Action at Union level shall also support high-risk, high-cost, long-term programmes beyond the reach of individual Member States, pool efforts to reduce investment risks in large-scale activities such as industrial demonstration, and develop Europe-wide, interoperable energy solutions.Implementation of the SET Plan as the research and innovation pillar of European energy policy will reinforce the Union's security of supply and the transition to a low-carbon economy, help to link research and innovation programmes with trans-European and regional investments in energy infrastructure and increase the willingness of investors to release capital for projects with long lead-times and significant technology and market risks. It will create opportunities for innovation for small and large companies and help them become or remain competitive at world level, where opportunities for energy technologies are large and increasing.On the international scene, the action taken at Union level provides a critical mass to attract interest from other technology leaders and to foster international partnerships to achieve the Union's objectives. It will make it easier for international partners to interact with the Union to build common action where there is mutual benefit and interest.The activities under this societal challenge will therefore form the technological backbone of European energy and climate policy. They will also contribute to achieving the flagship initiative 'Innovation Union' in the field of energy and the policy goals outlined in the flagship initiatives 'Resource-efficient Europe', 'An Industrial Policy for the Globalisation Era' and 'Digital agenda for Europe'.Research and innovation activities on nuclear fission and fusion energy are carried out in the Euratom programme established by Regulation (Euratom) No 1314/2013 Where appropriate, possible synergies between this societal challenge and the Euratom programme should be envisaged.

Broad lines of the activities

(a) Reducing energy consumption and carbon footprint by smart and sustainable use

Activities shall focus on research and full-scale testing of new concepts, non-technological solutions, more efficient, socially acceptable and affordable technology components and systems with in-built intelligence, to allow real-time energy management for new and existing near-zero-emission, near-zero-energy and positive energy buildings, retrofitted buildings, cities and districts, renewable heating and cooling, highly efficient industries and mass take-up of energy efficiency and energy saving solutions and services by companies, individuals, communities and cities.

(b) Low-cost, low-carbon electricity supply

Activities shall focus on research, development and full scale demonstration of innovative renewables, efficient, flexible and low carbon emission fossil power plants and carbon capture and storage, or CO2 re-use technologies, offering larger scale, lower cost, environmentally safe technologies with higher conversion efficiency and higher availability for different market and operating environments.

(c) Alternative fuels and mobile energy sources

Activities shall focus on research, development and full scale demonstration of technologies and value chains to make bioenergy and other alternative fuels more competitive and sustainable for power and heat and for surface, maritime and air transport, with potential for more efficient energy conversion, to reduce time to market for hydrogen and fuel cells and to bring new options showing long-term potential to maturity.

(d) A single, smart European electricity grid

Activities shall focus on research, development and full scale demonstration of new smart energy grid technologies, back-up and balancing technologies enabling higher flexibility and efficiency, including conventional power plants, flexible energy storage, systems and market designs to plan, monitor, control and safely operate interoperable networks, including standardisation issues, in an open, decarbonised, environmentally sustainable, climate-resilient and competitive market, under normal and emergency conditions.

(e) New knowledge and technologies

Activities shall focus on multi-disciplinary research for clean, safe and sustainable energy technologies (including visionary actions) and joint implementation of pan-European research programmes and world-class facilities.

(f) Robust decision making and public engagement

Activities shall focus on the development of tools, methods, models and forward-looking and perspective scenarios for a robust and transparent policy support, including activities on public engagement, user involvement, environmental impact and sustainability assessment improving the understanding of energy-related socio-economic trends and prospects.

(g) Market uptake of energy innovation - building on Intelligent Energy Europe

Activities shall build upon and further enhance those undertaken within the Intelligent Energy Europe (IEE) programme. They shall focus on applied innovation and promotion of standards to facilitate the market uptake of energy technologies and services, to address non-technological barriers and to accelerate the cost-effective implementation of the Union's energy policies. Attention will also be given to innovation for the smart and sustainable use of existing technologies.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:45:54";"664321" +"H2020-EU.3.3.";"de";"H2020-EU.3.3.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Sichere, saubere und effiziente Energieversorgung";"Energy";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Sichere, saubere und effiziente Energieversorgung

Einzelziel

Einzelziel ist der Übergang zu einem zuverlässigen, erschwinglichen, von der Öffentlichkeit akzeptierten, nachhaltigen und wettbewerbsfähigen Energiesystem, um die Abhängigkeit von fossilen Brennstoffen angesichts der immer größeren Ressourcenknappheit, des steigenden Energiebedarfs und des Klimawandels zu reduzieren.Die Europäische Union hat die Absicht, bis 2020 die Treibhausgasemissionen im Vergleich zum Stand von 1990 um 20% und bis 2050 nochmals um 80-95% zu reduzieren. Ferner soll bis 2020 der Anteil erneuerbarer Energien am Endenergieverbrauch auf 20% steigen, gekoppelt an ein Energieeffizienzziel von 20%. Diese Ziele lassen sich nur erreichen, wenn das Energiesystem – gestützt auf die Komponenten niedriger CO 2-Ausstoß, Entwicklung von Alternativen zu fossilen Brennstoffen, Energieversorgungssicherheit und Erschwinglichkeit – generalüberholt und gleichzeitig die Wettbewerbsfähigkeit Europas gestärkt wird. Europa ist derzeit von diesem Gesamtziel noch weit entfernt. Zu 80% stützt sich das europäische Energiesystem noch auf fossile Brennstoffe und der Sektor generiert 80% der Treibhausgasemissionen der EU. Im Hinblick auf die Verwirklichung der langfristigen Klima- und Energieziele der Union ist es angemessen, den Anteil der für erneuerbare Energien, Endnutzer-Energieeffizienz, intelligente Netze und Energiespeicherung vorgesehenen Mittel gegenüber dem Siebten Rahmenprogramm zu erhöhen und die für im Rahmen des Programms ""Intelligente Energie – Europa"" durchgeführten Tätigkeiten der Markteinführung von Energieinnovationen vorgesehenen Mittel innerhalb des Rahmenprogramms für Wettbewerbsfähigkeit und Innovation (2007 bis 2013) zu erhöhen. Die insgesamt für diese Tätigkeiten zugeteilten Mittel sollten mindestens 85% der im Rahmen dieser Herausforderung vorgesehenen Mittel ausmachen. Jedes Jahr belaufen sich die Ausgaben der Europäischen Union für Energieimporte auf 2,5% des BIP, Tendenz steigend. Diese Entwicklung wird bis 2050 zu einer vollständigen Abhängigkeit von Öl- und Gasimporten führen. Vor dem Hintergrund der Schwankungen der Energiepreise auf dem Weltmarkt und der Bedenken hinsichtlich der Versorgungssicherheit geben die europäischen Unternehmen und Verbraucher einen wachsenden Teil ihres Einkommens für Energie aus. Europas Städte sind verantwortlich für 70-80%(10) des gesamten Energieverbrauchs in der Union und für ungefähr den gleichen Anteil an den Treibhausgasemissionen.Der Fahrplan hin zu einer wettbewerbsfähigen Wirtschaft mit niedrigem CO2-Ausstoß bis 2050(11) legt nahe, dass die angestrebten Reduktionen bei den Treibhausgasemissionen größtenteils innerhalb des Gebiets der Europäischen Union erzielt werden müssen. Dafür müssten die CO2-Emissionen bis 2050 im Energiesektor um über 90%, in der Industrie um über 80%, im Verkehr um mindestens 60% und im Wohnungs- und Dienstleistungssektor um etwa 90% reduziert werden. Aus dem Fahrplan geht auch hervor, dass auf kurze bis mittlere Sicht unter anderem Erdgas in Kombination mit dem Einsatz der CO2-Abscheidungs und -Speicherungs- (CCS-) Technologie zur Umgestaltung des Energiesektors beitragen kann.Um diese ehrgeizigen Reduktionsziele zu erreichen, müssen erhebliche Investitionen in Forschung, Entwicklung, Demonstration und Vermarktung – zu erschwinglichen Preisen – von effizienten, sicheren und zuverlässigen Energietechnologien und -dienstleistungen mit niedrigem CO2-Ausstoß getätigt werden, einschließlich Gas, Stromspeicherung und Vermarktung von Klein- und Kleinstenergieerzeugungsanlagen. Diese müssen mit nichttechnologischen Lösungen sowohl auf der Angebots- als auch auf der Nachfrageseite einhergehen, wobei partizipative Prozesse eingeleitet und die Verbraucher eingebunden werden. All diese Maßnahmen müssen in eine integrierte und nachhaltige Politik zur Verringerung des CO2-Ausstoßes eingebettet sein, was auch die Beherrschung von Schlüsseltechnologien, insbesondere IKT-Lösungen und fortgeschrittene Fertigung, Verarbeitung und Werkstoffe beinhaltet. Ziel ist die Entwicklung und Produktion effizienter Energietechnologien und -dienstleistungen, einschließlich der Integration erneuerbarer Energien, die auf europäischen und internationalen Märkten große Verbreitung finden können, und die Einführung eines nachfrageseitigen Managements, gestützt auf einen offenen und transparenten Markt für den Energiehandel und sichere intelligente Managementsysteme für die Energieeffizienz.

Begründung und Mehrwert für die Union

Neue Technologien und Lösungen müssen sich im Hinblick auf Kosten und Zuverlässigkeit gegenüber Energiesystemen gut etablierter Betreiber und Technologien als wettbewerbsfähig erweisen. Damit diese neuen, umweltfreundlicheren und effizienteren Energiequellen mit niedrigem CO2-Ausstoß im jeweiligen Maßstab kommerziell interessant werden, kommt es entscheidend auf Forschung und Innovation an. Weder die Industrie noch die Mitgliedstaaten sind jeweils allein in der Lage, die Kosten und Risiken zu tragen, deren wichtigste Impulsgeber (nämlich Übergang zu einer Wirtschaft mit niedrigem CO2-Ausstoß und erschwingliche und sichere Energieversorgung) außerhalb des Marktes angesiedelt sind.Eine Forcierung dieser Entwicklung erfordert ein strategisches Konzept auf Unionsebene, das sich auf Energieversorgung, Nachfrage und Einsatz in Gebäuden, Dienstleistungen, private Haushalte, Verkehr sowie industrielle Wertschöpfungsketten erstreckt. Es bedingt die unionsweite Bündelung von Ressourcen, auch der Fonds der Kohäsionspolitik, insbesondere durch nationale und regionale Strategien für eine intelligente Spezialisierung, Emissionshandelssysteme (ETS), öffentliche Auftragsvergabe und andere Finanzierungsmechanismen. Darüber hinaus werden regulatorische und einsatzbezogene Strategien für erneuerbare Energien und Energieeffizienz sowie maßgeschneiderte technische Hilfe und zusätzliche Kapazitäten für den Abbau nichttechnologischer Hemmnisse benötigt.Der Strategieplan für Energietechnologie (SET-Plan) bietet ein solches strategisches Konzept. Er beinhaltet eine langfristige Agenda zur Beseitigung der größten Innovationsengpässe, mit denen Energietechnologien im Stadium der Pionierforschung, der FuE bzw. des Konzeptnachweises sowie im Demonstrationsstadium konfrontiert sind, wenn Unternehmen für die Finanzierung großer, gänzlich neuer Projekte und für die beginnende Markteinführung Kapital benötigen. Neu entstehende, potenziell bahnbrechende Technologien werden dabei nicht vernachlässigt.Die zur vollständigen Umsetzung des SET-Plans notwendigen Ressourcen wurden für die nächsten 10 Jahre mit 8 Mrd. EUR pro Jahr veranschlagt(12). Dies übersteigt bei weitem die Möglichkeiten einzelner Mitgliedstaaten oder Akteure in Forschung und Industrie. Benötigt werden Investitionen in Forschung und Innovation auf Unionsebene sowie eine europaweite Mobilisierung von Anstrengungen in Form gemeinsamer Durchführung, Risikoteilung und Kapazitätsnutzung. Die Unionsförderung von Forschung und Innovation im Energiebereich ergänzt damit die Aktivitäten der Mitgliedstaaten und konzentriert sich auf Spitzentechnologien und Tätigkeiten mit klarem Mehrwert für die Union und vor allem auf solche mit großem Potenzial, nationale Ressourcen zu mobilisieren und Arbeitsplätze in Europa zu schaffen. Maßnahmen auf Unionsebene dienen darüber hinaus der Unterstützung hoch riskanter, kostenintensiver und langfristiger Programme, die über die Möglichkeiten einzelner Mitgliedstaaten hinausgehen, der Bündelung von Anstrengungen zur Reduzierung des Risikos von Investitionen in Großprojekte (etwa industrielle Demonstration) und der Entwicklung europaweiter, interoperabler Energielösungen.Die Durchführung des SET-Plans als Forschungs- und Innovationspfeiler der europäischen Energiepolitik erhöht die Versorgungssicherheit der Union und erleichtert den Übergang zu einer Wirtschaft mit niedrigem CO2-Ausstoß, trägt zur Verknüpfung der Forschungs- und Innovationsprogramme mit transeuropäischen und regionalen Energieinfrastrukturinvestitionen bei und erhöht die Bereitschaft von Investoren, Kapital für Projekte mit langen Vorlaufzeiten und erheblichen Technologie- und Marktrisiken bereitzustellen. Er bietet kleinen und großen Unternehmen Möglichkeiten für Innovation und unterstützt sie darin, auf dem riesigen und wachsenden Weltmarkt für Energietechnologien ihre Wettbewerbsfähigkeit zu verteidigen oder auszubauen.International betrachtet schaffen Maßnahmen auf Unionsebene eine ""kritische Masse"", die das Interesse anderer Technologieführer weckt und internationale Partnerschaften fördert, mit denen die Ziele der Union verwirklicht werden können. Besteht ein gegenseitiger Nutzen und gemeinsames Interesse, ist es für internationale Partner leichter, mit der Union bei gemeinsamen Maßnahmen zusammenzuarbeiten.Die Tätigkeiten im Rahmen dieser gesellschaftlichen Herausforderung bilden daher das technologische Rückgrat der europäischen Energie- und Klimapolitik. Außerdem werden sie zur Verwirklichung der Leitinitiative ""Innovationsunion"" im Energiebereich sowie zu den politischen Zielen der Leitinitiativen ""Ressourcenschonendes Europa"", ""Eine Industriepolitik für das Zeitalter der Globalisierung"" und ""Eine digitale Agenda für Europa"" beitragen.Forschungs- und Innovationstätigkeiten zur Kernspaltung und Fusionsenergie fallen unter das Euratom-Programm, das durch die Verordnung (Euratom) Nr. 1314/2013 eingerichtet wurde.

Einzelziele und Tätigkeiten in Grundzügen

a) Verringerung des Energieverbrauchs und Verbesserung der CO2-Bilanz durch intelligente und nachhaltige Nutzung

Schwerpunkt der Tätigkeiten sind Forschung und vollmaßstäbliche Tests neuer Konzepte, nichttechnologische Lösungen sowie technologische Komponenten und Systeme mit integrierter Intelligenz, die effizienter, gesellschaftlich akzeptabel und erschwinglich sind. Dies ermöglicht ein Energiemanagement in Echtzeit für neue und bereits vorhandene nahezu emissionsfreie, Niedrigstenergie- und Energieüberschussgebäude, nachgerüstete Gebäude, Städte und Bezirke, den Einsatz erneuerbarer Energien in Heizung und Kühlung, hocheffiziente Industrien und den flächendeckenden Einsatz von Energieeffizienz- und Energiesparlösungen und -dienstleistungen durch Unternehmen, Privathaushalte und Kommunen.

b) Kostengünstige Stromversorgung mit niedrigen CO2-Emissionen

Schwerpunkt der Tätigkeiten sind Forschung, Entwicklung und vollmaßstäbliche Demonstration mit Blick auf innovative erneuerbare Energieträger, effiziente und flexible Kraftwerke für fossile Energieträger mit niedrigem CO2-Ausstoß sowie Techniken für CO2-Abscheidung und -Speicherung oder -Wiederverwendung, die kostengünstiger und umweltverträglich sind und in größerem Maßstab eingesetzt werden können und gleichzeitig einen hohen Wirkungsgrad haben und für unterschiedliche Märkte und betriebliche Gegebenheiten leichter verfügbar sind.

c) Alternative Brenn- bzw. Kraftstoffe und mobile Energiequellen

Schwerpunkt der Tätigkeiten sind Forschung, Entwicklung und die vollmaßstäbliche Demonstration mit Blick auf Technologien und Wertschöpfungsketten, die darauf abzielen, die Wettbewerbsfähigkeit und Nachhaltigkeit von Bioenergie und anderen alternativen Brenn- bzw. Kraftstoffen für Energie- und Wärmegewinnung und für Land-, See- und Luftverkehr zu erhöhen, mit dem Potenzial einer energieeffizienteren Umwandlung, die Zeit bis zur Marktreife von Wasserstoff- und Brennstoffzellen zu verringern und neue Optionen mit langfristigem Potenzial zur Marktreife aufzuzeigen.

d) Ein intelligentes europäisches Stromverbundnetz

Schwerpunkt der Tätigkeiten sind Forschung, Entwicklung und vollmaßstäbliche Demonstration mit Blick auf intelligente neue Energienetztechnologien, Reserve- und Ausgleichstechnologien für mehr Flexibilität und Effizienz, einschließlich konventioneller Kraftwerke, flexible Energiespeicherung, Systeme und Marktkonzepte für die Planung, Überwachung, Kontrolle und den sicheren Betrieb interoperabler Netze unter normalen Bedingungen und im Notfall – unter Einbeziehung von Normungsaspekten – auf einem offenen, ökologisch nachhaltigen und wettbewerbsfähigen Markt mit niedrigen CO2-Emissionen, der gegen den Klimawandel gewappnet ist.

e) Neue Erkenntnisse und neue Technologien

Schwerpunkt der Tätigkeiten sind die multidisziplinäre Erforschung von Technologien für saubere, sichere und nachhaltige Energien (auch visionäre Maßnahmen) und die gemeinsame Verwirklichung europaweiter Forschungsprogramme sowie erstklassiger Einrichtungen.

f) Qualifizierte Entscheidungsfindung und Einbeziehung der Öffentlichkeit

Schwerpunkt der Tätigkeiten ist die Entwicklung von Instrumenten, Verfahren, Modellen und vorausschauenden und perspektivischen Szenarien für eine qualifizierte und transparente Unterstützung der Politik, auch im Hinblick auf das Engagement der Öffentlichkeit, die Einbeziehung der Nutzer, die Auswirkungen auf die Umwelt sowie die Bewertung der Nachhaltigkeit, womit das Verständnis energiebezogener sozioökonomischer Tendenzen und Perspektiven verbessert werden soll.

g) Markteinführung von Energieinnovationen – Aufbau auf ""Intelligente Energie – Europa

Die Tätigkeiten stützen sich auf die im Rahmen des Programms ""Intelligente Energie – Europa"" (IEE) durchgeführten Tätigkeiten und verstärken diese. Schwerpunkt ist die angewandte Innovation und ein Beitrag zur Normung, um die Einführung von Energietechnologien und -dienstleistungen auf dem Markt zu erleichtern, nichttechnologische Hemmnisse zu beseitigen und die kosteneffiziente Umsetzung der Energiepolitik der Union zu beschleunigen. Dabei wird auch Innovationen im Interesse einer intelligenten und nachhaltigen Nutzung bereits vorhandener Technologien Beachtung geschenkt.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:45:54";"664321" +"H2020-EU.3.4.5.5.";"en";"H2020-EU.3.4.5.5.";"";"";"ITD Engines";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:09";"665412" +"H2020-EU.2.1.5.3.";"en";"H2020-EU.2.1.5.3.";"";"";"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries";"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries";"

Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries

Increasing the competitiveness of process industries, by drastically improving resource and energy efficiencies and reducing the environmental impact of such industrial activities through the whole value chain, promoting the adoption of low-carbon technologies, more sustainable industrial processes and, where applicable, the integration of renewable energy sources.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:10";"664203" +"H2020-EU.3.4.5.2.";"en";"H2020-EU.3.4.5.2.";"";"";"IADP Regional Aircraft";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:42:57";"665406" +"H2020-EU.2.1.6.1.";"en";"H2020-EU.2.1.6.1.";"";"";"Enabling European competitiveness, non-dependence and innovation of the European space sector";"Competitiveness, non-dependence and innovation";"

Enabling European competitiveness, non-dependence and innovation of the European space sector

This entails safeguarding and further developing a competitive, sustainable and entrepreneurial space industry in combination with a world-class space research community to maintain and strengthen European leadership and non-dependence in space systems to foster innovation in the space sector, and to enable space-based terrestrial innovation, for example by using remote sensing and navigation data.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:21";"664209" +"H2020-EU.2.1.6.1.";"de";"H2020-EU.2.1.6.1.";"";"";"Grundlagen der europäischen Wettbewerbsfähigkeit, Nicht-Abhängigkeit und Innovation im europäischen Weltraumsektor";"Competitiveness, non-dependence and innovation";"

Grundlagen der europäischen Wettbewerbsfähigkeit, Nicht-Abhängigkeit und Innovation im europäischen Weltraumsektor

Um die Führungsrolle Europas und die Nicht-Abhängigkeit in Bezug auf Weltraumsysteme zu wahren und zu verstärken, Innovation im Weltraumsektor zu fördern und weltraumgestützte terrestrische Innovationen (beispielsweise durch Fernerkundung und Navigationsdaten) zu ermöglichen, gilt es, eine wettbewerbsfähige, nachhaltige und unternehmerische Raumfahrtindustrie in Verbindung mit einer erstklassigen Weltraumforschungsgemeinschaft zu sichern und weiterzuentwickeln.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:21";"664209" +"H2020-EU.2.1.6.1.";"it";"H2020-EU.2.1.6.1.";"";"";"Favorire la competitività europea, la non dipendenza e l'innovazione del settore spaziale europeo";"Competitiveness, non-dependence and innovation";"

Favorire la competitività europea, la non dipendenza e l'innovazione del settore spaziale europeo

Questo comporta il mantenimento e l'ulteriore sviluppo di un'industria spaziale concorrenziale, sostenibile e imprenditoriale, in combinazione con una comunità di ricerca spaziale di livello mondiale, al fine di mantenere e rafforzare la leadership europea e la non dipendenza nel campo dei sistemi spaziali per promuovere l'innovazione nei sistemi spaziali, nonché per consentire l'innovazione di terra con base spaziale, ad esempio tramite l'uso dei sistemi di telerilevamento e dei dati di navigazione.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:21";"664209" +"H2020-EU.2.1.6.1.";"pl";"H2020-EU.2.1.6.1.";"";"";"Wspomaganie konkurencyjności Europy, niezależności oraz innowacji w europejskim sektorze kosmicznym";"Competitiveness, non-dependence and innovation";"

Wspomaganie konkurencyjności Europy, niezależności oraz innowacji w europejskim sektorze kosmicznym

Wiąże się to z zabezpieczeniem i dalszym rozwijaniem odznaczającego się konkurencyjnością i przedsiębiorczością oraz zrównoważonego przemysłu kosmicznego w połączeniu ze światowej klasy społecznością specjalistów ds. badań w dziedzinie przestrzeni kosmicznej, w celu utrzymania i wzmocnienia wiodącej pozycji Europy i niezależności w dziedzinie systemów kosmicznych, w celu wspierania innowacji w sektorze kosmicznym, a także wspomagania stymulowanych badaniami w przestrzeni kosmicznej innowacji na powierzchni Ziemi, np. w dziedzinie teledetekcji i danych nawigacyjnych.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:21";"664209" +"H2020-EU.2.1.6.1.";"fr";"H2020-EU.2.1.6.1.";"";"";"Assurer la compétitivité et l'indépendance de l'Europe et promouvoir l'innovation dans le secteur spatial européen";"Competitiveness, non-dependence and innovation";"

Assurer la compétitivité et l'indépendance de l'Europe et promouvoir l'innovation dans le secteur spatial européen

Il s'agit à ce titre de conserver et de renforcer encore une industrie spatiale compétitive, durable et entreprenante associée à une communauté de chercheurs d'envergure mondiale dans le domaine spatial, afin de préserver et de conforter la primauté et l'indépendance de l'Europe en matière de systèmes spatiaux, de promouvoir l'innovation dans le secteur spatial et de favoriser l'innovation terrestre fondée sur les technologies spatiales, et notamment sur l'exploitation des données de télédétection et de navigation.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:21";"664209" +"H2020-EU.2.1.6.1.";"es";"H2020-EU.2.1.6.1.";"";"";"Favorecer la competitividad, la no dependencia y la innovación en el sector espacial europeo";"Competitiveness, non-dependence and innovation";"

Favorecer la competitividad, la no dependencia y la innovación en el sector espacial europeo

Esto supone salvaguardar y seguir desarrollando una industria espacial competitiva, sostenible y emprendedora en combinación con una comunidad de investigación espacial de categoría mundial para mantener y fortalecer el liderazgo europeo y la no dependencia en sistemas espaciales para fomentar la innovación en el sector espacial y hacer posible la innovación en tierra a partir del espacio, por ejemplo mediante la teledetección y los datos para navegación.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:21";"664209" +"H2020-EU.2.1.6.";"de";"H2020-EU.2.1.6.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Raumfahrt";"Space";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Raumfahrt

Einzelziel für die Raumfahrt

Einzelziel der Weltraumforschung und -innovation ist die Förderung einer kosteneffizienten, wettbewerbsfähigen und innovativen Raumfahrtindustrie (einschließlich der KMU) und Forschungsgemeinschaft, um mit Hilfe der Entwicklung und Nutzung der Raumfahrtinfrastruktur künftige Bedürfnisse der Unionspolitik und Gesellschaft befriedigen zu können.Die Stärkung des europäischen öffentlichen und privaten Raumfahrtsektors durch Förderung der Weltraumforschung und -innovation ist unerlässlich, damit Europa auch in Zukunft in der Lage ist, den Weltraum zu nutzen, um die Unionspolitik, internationale strategische Interessen und die Wettbewerbsfähigkeit gegenüber etablierten und neuen Raumfahrtnationen zu unterstützen. Auf Unionsebene werden im Hinblick auf die Schaffung von Komplementarität zwischen den verschiedenen Akteuren Maßnahmen der Union in Verbindung mit Tätigkeiten im Bereich der Weltraumforschung der Mitgliedstaaten und der Europäischen Weltraumorganisation (ESA) durchgeführt.

Begründung und Mehrwert für die Union

Der Weltraum bietet wichtige, doch häufig unsichtbare Voraussetzungen für unterschiedlichste Dienste und Produkte, die für die moderne Gesellschaft unerlässlich sind, wie beispielsweise die Navigation und Kommunikation sowie Wettervorhersagen und geografische Informationen, die durch die satellitengestützte Erdbeobachtung bereitgestellt werden. Festlegung und Durchführung politischer Maßnahmen auf europäischer, nationaler und regionaler Ebene hängen zunehmend von weltraumgestützten Daten ab. Der Weltraumsektor wächst weltweit rasant und erfasst neue Regionen (z. B. China, Südamerika und Afrika). Die europäische Industrie exportiert derzeit in beträchtlichem Umfang erstklassige Satelliten für kommerzielle und wissenschaftliche Zwecke. Europas Position auf diesem Gebiet wird aber durch den zunehmenden globalen Wettbewerb gefährdet.Damit hat Europa ein Interesse daran, dass seine Industrie sich auch weiterhin auf diesem hart umkämpften Markt behaupten kann. Außerdem ermöglichten Daten von europäischen Wissenschaftssatelliten und Raumsonden einige der bedeutsamsten wissenschaftlichen Durchbrüche der letzten Jahrzehnte in Geowissenschaften, Grundlagenphysik, Astronomie und Planetologie. Darüber hinaus haben innovative Weltraumtechnologien wie beispielsweise die Robotik zum Fortschritt von Know-how und Technologie in Europa beigetragen. Mit seinen einzigartigen Kapazitäten spielt der europäische Raumfahrtsektor eine kritische Rolle bei der Bewältigung der in der Strategie Europa 2020 genannten Herausforderungen.Forschung, technologische Entwicklung und Innovation untermauern die Weltraumkapazitäten, die für die europäische Gesellschaft unerlässlich sind. Während die Vereinigten Staaten etwa 25 % ihres Raumfahrtbudgets für FuE ausgeben, liegt dieser Anteil in der Union unter 10 %. Überdies wird die Weltraumforschung in der Union in den nationalen Programmen der Mitgliedstaaten, den Programmen der ESA und den Forschungsrahmenprogrammen der Union behandelt.Um den Technologie- und Wettbewerbsvorsprung Europas zu halten und Renditen aus den Investitionen zu erzielen, sind Maßnahmen auf Unionsebene gemäß Artikel 4 Absatz 3 und Artikel 189 AEUV in Verbindung mit der Weltraumforschung der Mitgliedstaaten und der ESA notwendig, die seit 1975 für die ESA-Mitgliedstaaten die industrielle Satellitenentwicklung und Weltraummissionen auf zwischenstaatlicher Basis geleitet hat. Maßnahmen auf Unionsebene sind auch notwendig, um die Beteiligung der besten Forscher aus allen Mitgliedstaaten zu fördern und die Hemmnisse für die kooperative Weltraumforschung über nationale Grenzen hinweg abzubauen.Außerdem werden die von europäischen Satelliten gelieferten Daten ein wachsendes Potenzial für weitere Entwicklungen innovativer satellitengestützter nachgelagerter Dienstleistungen bieten. Dieser gerade für KMU typische Tätigkeitsbereich sollte durch Forschungs- und Innovationsmaßnahmen unterstützt werden, um die sich bietenden Möglichkeiten und insbesondere die beträchtlichen Investitionen für die beiden Unionsprogramme Galileo und Copernicus voll nutzen zu können.Seinem Wesen nach kennt der Weltraum keine terrestrischen Grenzen und bietet damit einen einzigartigen Ausgangspunkt globaler Dimension für Großprojekte, die in internationaler Zusammenarbeit durchgeführt werden. Um bei derartigen internationalen Raumfahrtaktivitäten in den nächsten Jahrzehnten eine wichtige Rolle spielen zu können, ist eine gemeinsame europäische Weltraumpolitik ebenso unerlässlich wie Weltraumforschung und Innovationsaktivitäten auf europäischer Ebene.Die im Rahmen von Horizont 2020 angestrebte Weltraumforschung und -innovation steht im Einklang mit den Schwerpunkten der Weltraumpolitik der Union und den Erfordernissen der europäischen operativen Programme, wie sie weiterhin von den Rat und der Kommission festgelegt werden.Europäische Weltrauminfrastrukturen wie die Programme Copernicus und Galileo sind strategische Investitionen, für die die Entwicklung innovativer nachgelagerter Anwendungen erforderlich ist. Zu diesem Zweck wird der Einsatz von Weltraumtechnologien gegebenenfalls über die Einzelziele des Schwerpunkts ""Gesellschaftliche Herausforderungen"" gefördert – mit dem Ziel, den sozioökonomischen Nutzen sowie eine Investitionsrendite und eine europäische Führungsrolle bei den nachgelagerten Anwendungen sicherzustellen.

Einzelziele und Tätigkeiten in Grundzügen

(a) Grundlagen der europäischen Wettbewerbsfähigkeit, Nicht-Abhängigkeit und Innovation im europäischen Weltraumsektor

Um die Führungsrolle Europas und die Nicht-Abhängigkeit in Bezug auf Weltraumsysteme zu wahren und zu verstärken, Innovation im Weltraumsektor zu fördern und weltraumgestützte terrestrische Innovationen (beispielsweise durch Fernerkundung und Navigationsdaten) zu ermöglichen, gilt es, eine wettbewerbsfähige, nachhaltige und unternehmerische Raumfahrtindustrie in Verbindung mit einer erstklassigen Weltraumforschungsgemeinschaft zu sichern und weiterzuentwickeln.

(b) Grundlagen für Fortschritte in den Weltraumtechnologien

Ziel ist die Entwicklung fortgeschrittener und grundlegender Weltraumtechnologien und operativer Konzepte von der Idee bis zur Demonstration im Weltraum. Dies schließt Technologien für einen besseren Zugang zum Weltraum, Technologien zum Schutz der Weltraumsysteme vor Bedrohungen durch beispielsweise Weltraummüll oder Sonneneruptionen sowie Telekommunikation, Navigation und Fernerkundung über Satelliten ein. Die Entwicklung und Anwendung fortgeschrittener Weltraumtechnologien erfordert die kontinuierliche Aus- und Weiterbildung hochqualifizierter Ingenieure und Wissenschaftler sowie eine enge Verbindung zwischen diesen und den Nutzern der Raumfahrtanwendungen.

(c) Grundlagen für die Nutzung von Weltraumdaten

Die Nutzung der Daten europäischer – wissenschaftlich, öffentlich oder kommerziell betriebener – Satelliten lässt sich deutlich erhöhen, wenn auf der Grundlage des Artikels 189 AEUV größere Anstrengungen in Bezug auf die Verarbeitung, Archivierung, Validierung, Standardisierung und nachhaltige Verfügbarkeit der Weltraumdaten sowie die Förderung der Entwicklung neuer Informationsprodukte und -dienste, die sich auf diese Daten stützen, unternommen werden, einschließlich Innovationen bei der Handhabung, Weitergabe und Kompatibilität der Daten, vor allem Förderung des Zugangs zu und des Austauschs von geowissenschaftlichen Daten und Metadaten. Diese Tätigkeiten können auch höhere Renditen der Investitionen in die Weltrauminfrastruktur sicherstellen und zur Bewältigung gesellschaftlicher Herausforderungen dann beitragen, wenn sie global koordiniert werden, etwa im Rahmen des Globalen Überwachungssystems für Erdbeobachtungssysteme (GEOSS) – insbesondere durch vollständige Ausschöpfung des Potenzials des GMES-Programms als wichtigstem europäischem Beitrag hierzu – des europäischen Satellitennavigationsprogramms Galileo oder des Zwischenstaatlichen Sachverständigenrats für Klimafragen (IPCC). Eine rasche Einbeziehung dieser Innovationen in die einschlägigen Anwendungs- und Entscheidungsprozesse wird unterstützt. Dies schließt auch die Auswertung von Daten für weitere wissenschaftliche Untersuchungen ein.

(d) Beitrag der europäischen Forschung zu internationalen Weltraumpartnerschaften

Weltraumunternehmungen haben einen grundlegend globalen Charakter Dies wird insbesondere bei Tätigkeiten wie der Weltraumlageerfassung und bei vielen Projekten der Weltraumwissenschaft und Weltraumerkundung deutlich. Die Entwicklung modernster Weltraumtechnologien findet zunehmend innerhalb solcher internationaler Partnerschaften statt. Für die europäische Forschung und Industrie wäre es ein wichtiger Erfolgsfaktor, sich den Zugang zu diesen Partnerschaften zu sichern. Die Festlegung und Umsetzung von langfristig angelegten Fahrplänen und die Abstimmung mit den Partnern auf internationaler Ebene sind wesentlich für die Verwirklichung dieses Ziels.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:42:17";"664207" +"H2020-EU.2.1.6.";"en";"H2020-EU.2.1.6.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Space";"Space";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Space

Specific objective for space

The specific objective of space research and innovation is to foster a cost-effective competitive and innovative space industry (including SMEs) and research community to develop and exploit space infrastructure to meet future Union policy and societal needs.Strengthening the European public and private space sector by boosting space research and innovation is vital to maintain and safeguard Europe's capability to use space in support of Union policies, international strategic interests and competitiveness amongst established and emerging space faring nations. Action at Union level will be carried out in conjunction with space research activities of the Member States and the European Space Agency (ESA), aiming at building up complementarity amongst different actors.

Rationale and Union added value

Space is an important, but frequently invisible enabler of diverse services and products crucial to modern day society, such as navigation and communication, as well as weather forecasts and geographic information derived from Earth observation by satellites. Policy formulation and implementation at European, national and regional level increasingly depend on space-derived information. The global space sector is rapidly growing and expanding into new regions (e.g. China, South America and Africa). European industry is at present a considerable exporter of first-class satellites for commercial and scientific purposes. Increasing global competition is challenging Europe's position in this area.Thus Europe has an interest in ensuring that its industry continues to thrive in this fiercely competitive market. In addition, data from European science satellites and probes have resulted in some of the most significant scientific breakthroughs in the last decades in Earth sciences, fundamental physics, astronomy and planetology. In addition, innovative space technologies, e.g. robotics, have contributed to the progress of knowledge and technology in Europe. With this unique capacity, the European space sector has a critical role to play in addressing the challenges identified by the Europe 2020 strategy.Research, technology development and innovation underpin capacities in space which are vital to European society. While the United States spends around 25 % of its space budget on R&D, the Union spends less than 10 %. Moreover, space research in the Union is addressed in the national programmes of Member States, ESA programmes and the Union Framework Programmes for research.To maintain Europe's technological and competitive edge and to capitalise on investments, Union level action, having regard to Article 4(3) and Article 189 TFEU, is needed in conjunction with the space research activities of the Member States and the ESA, which has managed industrial satellite development and deep space missions on an intergovernmental basis for the ESA Member States since 1975. Union level action is also needed to promote the participation of the best researchers from all Member States, and to lower the barriers for collaborative space research projects across national borders.In addition, the information provided by European satellites will offer an increasing potential for further development of innovative satellite-based downstream services. This is a typical activity sector for SMEs and should be supported by research and innovation measures in order to reap the full benefits of this opportunity, and especially of the considerable investments made on the two Union programmes Galileo and Copernicus.Space naturally transcends terrestrial boundaries, providing a unique vantage point of global dimension, thus giving rise to large-scale projects which are carried out in international co-operation. To play a significant role in such international space activities in the next decades, both a common European space policy and European level space research and innovation activities are indispensable.Space research and innovation under Horizon 2020 aligns with the Union space policy priorities and the needs of the European operational programmes as they continue to be defined by the Council and the Commission (6).European Space infrastructure such as the Copernicus and Galileo programmes are a strategic investment, and the development of innovative downstream applications is necessary. To this end, the application of space technologies shall be supported through the respective specific objectives of the priority 'Societal challenges', where appropriate, with the aim of securing socio-economic benefits as well as return on investment and European leadership in downstream applications.

Broad lines of the activities

(a) Enabling European competitiveness, non-dependence and innovation of the European space sector

This entails safeguarding and further developing a competitive, sustainable and entrepreneurial space industry in combination with a world-class space research community to maintain and strengthen European leadership and non-dependence in space systems to foster innovation in the space sector, and to enable space-based terrestrial innovation, for example by using remote sensing and navigation data.

(b) Enabling advances in space technologies

This aims at developing advanced and enabling space technologies and operational concepts from idea to demonstration in space. This includes technologies supporting access to space, technologies for the protection of space assets from threats such as debris and solar flares, as well as satellite telecommunication, navigation and remote sensing. The development and application of advanced space technologies requires the continuous education and training of highly skilled engineers and scientists as well as strong links between them and the users of space applications.

(c) Enabling exploitation of space data

A considerably increased exploitation of data from European satellites (scientific, public or commercial) can be achieved if further effort is made for the processing, archiving, validation, standardisation and sustainable availability of space data as well as for supporting the development of new information products and services resulting from those data, having regard to Article 189 TFEU, including innovations in data handling, dissemination and interoperability, in particular promotion of access to and exchange of Earth science data and metadata. These activities can also ensure a higher return on investment of space infrastructure and contribute to tackling societal challenges, in particular if coordinated in a global effort such as through the Global Earth Observation System of Systems (GEOSS), namely by fully exploiting the Copernicus programme as its main European contribution, the European satellite navigation programme Galileo or the Intergovernmental Panel on Climate Change (IPCC) for climate change issues. A fast introduction of these innovations into the relevant application and decision-making processes will be supported. This also includes the exploitation of data for further scientific investigation.

(d) Enabling European research in support of international space partnerships

Space undertakings have a fundamentally global character. This is particularly clear for activities such as Space Situational Awareness (SSA), and many space science and exploration projects. The development of cutting edge space technology is increasingly taking place within such international partnerships. Ensuring access to these constitutes an important success factor for European researchers and industry. The definition and implementation of long-term roadmaps and the coordination with international partners are essential to this objective.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:42:17";"664207" +"H2020-EU.2.1.6.";"it";"H2020-EU.2.1.6.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali – Spazio";"Space";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali – Spazio

Obiettivo specifico per lo spazio

L'obiettivo specifico della ricerca e dell'innovazione nel settore spaziale è promuovere un'industria (comprese le PMI) e una comunità di ricerca spaziali efficienti in termini di costi, concorrenziali e innovative al fine di sviluppare e sfruttare le infrastrutture spaziali per soddisfare le future esigenze della politica dell'Unione e della società.Rafforzare il settore spaziale europeo pubblico e privato per mezzo della promozione della ricerca e dell'innovazione spaziali è essenziale per mantenere e garantire la capacità dell'Europa di usare lo spazio a sostegno delle politiche dell'Unione, degli interessi strategici internazionali e della competitività tra nazioni consolidate ed emergenti in ambito spaziale. Le azioni a livello dell'Unione saranno attuate congiuntamente alle attività di ricerca spaziale degli Stati membri e dell'Agenzia spaziale europea (ESA), mirando a creare complementarità tra i diversi attori.

Motivazione e valore aggiunto dell'Unione

Lo spazio è un importante ma spesso invisibile motore di diversi servizi e prodotti fondamentali per la società moderna, come la navigazione e la comunicazione, nonché le previsioni meteorologiche e le informazioni geografiche basate sull'osservazione della Terra mediante satelliti. La formulazione e l'attuazione delle politiche a livello europeo, nazionale e regionale dipendono sempre più da informazioni derivanti dallo spazio. Il settore spaziale globale è in rapida crescita ed espansione in nuove regioni (ad esempio in Cina, Sud America e Africa). L'industria europea è attualmente un notevole esportatore di satelliti di prim'ordine per usi scientifici e commerciali. La crescente concorrenza mondiale rappresenta una sfida per la posizione dell'Europa in questo settore.L'Europa ha quindi interesse a garantire che la sua industria continui a prosperare in questo mercato estremamente competitivo. I dati delle sonde e dei satelliti scientifici europei hanno consentito inoltre alcuni tra i più importanti risultati scientifici degli ultimi decenni nell'ambito delle scienze della Terra, della fisica fondamentale, dell'astronomia e della planetologia. Inoltre le tecnologie spaziali innovative quali la robotica hanno contribuito al progresso della conoscenza e della tecnologia in Europa. Grazie a questa capacità unica, il settore spaziale europeo svolge un ruolo essenziale nell'affrontare le sfide identificate dalla strategia Europa 2020.Ricerca, sviluppo tecnologico e innovazione sostengono capacità nel settore spaziale di vitale importanza per la società europea. Mentre gli Stati Uniti spendono circa il 25 % del loro bilancio in ambito spaziale per R&S, l'Unione ne spende meno del 10 %. La ricerca spaziale nell'Unione è inoltre affrontata nei programmi nazionali degli Stati membri, nei programmi dell'ESA e nei programmi quadro di ricerca dell'Unione.Per mantenere il vantaggio tecnologico e concorrenziale dell'Europa e mettere a frutto gli investimenti occorre intervenire a livello di Unione, tenendo conto dell'articolo 4, paragrafo 3, e dell'articolo 189 TFUE, in congiunzione con le attività di ricerca spaziale degli Stati membri e dell'ESA, che dal 1975 gestisce su base intergovernativa, per gli Stati membri che aderiscono all'ESA, lo sviluppo dei satelliti industriali e le missioni nello spazio profondo. Occorre intervenire a livello di Unione anche per promuovere la partecipazione dei migliori ricercatori provenienti da tutti gli Stati membri e ridurre le barriere transfrontaliere ai progetti collaborativi di ricerca spaziale.Le informazioni fornite dai satelliti europei offriranno inoltre un potenziale crescente di ulteriore sviluppo di servizi satellitari innovativi discendenti. Si tratta di un tipico settore di attività per le PMI ed è opportuno che sia sostenuto da misure di ricerca e innovazione al fine di cogliere tutti i benefici di questa possibilità, in particolare dei notevoli investimenti effettuati sui due programmi dell'Unione Galileo e Copernicus.Lo spazio trascende naturalmente i confini terrestri, offrendo un punto di osservazione unico di dimensione mondiale, suscettibile di dar luogo a progetti su vasta scala svolti attraverso la cooperazione internazionale. Per svolgere un ruolo significativo in queste attività spaziali internazionali nei prossimi decenni, sono indispensabili sia una politica spaziale europea comune, sia attività di ricerca e innovazione nel settore spaziale a livello europeo.La ricerca e l'innovazione spaziali nell'ambito di Orizzonte 2020 sono allineate alle priorità della politica spaziale dell'Unione e alle esigenze dei programmi operativi europei, poiché continuano a essere definite dal Consiglio e dalla Commissione.Le infrastrutture spaziali europee quali i programmi Copernicus e Galileo costituiscono un investimento strategico ed è necessario sviluppare applicazioni innovative a valle. A tal fine l'applicazione delle tecnologie spaziali è sostenuta, ove adeguato, attraverso i rispettive obiettivi specifici della priorità ""Sfide per la società"", al fine di assicurare i vantaggi socioeconomici nonché il ritorno sugli investimenti e la leadership europea nelle applicazioni a valle.

Le grandi linee delle attività

(a) Favorire la competitività europea, la non dipendenza e l'innovazione del settore spaziale europeo

Questo comporta il mantenimento e l'ulteriore sviluppo di un'industria spaziale concorrenziale, sostenibile e imprenditoriale, in combinazione con una comunità di ricerca spaziale di livello mondiale, al fine di mantenere e rafforzare la leadership europea e la non dipendenza nel campo dei sistemi spaziali per promuovere l'innovazione nei sistemi spaziali, nonché per consentire l'innovazione di terra con base spaziale, ad esempio tramite l'uso dei sistemi di telerilevamento e dei dati di navigazione.

(b) Consentire progressi nell'ambito delle tecnologie spaziali

Quest'iniziativa mira a sviluppare tecnologie spaziali avanzate e abilitanti e concetti operativi dall'idea alla dimostrazione nello spazio. Ciò comprende le tecnologie a sostegno dell'accesso allo spazio, le tecnologie per la protezione dei dispositivi spaziali da minacce quali detriti spaziali ed eruzioni solari, nonché per le telecomunicazioni satellitari, la navigazione e il telerilevamento. Lo sviluppo e l'applicazione di tecnologie spaziali avanzate richiede un'istruzione e una formazione continue di ingegneri e scienziati altamente qualificati, nonché forti connessioni tra questi e gli utenti delle applicazioni spaziali.

(c) Permettere lo sfruttamento dei dati spaziali

È possibile conseguire un aumento considerevole dello sfruttamento dei dati provenienti dai satelliti europei (scientifici, pubblici o commerciali) con un ulteriore sforzo per il trattamento, l'archiviazione, la convalida, la standardizzazione e la disponibilità sostenibile dei dati spaziali, nonché per sostenere lo sviluppo di nuovi prodotti e servizi di informazione derivanti da tali dati, tenendo conto dell'articolo 189 TFUE, ivi incluse le innovazioni nella gestione, nella diffusione e nell'interoperabilità dei dati, segnatamente la promozione dell'accesso a dati e metadati delle scienze della Terra e dello scambio di questi ultimi. Tali attività possono altresì garantire un ritorno degli investimenti più elevato per le infrastrutture spaziali e contribuire ad affrontare le sfide per la società, in particolare se coordinate in uno sforzo globale, come per esempio attraverso il Sistema di sistemi per l'osservazione globale della terra (GEOSS), vale a dire sfruttando appieno il programma Copernicus in quanto principale contributo europeo, il programma europeo di navigazione satellitare Galileo o il Gruppo intergovernativo di esperti sul cambiamento climatico (IPCC) per le questioni legate ai cambiamenti climatici. Sarà dato sostegno a una rapida introduzione di tali innovazioni nei pertinenti processi decisionali e di applicazione. Ciò comprende altresì l'utilizzo dei dati per ulteriori indagini scientifiche.

(d) Promuovere la ricerca europea per sostenere partenariati internazionali nel settore dello spazio

Le imprese spaziali hanno una natura intrinsecamente globale. Questo è particolarmente evidente per attività quale il sistema di sorveglianza dell'ambiente spaziale (Space Situational Awareness, SSA) e molti progetti di scienze ed esplorazione spaziali. Lo sviluppo di una tecnologia spaziale di punta avviene sempre più nell'ambito di partenariati di tipo internazionale. Garantire l'accesso a queste iniziative rappresenta un importante fattore di successo per l'industria e i ricercatori europei. La definizione e l'attuazione di tabelle di marcia a lungo termine e il coordinamento con i partner internazionali sono fondamentali per il conseguimento di tale obiettivo.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:42:17";"664207" +"H2020-EU.2.1.6.";"pl";"H2020-EU.2.1.6.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Przestrzeń kosmiczna";"Space";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Przestrzeń kosmiczna

Cel szczegółowy w dziedzinie przestrzeni kosmicznej

Celem szczegółowym badań naukowych i innowacji w dziedzinie przestrzeni kosmicznej jest wspieranie racjonalnego kosztowo, konkurencyjnego i innowacyjnego przemysłu kosmicznego (w tym MŚP) i środowiska naukowego w celu rozwijania i eksploatacji infrastruktury na potrzeby takiej działalności, z myślą o zaspokojeniu przyszłych potrzeb politycznych i społecznych Unii.Wzmocnienie europejskiego publicznego i prywatnego sektora kosmicznego poprzez wspieranie badań naukowych i innowacji dotyczących przestrzeni kosmicznej ma podstawowe znaczenie dla utrzymania i zabezpieczenia zdolności Europy do wykorzystywania przestrzeni kosmicznej z myślą o polityce Unii, międzynarodowych interesach strategicznych i konkurencyjności wśród państw prowadzących politykę kosmiczną, zarówno mających już ugruntowaną pozycję, jak i stawiających pierwsze kroki. Działania na szczeblu Unii będą realizowane w połączeniu z badaniami przestrzeni kosmicznej prowadzonymi przez państwa członkowskie i Europejską Agencję Kosmiczną (ESA) w dążeniu do zwiększenia komplementarności działań różnych podmiotów.

Uzasadnienie i unijna wartość dodana

Przestrzeń kosmiczna to ważny, ale często niewidoczny czynnik wspomagający rozwój różnych usług i produktów istotnych dla dzisiejszego społeczeństwa, takich jak nawigacja i komunikacja, a także prognozy pogody i informacja geograficzna oparte na danych pochodzących z obserwacji Ziemi z satelitów. Formułowanie i wdrażanie polityki na szczeblu europejskim, krajowym i regionalnym w coraz większym stopniu zależy od informacji pozyskiwanych w przestrzeni kosmicznej. Globalny sektor kosmiczny rozwija się w szybkim tempie i obejmuje nowe regiony (np. Chiny, Amerykę Południową oraz Afrykę). Przemysł europejski jest obecnie ważnym eksporterem najwyższej jakości satelitów wykorzystywanych w celach komercyjnych i naukowych. Coraz większa konkurencja globalna zagraża pozycji Europy.W związku z tym Europa powinna zapewnić dalsze powodzenie swojego przemysłu na tym bardzo konkurencyjnym rynku. Ponadto dane zgromadzone przez europejskie satelity i sondy naukowe doprowadziły do niektórych spośród najważniejszych przełomów ostatnich dziesięcioleci w naukach o Ziemi, fizyce podstawowej, astronomii i planetologii. Poza tym innowacyjne technologie kosmiczne, np. robotyka, przyczyniły się do postępu wiedzy i techniki w Europie. Dzięki temu wyjątkowemu potencjałowi europejski sektor kosmiczny ma do odegrania bardzo ważną rolę w stawianiu czoła wyzwaniom określonym w strategii „Europa 2020”.Badania naukowe, rozwój technologii i innowacje stanowią podstawę potencjału w zakresie przemysłu kosmicznego niezbędnego społeczeństwu europejskiemu. Podczas gdy Stany Zjednoczone wydają ok. 25% ich budżetu w dziedzinie przestrzeni kosmicznej na działalność badawczo-rozwojową, w Unii odsetek ten wynosi mniej niż 10%. Ponadto badania naukowe w zakresie przestrzeni kosmicznej w Unii są uwzględnione w programach krajowych państw członkowskich, programach ESA oraz programach ramowych Unii w zakresie badań.Aby utrzymać przewagę konkurencyjną i technologiczną Europy oraz wykorzystać dokonane inwestycje, niezbędne są działania na szczeblu unijnym – z uwzględnieniem art. 4 ust. 3 i art. 189 TFUE – w połączeniu z działaniami w zakresie badań przestrzeni kosmicznej prowadzonymi przez państwa członkowskie i ESA, która od roku 1975 zarządza rozwojem satelitów przemysłowych i misjami kosmicznymi w imieniu państw członkowskich ESA na zasadzie współpracy międzyrządowej. Działania na szczeblu Unii są również konieczne po to, by promować udział najlepszych naukowców ze wszystkich państw członkowskich i aby obniżyć bariery we współpracy ponad granicami państwowymi w dziedzinie kosmicznych projektów badawczych.Ponadto informacje przekazywane przez europejskie satelity będą zapewniać coraz większy potencjał dalszego rozwoju satelitarnych, innowacyjnych usług niższego szczebla. Jest to typowy sektor działalności MŚP, który powinien być wspierany środkami w zakresie badań naukowych i innowacji w celu osiągnięcia pełnych korzyści związanych z możliwościami dostępnymi w tej dziedzinie, w szczególności w związku ze znacznymi inwestycjami poczynionymi w ramach dwóch programów Unii – Galileo i Copernicus.Przestrzeń kosmiczna w sposób naturalny przekracza ziemskie granice, stanowiąc jedyną w swoim rodzaju dziedzinę o wymiarze globalnym, zarazem stając się miejscem realizacji wielkoskalowych projektów prowadzonych we współpracy międzynarodowej. Wspólna europejska polityka w zakresie przestrzeni kosmicznej i badania naukowe na szczeblu europejskim są niezbędne dla odegrania ważnej roli w międzynarodowych działaniach dotyczących przestrzeni kosmicznej w nadchodzących dziesięcioleciach.Badania naukowe i innowacje dotyczące przestrzeni kosmicznej prowadzone w ramach programu „Horyzont 2020” odpowiadają priorytetom polityki kosmicznej Unii oraz potrzebom europejskich programów operacyjnych definiowanym przez Radę i Komisję (6).Europejska infrastruktura kosmiczna, taka jak infrastruktura programów Copernicus i Galileo, to inwestycje strategiczne, konieczny jest zatem rozwój innowacyjnych zastosowań niższego szczebla. Z tego względu zastosowanie technologii kosmicznych wspiera się w ramach odpowiednich celów szczegółowych priorytetu „Wyzwania społeczne”, w stosownych przypadkach z myślą o zapewnieniu korzyści społeczno-gospodarczych, a także o zwrocie z inwestycji i wiodącej roli Europy w zakresie zastosowań niższego szczebla.

Ogólne kierunki działań

(a) Wspomaganie konkurencyjności Europy, niezależności oraz innowacji w europejskim sektorze kosmicznym

Wiąże się to z zabezpieczeniem i dalszym rozwijaniem odznaczającego się konkurencyjnością i przedsiębiorczością oraz zrównoważonego przemysłu kosmicznego w połączeniu ze światowej klasy społecznością specjalistów ds. badań w dziedzinie przestrzeni kosmicznej, w celu utrzymania i wzmocnienia wiodącej pozycji Europy i niezależności w dziedzinie systemów kosmicznych, w celu wspierania innowacji w sektorze kosmicznym, a także wspomagania stymulowanych badaniami w przestrzeni kosmicznej innowacji na powierzchni Ziemi, np. w dziedzinie teledetekcji i danych nawigacyjnych.

(b) Wspomaganie postępów w zakresie technologii kosmicznych

Ma to na celu opracowanie zaawansowanych i prorozwojowych technologii kosmicznych i koncepcji operacyjnych od poziomu pomysłu po demonstrację w przestrzeni kosmicznej. Obejmuje to technologie wspomagające dostęp do przestrzeni kosmicznej, technologie służące ochronie systemów kosmicznych przed zagrożeniami takimi jak kosmiczne śmieci i rozbłyski słoneczne, oraz satelitarne technologie łączności, nawigacji i teledetekcji. Opracowanie i zastosowanie zaawansowanych technologii kosmicznych wymaga ciągłego kształcenia i szkolenia wysoce wykwalifikowanych inżynierów i naukowców, a także silnych powiązań między nimi a użytkownikami zastosowań kosmicznych.

(c) Umożliwienie wykorzystania danych pozyskanych w przestrzeni kosmicznej

Znaczną intensyfikację wykorzystania danych pochodzących z satelitów europejskich (naukowych, publicznych lub komercyjnych) można osiągnąć, jeżeli kontynuowane będą wysiłki w zakresie przetwarzania, archiwizowania, walidacji i standaryzacji oraz trwałej dostępności danych pozyskanych w przestrzeni kosmicznej, a także w zakresie wspierania rozwoju nowych produktów i usług informacyjnych opartych na tych danych – z uwzględnieniem art. 189 TFUE – w tym innowacji w zakresie przetwarzania, upowszechniania i interoperacyjności danych; w szczególności wspieranie dostępu do naukowych danych i metadanych dotyczących Ziemi oraz ich wymiana. Takie działania mogą również zapewnić większy zwrot z inwestycji w infrastrukturę kosmiczną i przyczynić się do sprostania wyzwaniom społecznym, w szczególności w przypadku ich skoordynowania w ramach globalnego wysiłku, np. poprzez Globalną Sieć Systemów Obserwacji Ziemi (GEOSS), tj. poprzez pełne wykorzystanie programu Copernicus jako głównego wkładu europejskiego w tę sieć, europejski program nawigacji satelitarnej Galileo lub Międzyrządowego Zespołu ds. Zmian Klimatu (IPCC) w odniesieniu do kwestii dotyczących zmiany klimatu. Wspierane będzie szybkie wprowadzenie tych innowacji do odpowiednich zastosowań i procesów decyzyjnych. Obejmuje to również wykorzystywanie danych do dalszych badań naukowych.

(d) Umożliwienie prowadzenia europejskich badań naukowych wspierających międzynarodowe partnerstwa w dziedzinie przestrzeni kosmicznej

Przedsięwzięcia kosmiczne mają zasadniczo globalny charakter. Jest to szczególnie wyraźne w przypadku takich operacji, jak orientacja sytuacyjna w przestrzeni kosmicznej oraz wiele kosmicznych misji naukowych i eksploracyjnych. Przełomowe technologie kosmiczne w coraz większym stopniu opracowywane są w ramach takich partnerstw międzynarodowych. Zapewnienie dostępu do nich stanowi ważny czynnik decydujący o powodzeniu europejskich naukowców i przemysłu. Kluczem do osiągnięcia tego celu jest określenie i wykonanie długoterminowych planów działań oraz koordynacja z partnerami międzynarodowymi.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:42:17";"664207" +"H2020-EU.2.1.6.";"fr";"H2020-EU.2.1.6.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles – Espace";"Space";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles – Espace

Objectif spécifique concernant l'espace

L'objectif spécifique de la recherche et de l'innovation dans le domaine de l'espace est de promouvoir le caractère rentable, compétitif et innovant de l'industrie spatiale (y compris les PME) et de la communauté des chercheurs, pour permettre le développement et l'exploitation d'une infrastructure spatiale capable de répondre aux futurs besoins stratégiques et sociétaux de l'Union.Renforcer le secteur spatial européen, tant public que privé, en favorisant la recherche et l'innovation dans le domaine de l'espace est essentiel pour préserver et sauvegarder la capacité de l'Europe d'utiliser l'espace, de manière à soutenir les politiques de l'Union, à défendre les intérêts stratégiques internationaux et à garantir la compétitivité de l'Union face aux nations spatiales établies et émergentes. L'action au niveau de l'Union sera menée en liaison avec les activités de recherche spatiale menées par les États membres et l'Agence spatiale européenne (ESA), l'objectif étant de développer la complémentarité entre les différents acteurs.

Justification et valeur ajoutée de l'Union

L'espace est un support important, mais souvent invisible, pour une variété de produits et de services indispensables à la société moderne, tels que la navigation et les communications, ainsi que les prévisions météorologiques et les informations géographiques fournies par les satellites d'observation de la terre. La définition et la mise en œuvre des politiques à l'échelon européen, national et régional sont de plus en plus dépendantes d'informations provenant d'applications spatiales. Sur la scène mondiale, le secteur spatial est en forte croissance et s'étend rapidement à de nouvelles régions (telles que la Chine, l'Amérique du Sud et l'Afrique). L'industrie européenne est actuellement un très grand exportateur de satellites de première qualité destinés à une exploitation scientifique et commerciale. La concurrence croissante sur la scène internationale menace la position de l'Europe dans ce domaine.Cette dernière a donc tout intérêt à poser les conditions qui permettront à son industrie de continuer à prospérer sur ce marché hautement concurrentiel. Les données provenant des sondes et des satellites scientifiques européens ont par ailleurs permis certaines des avancées scientifiques les plus significatives des dernières décennies dans le domaine des sciences de la terre, de la physique fondamentale, de l'astronomie et de la planétologie. En outre, les technologies spatiales innovantes, par exemple la robotique, ont contribué au progrès des connaissances et des techniques en Europe. De par cette capacité exceptionnelle, le secteur spatial européen a un rôle fondamental à jouer en vue de relever les défis recensés dans le cadre de la stratégie Europe 2020.La recherche, le développement technologique et l'innovation sous-tendent les capacités dans le domaine spatial, qui sont essentielles à la société européenne. Alors que les États-Unis consacrent environ 25 % du budget de leur politique spatiale aux activités de recherche et de développement, cette proportion n'atteint pas 10 % au sein de l'Union. La recherche spatiale au sein de l'Union est par ailleurs répartie entre les programmes nationaux des États membres, les programmes de l'ESA et les programmes-cadres de l'Union pour la recherche.Pour rester à la pointe sur le plan technologique et concurrentiel tout en tirant parti des investissements consentis, il convient d'agir à l'échelle de l'Union, compte tenu de l'article 4, paragraphe 3, et de l'article 189 du traité sur le fonctionnement de l'Union européenne, en liaison avec les activités de recherches spatiales menées par les États membres et l'ESA, agence qui, depuis 1975, gère sur une base intergouvernementale, au nom de ses États membres, le développement industriel des satellites et les missions vers l'espace lointain. Il convient également d'agir à l'échelle de l'Union pour promouvoir la participation des meilleurs chercheurs de l'ensemble des États membres et réduire les entraves aux projets de recherche collaboratifs transnationaux dans le domaine spatial.Les informations apportées par les satellites européens offriront par ailleurs de plus en plus d'occasions de développer des services satellitaires en aval innovants. Il s'agit d'un secteur d'activité typiquement ouvert aux PME, qui devrait être soutenu par des mesures en faveur de la recherche et de l'innovation de manière à tirer pleinement profit des possibilités qu'il offre, et notamment des investissements considérables réalisés dans le cadre des deux programmes de l'Union que sont Galileo et Copernicus.Les questions liées à l'espace transcendent naturellement les frontières terrestres et offrent une assise unique à la collaboration mondiale, permettant ainsi la réalisation de projets d'envergure dans le cadre d'une coopération internationale. Pour jouer un rôle significatif dans de telles activités spatiales internationales au cours des prochaines décennies, l'Europe doit impérativement se doter d'une politique spatiale commune et mener, à son niveau, des activités de recherche et d'innovation dans le domaine spatial.Les activités de recherche et d'innovation dans le domaine spatial réalisées dans le cadre d'Horizon 2020 sont alignées sur les priorités de la politique spatiale européenne, ainsi que sur les besoins des programmes opérationnels européens, qui restent définis par le Conseil et la Commission.Les infrastructures spatiales européennes telles que les programmes Copernicus et Galileo constituent un investissement stratégique, et il est nécessaire de développer des applications en aval innovantes. À cet effet, la mise en application des technologies spatiales est soutenue en tant que de besoin par le biais des objectifs spécifiques correspondants de la priorité «Défis de société», dans le but d'obtenir des avantages socioéconomiques ainsi qu'un retour sur investissement et d'assurer la primauté européenne dans le domaine des applications en aval.

Grandes lignes des activités

(a) Assurer la compétitivité et l'indépendance de l'Europe et promouvoir l'innovation dans le secteur spatial européen

Il s'agit à ce titre de conserver et de renforcer encore une industrie spatiale compétitive, durable et entreprenante associée à une communauté de chercheurs d'envergure mondiale dans le domaine spatial, afin de préserver et de conforter la primauté et l'indépendance de l'Europe en matière de systèmes spatiaux, de promouvoir l'innovation dans le secteur spatial et de favoriser l'innovation terrestre fondée sur les technologies spatiales, et notamment sur l'exploitation des données de télédétection et de navigation.

(b) Permettre des avancées dans le domaine des technologies spatiales

L'objectif est de permettre le développement de technologies spatiales et de concepts opérationnels avancés et catalyseurs, du stade de l'idée à celui de la démonstration en milieu spatial. Il s'agit notamment des technologies soutenant l'accès à l'espace, des technologies permettant d'assurer la protection des équipements spatiaux contre les menaces telles que les débris et les éruptions solaires ainsi que des technologies de télécommunication par satellite, de navigation et de télédétection. Le développement et la mise en œuvre de technologies spatiales avancées nécessitent un système d'éducation et de formation continues pour disposer d'ingénieurs et de scientifiques hautement qualifiés, ainsi que des liens étroits entre ceux-ci et les utilisateurs des applications spatiales.

(c) Permettre l'exploitation des données spatiales

L'exploitation des données provenant des satellites européens (qu'ils soient scientifiques, publics ou commerciaux) peut progresser de manière considérable moyennant un nouvel effort pour le traitement, l'archivage, la validation, la normalisation et la mise à disposition durable des données spatiales, ainsi que pour soutenir le développement de nouveaux produits et services résultant de ces données, dans le domaine de l'information, en tenant compte de l'article 189 du traité sur le fonctionnement de l'Union européenne, y compris des innovations dans le domaine du traitement, de la diffusion et de l'interopérabilité des données, notamment la promotion d'un accès aux données et métadonnées relatives aux sciences de la terre et à leur échange. Ces activités peuvent également garantir un meilleur retour sur investissement des infrastructures spatiales et contribuer à relever les défis de société, surtout si elles sont coordonnées dans le cadre d'initiatives mondiales, telles que le réseau mondial des systèmes d'observation de la Terre, en l'occurrence en exploitant pleinement le programme Copernicus, qui constitue la principale contribution européenne, le programme européen de navigation par satellite Galileo ou le Groupe d'experts intergouvernemental sur l'évolution du climat. Un soutien sera accordé à l'intégration rapide de ces innovations dans les processus de demande et de prise de décision. Cela recouvre également l'exploitation des données à des fins de recherches scientifiques complémentaires.

(d) Promouvoir la recherche européenne pour soutenir les partenariats internationaux dans le domaine spatial

Les entreprises liées à l'espace ont un caractère fondamentalement mondial. C'est particulièrement manifeste dans le cas d'activités telles que le dispositif de surveillance de l'espace (SSA), ainsi que de nombreux projets scientifiques et d'exploration dans le domaine spatial. De plus en plus, le développement des technologies de pointe dans le secteur spatial a lieu dans le cadre de tels partenariats internationaux. Une participation à de tels partenariats constitue pour les chercheurs européens et les entreprises européennes un important facteur de succès. L'élaboration et la mise en œuvre de feuilles de route à long terme, ainsi que la coordination avec des partenaires au niveau international, sont autant de paramètres fondamentaux pour que cet objectif soit réalisé.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:42:17";"664207" +"H2020-EU.2.1.6.";"es";"H2020-EU.2.1.6.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación – Espacio";"Space";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación – Espacio

Objetivo específico para el espacio

El objetivo específico de la investigación e innovación espaciales es fomentar una industria espacial y una comunidad investigadora competitivas, económicamente eficientes e innovadoras (incluidas las PYME) para desarrollar y explotar la infraestructura espacial al servicio de la futura política de la Unión y las necesidades de la sociedad.Reforzar el sector espacial europeo público y privado impulsando la investigación y la innovación es esencial para mantener y salvaguardar la capacidad de Europa de utilizar el espacio e intervenir en el mismo en apoyo de las políticas de la Unión, los intereses estratégicos internacionales y la competitividad entre las naciones con tecnología espacial establecidas y emergentes. La actuación a nivel de la Unión se llevará a cabo en conjunción con las actividades de investigación espacial de los Estados miembros y de la Agencia Espacial Europea (AEE), con el fin de lograr la complementariedad entre diferentes actores.

Justificación y valor añadido de la Unión

El espacio es un factor importante, aunque a menudo invisible, que condiciona la existencia de algunos servicios y productos vitales para la sociedad moderna, como la navegación y la comunicación, así como las previsiones meteorológicas y la información geográfica derivadas de la Observación de la Tierra por satélites. La formulación y aplicación de las políticas a nivel europeo, nacional y regional dependen cada vez más de la información obtenida gracias al espacio. El sector espacial mundial está creciendo rápidamente y extendiéndose a nuevas regiones (como China o América del Sur o África). La industria europea es actualmente un gran exportador de satélites de primera clase para fines científicos y comerciales. La creciente competencia mundial está poniendo en peligro la posición de Europa en este campo.Así pues, a Europa le interesa que su industria siga prosperando en este mercado sumamente competitivo. Además, los datos procedentes de las sondas y satélites científicos europeos han dado lugar a algunos de los avances científicos más importantes de las últimas décadas en las ciencias de la tierra, la física fundamental, la astronomía y la planetología. Además, las tecnologías espaciales innovadoras, como p. ej. la robótica, han contribuido al progreso del saber y de la tecnología en Europa. Con esta capacidad singular, el sector espacial europeo debe desempeñar un papel esencial a la hora de abordar los retos indicados en la estrategia Europa 2020.La investigación, el desarrollo tecnológico y la innovación sustentan unas capacidades en el espacio que son fundamentales para la sociedad europea. Mientras que los Estados Unidos dedican aproximadamente el 25 % de su presupuesto espacial a la I+D, la Unión gasta menos del 10 %. Además, la investigación espacial en la Unión se aborda a través de los programas nacionales de Estados miembros, los programas de la AEE y el Séptimo Programa Marco de la UE.Para mantener la ventaja competitiva y tecnológica de Europa y capitalizar las inversiones, es necesaria una acción a nivel de la Unión, a tenor del artículo 4, apartado 3, y del artículo 189 del TFUE, en conjunción con las actividades de investigación espacial de los Estados miembros y la AEE, que viene gestionando desde 1975 el desarrollo de satélites industriales y misiones en el espacio profundo sobre una base intergubernamental para los Estados miembros que participan en la AEE. También es necesaria la actuación a nivel de la Unión para fomentar la participación de los mejores investigadores de todos los Estados miembros y superar los obstáculos que encuentran los proyectos de investigación espacial en colaboración a través de las fronteras nacionales.Además, la información facilitada por los satélites europeos ofrecerá un creciente potencial para seguir desarrollando servicios ulteriores innovadores basados en los satélites. Este es un sector de actividad típico de las PYME, que deben ser apoyadas con medidas de investigación e innovación a fin de aprovechar plenamente los beneficios asociados a esta oportunidad y, especialmente, las considerables inversiones hechas en los dos programas de la Unión, Galileo y Copernicus.El espacio trasciende las fronteras terrestres de modo natural, proporcionando una perspectiva singular de dimensión mundial y suscitando por ende proyectos a gran escala que se llevan a cabo a través de la cooperación internacional. Para desempeñar un papel significativo en estas actividades espaciales internacionales en los próximos decenios, son indispensables tanto una política espacial europea común como actividades de investigación e innovación sobre el espacio a nivel europeo.La investigación e innovación espaciales en Horizonte 2020 se ajustarán a las prioridades y necesidades de los programas operativos europeos según sigan definiéndolas los Consejos ""Espacio"" de la Unión y la Comisión Europea.Las infraestructuras espaciales europeas como los programas Copernicus y Galileo constituyen una inversión estratégica y es necesario el fomento de aplicaciones descendentes innovadoras. Para ello, la aplicación de tecnologías espaciales recibirá apoyo mediante los respectivos objetivos específicos de la prioridad ""Retos de la sociedad"", cuando proceda, con el objetivo de garantizar ventajas socioeconómicas así como el rendimiento de las inversiones y el liderazgo europeo en materia de aplicaciones descendentes.

Líneas generales de las actividades

(a) Favorecer la competitividad, la no dependencia y la innovación en el sector espacial europeo

Esto supone salvaguardar y seguir desarrollando una industria espacial competitiva, sostenible y emprendedora en combinación con una comunidad de investigación espacial de categoría mundial para mantener y fortalecer el liderazgo europeo y la no dependencia en sistemas espaciales para fomentar la innovación en el sector espacial y hacer posible la innovación en tierra a partir del espacio, por ejemplo mediante la teledetección y los datos para navegación.

(b) Favorecer los avances en las tecnologías espaciales

El objetivo es desarrollar tecnologías espaciales avanzadas y generadoras y conceptos operativos que vayan de la idea a la demostración en el espacio. Ello incluye las tecnologías de apoyo del acceso al espacio, las tecnologías para la protección del patrimonio espacial frente a amenazas tales como la basura espacial y las fulguraciones solares, así como la navegación, la teledetección y las telecomunicaciones por satélite. Para desarrollar y aplicar tecnologías espaciales avanzadas son necesarias la educación y la formación permanentes de ingenieros y científicos altamente cualificados, así como unos sólidos vínculos entre estos y los usuarios de las aplicaciones espaciales.

(c) Favorecer la explotación de los datos espaciales

Resulta posible incrementar considerablemente la explotación de los datos procedentes de los satélites europeos (científicos, públicos o comerciales) si se lleva a cabo un mayor esfuerzo para el tratamiento, archivo, validación, normalización y disponibilidad sostenible de los datos espaciales, así como para apoyar la introducción de nuevos productos y servicios de información derivados de esos datos, a la vista del artículo 189 del TFUE, y las innovaciones en materia de manipulación, difusión e interoperabilidad de datos, en particular la promoción del acceso a los datos y metadatos en materia de ciencias de la Tierra y el intercambio de dichos datos, también pueden garantizar una mayor rentabilidad de la inversión en infraestructura espacial y contribuir a afrontar los retos de la sociedad, en particular si se coordinan en un esfuerzo mundial, por ejemplo a través del Sistema de Sistemas de Observación Mundial de la Tierra (GEOSS), concretamente mediante una plena explotación del programa Copernicus como contribución europea principal del citado sistema, el programa europeo de navegación por satélite Galileo, o el IPCC para las cuestiones relacionadas con el cambio climático. Se apoyará la rápida introducción de estas innovaciones en los procesos pertinentes de aplicación y de toma de decisiones. Ello incluye asimismo la explotación de los datos para investigaciones científicas ulteriores.

(d) Favorecer la investigación europea de apoyo a las asociaciones espaciales internacionales

La empresa del espacio tiene un carácter fundamentalmente planetario. Esto es especialmente obvio en el caso de actividades como el Conocimiento del Medio Espacial y muchos proyectos de ciencia y exploración del espacio. El desarrollo de una tecnología espacial de vanguardia se está produciendo cada vez en mayor medida dentro de estas asociaciones internacionales. Garantizar el acceso a ellas constituye un factor de éxito importante para los investigadores y la industria europeos. La definición y utilización de hojas de ruta a largo plazo y la coordinación con los socios internacionales resultan fundamentales para este objetivo.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:42:17";"664207" +"H2020-EU.3.4.5.6.";"en";"H2020-EU.3.4.5.6.";"";"";"ITD Systems";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:13";"665414" +"H2020-EU.2.1.5.";"de";"H2020-EU.2.1.5.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Fortgeschrittene Fertigung und Verarbeitung";"Advanced manufacturing and processing";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Fortgeschrittene Fertigung und Verarbeitung

Einzelziel

Einzelziel der Forschung und Innovation im Bereich fortgeschrittener Fertigung und Verarbeitung ist die Umwandlung der heutigen Fertigungsunternehmen, -systeme und -prozesse. Dazu müssen unter anderem Schlüsseltechnologien ausgenutzt werden, um wissensintensive, nachhaltige, ressourcenschonende und energieeffiziente branchenübergreifende Fertigungs- und Verarbeitungstechnologien zu schaffen, aus denen innovativere Produkte, Prozesse und Dienstleistungen hervorgehen. Die Ermöglichung neuer, nachhaltiger Produkte, Prozesse und Dienstleistungen und deren wettbewerbsgerechte Einführung sowie die fortgeschrittene Fertigung und Verarbeitung sind ebenso von wesentlicher Bedeutung für die Verwirklichung der Ziele des Schwerpunkts ""Gesellschaftlichen Herausforderungen"".

Begründung und Mehrwert für die Union

Mit einem Anteil von etwa 17 % am BIP und rund 22 Millionen Arbeitsplätzen (2007) in der Union ist die Fertigungsindustrie von großer Bedeutung für die europäische Wirtschaft. Der Abbau der Handelsschranken und die durch die Kommunikationstechnologie eröffneten Möglichkeiten führten zu einem starken Wettbewerb, weshalb die Fertigung zunehmend in Länder mit den niedrigsten Gesamtkosten verlagert wurde. Das europäische Fertigungskonzept muss sich grundlegend ändern, um weltweit wettbewerbsfähig zu bleiben. Um dies zu erreichen, kann Horizont 2020 dazu beitragen, alle einschlägigen interessierten Kreise zusammenzubringen.Europa muss stärker auf Unionsebene investieren, um seine Führung und Kompetenz bei den Fertigungstechnologien zu wahren, einen Wandel hin zu hochwertigen, wissensintensiven Gütern vollziehen und dabei die Rahmenbedingungen für eine nachhaltige Produktion und die Erbringung lebenslanger Serviceleistungen rund um das hergestellte Produkt schaffen. Ressourcenintensive Fertigungs- und Prozessindustrien müssen auf Unionsebene verstärkt Ressourcen und Wissen mobilisieren und stärker in Forschung, Entwicklung und Innovation investieren, um weitere Fortschritte hin zu einer wettbewerbsfähigen, ressourcenschonenden und nachhaltigen Wirtschaft mit niedrigem CO2-Ausstoß zu erzielen und um die vereinbarten Unionsvorgaben für die Reduzierung der Treibhausgasemissionen bis 2050 für die einzelnen Branchen zu erfüllen.Eine starke Unionspolitik wird dafür sorgen, dass Europa seine bestehenden Industrien ausbauen und die neu entstehenden Industrien der Zukunft fördern wird. Schätzungen zufolge wird dem Sektor der fortgeschrittenen Fertigungssysteme mit einer jährlichen Wachstumsrate von etwa 5 % und einer erwarteten Marktgröße von etwa 150 Mrd. EUR bis 2015 hinsichtlich Wertschöpfung und Stellenwert erhebliche Bedeutung zukommen %.Um die Herstellungs- und Verarbeitungskapazitäten in Europa zu halten, kommt es ganz entscheidend darauf an, Wissen und Know-how zu bewahren. Schwerpunkt der Forschungs- und Innovationstätigkeiten ist die nachhaltige und sichere Herstellung und Verarbeitung, die Einführung der notwendigen technischen Innovationen und die Kundenorientierung, um mit niedrigem Material- und Energieverbrauch wissensintensive Produkte und Dienstleistungen zu produzieren bzw. zu erbringen.Ferner muss Europa diese Grundlagentechnologien und das Wissen an andere produktive Sektoren weitergeben wie beispielsweise an den Bausektor, auf den rund 40 % des gesamten Energieverbrauchs in Europa entfallen und der für 36 % der CO2-Emissionen verantwortlich ist und damit eine Hauptquelle für die Treibhausgasemissionen darstellt. Der Bausektor, der mit 3 Millionen Unternehmen, darunter 95 % KMU, und etwa 16 Millionen Arbeitsplätzen in Europa 10 % des BIP erwirtschaftet, muss fortgeschrittene Werkstoffe und Herstellungsformen einsetzen, um seine Ökobilanz zu verbessern.

Einzelziele und Tätigkeiten in Grundzügen

(a) Technologien für Fabriken der Zukunft

Förderung eines nachhaltigen Wachstums der Industrie durch Erleichterung einer strategischen Umstellung in Europa von der kostenorientierten Herstellung zur ressourcenschonenden Schaffung von Produkten mit hohem Mehrwert und zur IKT-gestützten intelligenten Hochleistungsfertigung in einem integrierten System.

(b) Technologien für energieeffiziente Systeme und energieeffiziente und umweltverträgliche Gebäude

Reduzierung des Energieverbrauchs und der CO2-Emissionen durch Erforschung, Entwicklung und Einsatz nachhaltiger Bautechnologien und -systeme, Berücksichtigung der gesamten Wertschöpfungskette sowie Reduzierung der Umweltbelastung durch Gebäude.

(c) Nachhaltige, ressourcenschonende und emissionsarme Technologien für energieintensive Prozessindustrien

Steigerung der Wettbewerbsfähigkeit der Prozessindustrien durch drastische Erhöhung der Ressourcen- und Energieeffizienz und durch Reduzierung der Umweltfolgen der Tätigkeiten dieses Sektors über die gesamte Wertschöpfungskette hinweg durch die Förderung des Einsatzes von Technologien mit niedrigem CO2-Ausstoß, nachhaltigerer Industrieprozesse und gegebenenfalls der Integration erneuerbarer Energieträger.

(d) Neue nachhaltige Geschäftsmodelle

Ableitung von Konzepten und Methoden für adaptive, wissensgestützte und maßgeschneiderte Unternehmensmodelle, einschließlich alternativer ressourcensparender Ansätze.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:59";"664197" +"H2020-EU.2.1.5.";"en";"H2020-EU.2.1.5.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Advanced manufacturing and processing";"Advanced manufacturing and processing";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Advanced manufacturing and processing

Specific objective

The specific objective of advanced manufacturing and processing research and innovation is to transform today's manufacturing enterprises, systems and processes. This will be done inter alia by leveraging key enabling technologies in order to achieve more knowledge-intensive, sustainable, resource- and energy-efficient trans-sectoral manufacturing and processing technologies, resulting in more innovative products, processes and services. Enabling new, sustainable products, processes and services and their competitive deployment, as well as advanced manufacturing and processing is also essential for achieving the objectives of the priority 'Societal challenges'.

Rationale and Union added value

The manufacturing sector is of high importance to the European economy, contributing to around 17 % of GDP and accounting for some 22 million jobs in the Union in 2007. With the lowering of economic barriers to trade and the enabling effect of communications technology, manufacturing is subject to strong competition and has been gravitating to countries of lowest overall cost. The European approach to manufacturing therefore has to change radically to remain globally competitive, and Horizon 2020 can help bring together all the relevant stakeholders to achieve this.Europe needs to increase investment at Union level to maintain European leadership and competence in manufacturing technologies and make the transition to high-value, knowledge-intensive goods, creating the conditions and assets for sustainable production and provision of lifetime service around a manufactured product. Resource intensive manufacturing and process industries need to further mobilise resources and knowledge at Union level and increase the investment in research, development and innovation to enable further progress towards a competitive low-carbon, resource-efficient and sustainable economy and to comply with the agreed Union-wide reductions in greenhouse gas emissions by 2050 for industrial sectors (5).With strong Union policies, Europe would grow its existing industries and nurture the emerging industries of the future. The estimated value and impact of the sector of advanced manufacturing systems is significant, with an expected market size around EUR 150 billion by 2015 and compound annual growth rate of about 5 %.It is crucial to retain knowledge and competence in order to keep manufacturing and processing capacity in Europe. The emphasis of the research and innovation activities shall be on sustainable and safe manufacturing and processing, introducing the necessary technical innovation and customer-orientation to produce high knowledge content products and services with low material and energy consumption.Europe also needs to transfer these enabling technologies and knowledge to other productive sectors, such as construction, which is a major source of greenhouse gases with building activities accounting for around 40 % of all energy consumption in Europe, giving rise to 36 % of the CO2 emissions. The construction sector, generating 10 % of GDP and providing some 16 million jobs in Europe in 3 million enterprises, of which 95 % are SMEs, needs to adopt innovative materials and manufacturing approaches to mitigate its environmental impact.

Broad lines of the activities

(a) Technologies for Factories of the Future

Promoting sustainable industrial growth by facilitating a strategic shift in Europe from cost-based manufacturing to an approach based on resource efficiency and the creation of high added value products and ICT-enabled intelligent and high performance manufacturing in an integrated system.

(b) Technologies enabling energy-efficient systems and energy-efficient buildings with a low environmental impact

Reducing energy consumption and CO2 emissions by the research, development and deployment of sustainable construction technologies and systems, addressing the whole value chain as well as reducing the overall environmental impact of buildings.

(c) Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries

Increasing the competitiveness of process industries, by drastically improving resource and energy efficiencies and reducing the environmental impact of such industrial activities through the whole value chain, promoting the adoption of low-carbon technologies, more sustainable industrial processes and, where applicable, the integration of renewable energy sources.

(d) New sustainable business models

Deriving concepts and methodologies for adaptive, knowledge-based business models in customised approaches, including alternative resource-productive approaches.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:59";"664197" +"H2020-EU.2.1.5.";"it";"H2020-EU.2.1.5.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali - Fabbricazione e trasformazione avanzate";"Advanced manufacturing and processing";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali - Fabbricazione e trasformazione avanzate

Obiettivo specifico

L'obiettivo specifico della ricerca e dell'innovazione nella fabbricazione e trasformazione avanzate è trasformare le imprese, i sistemi e i processi attuali di produzione. A tal fine sarà necessario tra l'altro stimolare le tecnologie abilitanti fondamentali allo scopo di conseguire tecnologie produttive e di trasformazione a più alta densità di conoscenze, più sostenibili, efficienti sul piano energetico e delle risorse e intersettoriali, il che si traduce in prodotti, processi e servizi più innovativi. Rendere possibili nuovi prodotti, processi e servizi sostenibili e la loro diffusione competitiva, nonché la fabbricazione e la trasformazione avanzate è altresì fondamentale per conseguire gli obiettivi della priorità ""Sfide per la società"".

Motivazione e valore aggiunto dell'Unione

Il settore manifatturiero riveste un'importanza cruciale per l'economia europea, contribuendo a circa il 17 % del PIL e rappresentando circa 22 milioni di posti di lavoro nell'Unione europea nel 2007. Con la riduzione delle barriere economiche agli scambi e l'effetto abilitante della tecnologia delle comunicazioni, il settore manifatturiero è sottoposto a una forte concorrenza ed è rilocalizzato nei paesi a minor costo complessivo. L'approccio europeo al settore manifatturiero deve pertanto trasformarsi radicalmente per restare competitivo a livello mondiale; a questo proposito Orizzonte 2020 può contribuire a riunire tutte le parti interessate per centrare tale obiettivo.L'Europa deve aumentare gli investimenti a livello unionale per mantenere la leadership e la competenza europee in materia di tecnologie produttive e compiere la transizione verso prodotti di elevato valore e ad alta intensità di conoscenza, creando le condizioni e i mezzi per una produzione e fornitura sostenibili di servizi lungo tutto il ciclo di vita del prodotto fabbricato. Le industrie produttive e di trasformazione ad alta intensità di risorse hanno la necessità di mobilitare ulteriormente risorse e conoscenze a livello unionale e di aumentare gli investimenti nella ricerca, nello sviluppo e nell'innovazione per consentire ulteriori progressi verso un'economia competitiva a basse emissioni di carbonio, efficiente sotto il profilo delle risorse e sostenibile, nonché al fine di rispettare le riduzioni concordate al livello di Unione relative alle emissioni di gas a effetto serra entro il 2050 per i settori industriali.Dotandosi di forti politiche dell'Unione, l'Europa rafforzerebbe le sue industrie esistenti e coltiverebbe le industrie emergenti del futuro. Il valore e l'impatto stimati del settore dei sistemi produttivi avanzati sono significativi, con una dimensione di mercato prevista pari a circa 150 miliardi di EUR entro il 2015 e un tasso di crescita annuo cumulato di circa il 5 %.È di fondamentale importanza preservare le conoscenze e le competenze per mantenere la capacità di produzione e trasformazione in Europa. L'accento delle attività di ricerca e innovazione è posto sulle attività manifatturiere e di trasformazione sostenibili e sicure, introducendo le necessarie innovazioni tecnologiche e un orientamento al cliente al fine di produrre prodotti e servizi ad alto contenuto di conoscenze con un basso consumo di energia e materiali.L'Europa deve inoltre trasferire queste tecnologie e conoscenze abilitanti ad altri settori produttivi, quali l'edilizia, che è una importante fonte di gas a effetto serra, considerato che le attività edili rappresentano circa il 40 % del consumo totale di energia in Europa, che corrisponde al 36 % delle emissioni di CO2. Il settore edile, che genera il 10 % del PIL e fornisce circa 16 milioni di posti di lavoro in Europa presso 3 milioni di imprese, di cui 95 % sono PMI, deve adottare materiali e metodi di fabbricazione innovativi per attenuare il proprio impatto ambientale.

Le grandi linee delle attività

(a) Tecnologie per le fabbriche del futuro

Promuovere la crescita industriale sostenibile in Europa agevolando uno spostamento strategico dalla produzione orientata ai costi a un approccio basato sull'efficienza sotto il profilo delle risorse e sulla creazione di prodotti a elevato valore aggiunto e a una produzione intelligente e ad alte prestazione basata sulle TIC in un sistema integrato.

(b) Tecnologie per sistemi efficienti sul piano energetico ed edifici con un basso impatto ambientale

Ridurre il consumo di energia e le emissioni di CO2 mediante la ricerca, lo sviluppo e la diffusione di tecnologie e sistemi di costruzione sostenibili, in grado di far fronte all'intera catena di valore, riducendo altresì l'incidenza globale degli edifici sull'ambiente.

(c) Tecnologie sostenibili, efficienti sotto il profilo delle risorse e a basse emissioni di carbonio in processi industriali a elevata intensità energetica

Aumentare la competitività delle industrie di trasformazione, migliorando drasticamente l'efficienza sotto il profilo delle risorse e dell'energia, riducendo l'impatto ambientale di tali attività industriali attraverso l'intera catena del valore e promuovendo l'adozione di tecnologie a basse emissioni di carbonio, processi industriali più sostenibili e, ove applicabile, l'integrazione di fonti energetiche rinnovabili.

(d) Nuovi modelli economici sostenibili

Sviluppare concetti e metodologie relativi a modelli economici di adattamento e basati sulle conoscenze con approcci personalizzati, tra cui approcci alternativi in materia di produttività delle risorse.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:59";"664197" +"H2020-EU.2.1.5.";"pl";"H2020-EU.2.1.5.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Zaawansowane systemy produkcji i przetwarzania";"Advanced manufacturing and processing";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Zaawansowane systemy produkcji i przetwarzania

Cel szczegółowy

Celem szczegółowym badań naukowych i innowacji w zakresie zaawansowanych systemów produkcji i przetwarzania jest przeobrażenie dzisiejszych przedsiębiorstw wytwórczych oraz systemów i procesów wytwórczych. Zostanie on osiągnięty między innymi dzięki wykorzystaniu kluczowych technologii prorozwojowych w celu wypracowania ponadsektorowych technologii produkcyjnych i przetwórczych bardziej intensywnie wykorzystujących wiedzę, zrównoważonych i efektywnie wykorzystujących zasoby i energię, co zaowocuje większą liczbą innowacyjnych i bezpiecznych produktów, procesów i usług. Umożliwianie powstania nowych, zrównoważonych produktów, procesów i usług oraz ich konkurencyjne wykorzystanie, a także zaawansowane systemy produkcji i przetwarzania mają również zasadnicze znaczenie dla osiągnięcia celów związanych z priorytetem „Wyzwania społeczne”.

Uzasadnienie i unijna wartość dodana

Sektor produkcji ma duże znaczenie dla europejskiej gospodarki: w 2007 r. zapewnił ok. 17% PKB i 22 mln miejsc pracy w Unii. Ze względu na zmniejszenie barier gospodarczych w handlu i wspomagający wpływ technologii komunikacyjnej produkcja podlega silnej presji konkurencyjnej i przesuwa się do krajów o najniższym całkowitym koszcie. Europejskie podejście do produkcji musi zatem uleć radykalnej zmianie, aby zachować globalną konkurencyjność, a program „Horyzont 2020” może pomóc w połączeniu wszystkich zainteresowanych stron, aby umożliwić osiągnięcie tego założenia.Europa musi zwiększyć poziom inwestycji na szczeblu Unii, aby utrzymać wiodącą pozycję i kompetencje w dziedzinie technologii produkcyjnych oraz aby przestawić się na wysokowartościowe, w dużym stopniu oparte na wiedzy produkty, stwarzając warunki i zasoby na potrzeby zrównoważonej produkcji i zapewnienia wsparcia produktu w całym jego cyklu życia. Zasobochłonny przemysł wytwórczy i przetwórczy musi nadal mobilizować zasoby i wiedzę na szczeblu Unii i zwiększyć inwestycje w badania naukowe, rozwój i innowacje, aby osiągać dalsze postępy na drodze do konkurencyjnej, niskoemisyjnej, zasobooszczędnej i zrównoważonej gospodarki oraz aby spełnić ogólnounijne cele w zakresie redukcji emisji gazów cieplarnianych określone dla sektorów przemysłu na 2050 r. (5).Dzięki silnej unijnej polityce Europa mogłaby rozwijać istniejące gałęzie przemysłu i wspierać powstające branże przyszłości. Szacowana wartość i oddziaływanie sektora zaawansowanych systemów produkcyjnych są duże, ich składana roczna stopa wzrostu wynosi 5% i oczekuje się, że do 2015 r. wartość ich rynku będzie zbliżona do 150 mld EUR.Dla utrzymania zdolności produkcyjnych i przetwórczych Europy zasadnicze znaczenie ma zachowanie wiedzy. W działaniach w zakresie badań naukowych i innowacji nacisk jest kładziony na zrównoważone i bezpieczne procesy produkcji i przetwarzania, wprowadzenie niezbędnych innowacji technicznych oraz orientację na klienta w celu udostępnienia produktów i usług w większym stopniu opartych na wiedzy naukowej przy niskim zużyciu materiałów i energii.Europa musi również dokonać transferu tych technologii prorozwojowych i wiedzy do innych sektorów produkcyjnych, takich jak budownictwo, które jest dużym źródłem gazów cieplarnianych, co wiąże się z faktem, że działalność budowlana odpowiada za ok. 40% całego zużycia energii w Europie, powodując 36% emisji CO2. Sektor budowlany, generujący w Europie 10% PKB i zapewniający ok. 16 mln miejsc pracy w 3 mln przedsiębiorstw, z których 95% to MŚP, musi przyjąć innowacyjne podejście w zakresie materiałów i produkcji, aby zminimalizować swoje oddziaływanie na środowisko.

Ogólne kierunki działań

(a) Technologie dla fabryk przyszłości

Promowanie zrównoważonego rozwoju przemysłowego poprzez ułatwienie strategicznego przejścia w Europie od produkcji opartej na kosztach do podejścia nastawionego na efektywne gospodarowanie zasobami i tworzenie produktów o wysokiej wartości dodanej oraz opartej na ICT, inteligentnej i wysoko wydajnej produkcji w systemie zintegrowanym.

(b) Technologie wspomagające energooszczędne systemy i budynki o niewielkim oddziaływaniu na środowisko

Ograniczenie zużycia energii i emisji CO2 poprzez badania naukowe, opracowanie i wdrożenie zrównoważonych technologii i systemów budowlanych, uwzględnienie całego łańcucha wartości, jak również zmniejszenie ogólnego oddziaływania budynków na środowisko.

(c) Zrównoważone, zasobooszczędne i niskoemisyjne technologie w energochłonnych przemysłach przetwórczych

Zwiększanie konkurencyjności gałęzi przemysłu przetwórczego poprzez radykalną poprawę oszczędności zasobów i energii oraz ograniczenie oddziaływania na środowisko takiej działalności przemysłowej w całym łańcuchu wartości, a także wspieranie wprowadzania technologii niskoemisyjnych, trwalszych procesów przemysłowych oraz – w stosownych przypadkach – włączanie do procesów przemysłowych odnawialnych źródeł energii.

(d) Nowe zrównoważone modele biznesowe

Opracowanie koncepcji i metodologii dla adaptacyjnych, „opartych na wiedzy” modeli biznesowych w dostosowanych do określonych warunków podejściach, w tym alternatywnych podejściach wydajnych pod względem wykorzystania zasobów.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:59";"664197" +"H2020-EU.2.1.5.";"fr";"H2020-EU.2.1.5.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles - Systèmes de fabrication et de transformation avancés";"Advanced manufacturing and processing";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles - Systèmes de fabrication et de transformation avancés

Objectif spécifique

L'objectif spécifique de la recherche et de l'innovation dans le domaine des systèmes de fabrication et de transformation avancés consiste à transformer les entreprises de production et les systèmes et processus de fabrication que nous connaissons aujourd'hui. Pour ce faire, il faudra notamment exploiter les technologies clés génériques pour parvenir à des technologies de fabrication et de transformation transsectorielles, durables, efficaces dans l'utilisation des ressources et de l'énergie et à plus forte intensité de connaissance, afin de favoriser l'émergence de produits, de processus et de services plus innovants. Permettre l'élaboration de nouveaux produits, procédés et services durables, ainsi que leur déploiement concurrentiel, ainsi que la création de systèmes de fabrication et de transformation avancés est également essentiel pour réaliser les objectifs liés à la priorité «Défis de société».

Justification et valeur ajoutée de l'Union

Le secteur de la production industrielle revêt une grande importance pour l'économie européenne: en 2007, il représentait environ 17 % du PIB de l'Union et y employait quelque 22 millions de personnes. L'abaissement des barrières commerciales et les possibilités offertes par les technologies de la communication ont entraîné une féroce concurrence dans le secteur de la production industrielle, laquelle a tendance à se déplacer vers les pays où les coûts sont les plus faibles. L'approche européenne de la production industrielle doit donc changer radicalement pour maintenir la compétitivité de ce secteur sur la scène mondiale. Horizon 2020 peut contribuer à rassembler autour de cet objectif l'ensemble des parties prenantes concernées.Il convient d'accroître les investissements au niveau de l'Union pour maintenir la primauté et le savoir-faire de l'Europe dans le domaine des technologies de fabrication et pour réaliser la transition vers la production de biens à haute valeur ajoutée et à forte intensité de connaissance, en créant les conditions et en développant les atouts qui permettront d'établir une production durable et de fournir des services couvrant toute la durée de vie d'un produit manufacturé. Les industries de fabrication et de transformation à forte intensité de ressources doivent continuer à mobiliser des ressources et des connaissances au niveau de l'Union et à accroître leurs investissements dans la recherche, le développement et l'innovation, afin de progresser davantage en direction d'une économie compétitive, à faibles émissions de carbone, efficace dans l'utilisation des ressources et durable, et de respecter les engagements portant sur des réductions, d'ici 2050 et à l'échelle de l'Union, des émissions de gaz à effet de serre produites par les secteurs industriels.En mettant en œuvre des politiques ambitieuses à l'échelle de l'Union, l'Europe assurerait la croissance de ses entreprises existantes et favoriserait le développement des entreprises émergentes de demain. La valeur et l'impact estimés du secteur des systèmes de fabrication avancés ne sont pas négligeables: ils devraient représenter un marché d'environ 150 milliards d'euros d'ici 2015 et afficher un taux de croissance annuelle composé d'environ 5 %.Il est essentiel de préserver les connaissances et le savoir-faire européens pour maintenir une capacité de fabrication et de transformation en Europe. Les activités de recherche et d'innovation se concentrent sur la fabrication et la transformation durables et sûres, en introduisant les innovations techniques nécessaires et en portant l'attention requise aux besoins des clients, de façon à développer des produits et des services à forte intensité de connaissance et à faible consommation de matériaux et d'énergie.L'Europe doit également assurer le transfert de ce savoir-faire et de ces technologies génériques vers d'autres secteurs de production, tels que la construction, qui est une grande productrice de gaz à effet de serre: les activités liées au bâtiment représentent environ 40 % de la consommation énergétique totale de l'Europe et 36 % de ses émissions de CO2. Le secteur de la construction, qui génère 10 % du PIB européen et dont les 3 millions d'entreprises, dont 95 % de PME, fournissent à l'Europe environ 16 millions d'emplois, doit adopter des matériaux et des techniques de fabrication innovants pour limiter son impact environnemental.

Grandes lignes des activités

(a) Des technologies pour les usines du futur

Promouvoir une croissance industrielle durable en facilitant une transition stratégique en Europe, passant d'un processus de fabrication axé sur les coûts à une approche fondée sur une utilisation efficace des ressources et la création de produits présentant une haute valeur ajoutée ainsi que sur des modes de fabrication recourant aux TIC, intelligents et à haute performance, dans un système intégré.

(b) Des technologies en faveur de systèmes efficaces dans l'utilisation de l'énergie et de bâtiments efficaces dans l'utilisation de l'énergie et ayant une faible incidence sur l'environnement

Réduire la consommation d'énergie et les émissions de CO2 grâce à la recherche, au développement et au déploiement de technologies et de systèmes de construction durables, prenant en compte toute la chaîne de valeur et réduisant l'incidence globale des bâtiments sur l'environnement.

(c) Des technologies durables, efficaces dans l'utilisation des ressources et à faibles émissions de carbone dans les entreprises de transformation à forte intensité d'énergie

Accroître la compétitivité des entreprises de transformation en améliorant considérablement l'efficacité énergétique et l'efficacité de l'utilisation des ressources et en réduisant l'impact environnemental de ces activités industrielles tout au long de la chaîne de valeur, en promouvant l'adoption de technologies à faibles émissions de carbone, ainsi que de processus industriels plus durables et, le cas échéant, l'intégration de sources d'énergie renouvelables.

(d) Des modèles d'entreprise nouveaux et durables

S'inspirer de concepts et de méthodologies visant à élaborer des modèles d'entreprise adaptatifs et fondés sur la connaissance dans le cadre d'approches personnalisées, y compris des approches différentes en ce qui concerne la production de ressources.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:59";"664197" +"H2020-EU.2.1.5.";"es";"H2020-EU.2.1.5.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación - Fabricación y transformación avanzadas";"Advanced manufacturing and processing";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación - Fabricación y transformación avanzadas

Objetivo específico

El objetivo específico de la investigación y la innovación sobre fabricación y transformación avanzadas es transformar los sistemas y procesos de fabricación de las empresas. Ello se conseguirá, inter alia, aprovechando tecnologías facilitadoras clave con el fin de lograr tecnologías de fabricación y transformación transectoriales más intensivas en conocimientos, sostenibles y eficientes desde el punto de vista de los recursos y la energía, que se traduzcan en más productos, procesos y servicios innovadores. Posibilitar nuevos productos, procesos y servicios sostenibles y un despliegue competitivo de los mismos, la fabricación y la transformación avanzadas resultan asimismo determinantes para alcanzar los objetivos de la prioridad ""Retos de la sociedad"".

Justificación y valor añadido de la Unión

El sector manufacturero es de gran importancia para la economía europea, pues representaba en 2007 alrededor del 17 % del PIB y aportaba unos 22 millones de puestos de trabajo en la Unión. Con la reducción de los obstáculos económicos al comercio y el efecto potenciador de la tecnología de la comunicación, la fabricación está sujeta a una fuerte competencia y ha ido desplazándose hacia países de menor coste global. Por ello, el enfoque europeo con respecto a la fabricación debe cambiar radicalmente para mantener la competitividad a escala mundial, y Horizonte 2020 puede ayudar a reunir a todas las partes interesadas para conseguirlo.Europa necesita incrementar la inversión a nivel de la Unión para mantener el liderazgo y las competencias europeas en las tecnologías de fabricación y hacer la transición hacia unos bienes de alto valor e intensivos en conocimiento, creando las condiciones y activos que permitan una producción sostenible y la prestación de servicios durante toda la vida útil en torno a un producto manufacturado. Es preciso que las industrias de fabricación y transformación intensivas en recursos movilicen más recursos y conocimientos a nivel de la Unión e incrementen la inversión en investigación, desarrollo e innovación para permitir nuevos avances hacia una economía competitiva, de baja emisión de carbono, eficiente en recursos y sostenible y alcanzar el objetivo de reducción de las emisiones de gases de efecto invernadero de aquí a 2050 para los sectores industriales acordado en la Unión.Con unas políticas de la Unión vigorosas, crecerían las actuales industrias de Europa y se prepararían las industrias emergentes del futuro. El valor y el impacto estimados del sector de los sistemas de fabricación avanzada es significativo, previéndose un mercado de alrededor de 150 000 millones de euros en 2015 y una tasa de crecimiento anual compuesta del 5 % aproximadamente.Es crucial retener los conocimientos y la competencia con el fin de conservar la capacidad de fabricación y transformación en Europa. El énfasis de las actividades de investigación e innovación recaerá en la producción y la transformación sostenibles y seguras, introduciendo la innovación técnica y la orientación al cliente necesarias para producir productos y servicios de alto contenido en conocimientos y de bajo consumo de energía y materiales.Europa también necesita transferir estas tecnologías de capacitación y conocimientos a otros sectores productivos, como la construcción, que es una de las principales fuentes de gases de efecto invernadero, ya que las actividades de la construcción representan aproximadamente el 40 % del consumo total de energía en Europa y dan lugar al 36 % de las emisiones de CO2. El sector de la construcción, que genera el 10 % del PIB y aporta unos 16 millones de puestos de trabajo en Europa en 3 millones de empresas, de las cuales el 95 % son PYME, necesita adoptar enfoques innovadores con respecto a los materiales y la fabricación para reducir su impacto ambiental.

Líneas generales de las actividades

(a) Tecnologías para las fábricas del futuro

Promover el crecimiento industrial sostenible facilitando un cambio estratégico en Europa para pasar de la fabricación basada en los costes de producción a un enfoque basado en la utilización eficiente de recursos y en la creación de productos de un alto valor añadido y una fabricación posibilitada por las TIC, inteligente y de alto rendimiento, en un sistema integrado.

(b) Tecnologías que permitan edificios y sistemas energéticamente eficientes con bajo impacto medioambiental

Reducir el consumo de energía y de las emisiones de CO2 mediante la investigación, desarrollo y despliegue de tecnologías de construcción, automatización y control sostenibles y de sistemas que aborden asimismo toda la cadena de valor, y reducir el impacto ambiental global de los edificios.

(c) Tecnologías sostenibles, eficientes en su utilización de recursos y de baja emisión de carbono en las industrias de transformación de gran consumo energético

Aumentar la competitividad de las industrias de transformación, mejorando drásticamente la eficiencia energética y de los recursos y reduciendo el impacto ambiental de estas actividades industriales a través de toda la cadena de valor y fomentando la adopción de tecnologías de baja emisión de carbono, procesos industriales más sostenibles y, cuando proceda, la integración de fuentes de energía renovables.

(d) Nuevos modelos de negocio sostenibles

Deducir conceptos y metodologías para unos modelos de negocio adaptables y basados en el conocimiento, con enfoques a la medida, inclusive planteamientos alternativos que resulten productivos en cuanto a su utilización de recursos.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:59";"664197" +"H2020-EU.3.";"fr";"H2020-EU.3.";"";"";"PRIORITÉ «Défis de société»";"Societal Challenges";"

PRIORITÉ «Défis de société»

Cette section constitue une réponse directe aux priorités stratégiques et aux défis de société recensés dans la stratégie Europe 2020 et qui visent à mobiliser la masse critique d'initiatives en faveur de la recherche et de l'innovation nécessaire à la réalisation des objectifs stratégiques de l'Union. Le financement se concentre sur les objectifs spécifiques suivants:(a) Santé, évolution démographique et bien-être; H2020-EU.3.1. (http://cordis.europa.eu/programme/rcn/664237/fr)(b) Sécurité alimentaire, agriculture et sylviculture durables, recherche marine, maritime et dans le domaine des eaux intérieures et la bioéconomie; H2020-EU.3.2. (http://cordis.europa.eu/programme/rcn/664281/fr)(c) Énergies sûres, propres et efficaces; H2020-EU.3.3. (http://cordis.europa.eu/programme/rcn/664321/fr)(d) Transports intelligents, verts et intégrés; H2020-EU.3.4. (http://cordis.europa.eu/programme/rcn/664357/fr)(e) Lutte contre le changement climatique, environnement, utilisation efficace des ressources et matières premières; H2020-EU.3.5. (http://cordis.europa.eu/programme/rcn/664389/fr)(f) L'Europe dans un monde en évolution - Sociétés ouvertes à tous, innovantes et capables de réflexion; H2020-EU.3.6. (http://cordis.europa.eu/programme/rcn/664435/fr)(g) Sociétés sûres - Protéger la liberté et la sécurité de l'Europe et de ses citoyens. H2020-EU.3.7. (http://cordis.europa.eu/programme/rcn/664463/fr)Toutes les activités sont axées sur les défis à relever, ce qui peut notamment concerner la recherche fondamentale, la recherche appliquée, le transfert des connaissances ou l'innovation; elles se concentrent sur les priorités stratégiques, sans établir au préalable de liste précise des technologies à développer ou des solutions à élaborer. L'attention portera sur l'innovation non technologique, organisationnelle et systémique ainsi que sur l'innovation dans le secteur public, au même titre que sur les solutions axées sur la technologie. Priorité est accordée à la mobilisation d'une masse critique de ressources et de connaissances, couvrant plusieurs domaines, technologies et disciplines scientifiques, et d'infrastructures de recherche, en vue de relever les défis recensés. Les activités couvrent l'ensemble du processus, de la recherche fondamentale à la mise sur le marché, en mettant, désormais, également l'accent sur les activités liées à l'innovation, telles que le lancement de projets pilotes, les activités de démonstration, les bancs d'essai, le soutien aux achats publics, la conception, l'innovation axée sur les besoins des utilisateurs finaux, l'innovation sociale, le transfert des connaissances et la commercialisation des innovations ainsi que la normalisation.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:18";"664235" +"H2020-EU.3.";"es";"H2020-EU.3.";"";"";"PRIORIDAD ""Retos de la sociedad""";"Societal Challenges";"

PRIORIDAD ""Retos de la sociedad""

Esta parte responde directamente a las prioridades políticas y retos de la sociedad expuestos en la estrategia Europa 2020 y se propone estimular la masa crítica de esfuerzos de investigación e innovación necesaria para alcanzar los objetivos políticos de la Unión. La financiación se centrará en los siguientes objetivos específicos:(a) Salud, cambio demográfico y bienestar; H2020-EU.3.1. (http://cordis.europa.eu/programme/rcn/664237/es)(b) Seguridad alimentaria, agricultura y silvicultura sostenibles, investigación marina, marítima y de aguas interiores y bioeconomía; H2020-EU.3.2. (http://cordis.europa.eu/programme/rcn/664281/es)(c) Energía segura, limpia y eficiente; H2020-EU.3.3. (http://cordis.europa.eu/programme/rcn/664321/es)(d) Transporte inteligente, ecológico e integrado; H2020-EU.3.4. (http://cordis.europa.eu/programme/rcn/664357/es)(e) Acción por el clima, medio ambiente, eficiencia de los recursos y materias primas; H2020-EU.3.5. (http://cordis.europa.eu/programme/rcn/664389/es)(f) Europa en un mundo cambiante - sociedades inclusivas, innovadoras y reflexivas; H2020-EU.3.6. (http://cordis.europa.eu/programme/rcn/664435/es)(g) Sociedades seguras - Proteger la libertad y la seguridad de Europa y sus ciudadanos. H2020-EU.3.7. (http://cordis.europa.eu/programme/rcn/664463/es)Todas las actividades aplicarán un planteamiento basado en los retos que puede incluir investigación básica, investigación aplicada, transferencia de conocimientos o innovación, centrándose en las prioridades de actuación sin predeterminar concretamente las tecnologías o soluciones que deben encontrarse. Además de a las soluciones impulsadas por la tecnología, se prestará atención a las innovaciones no tecnológicas, organizativas, de sistemas y del sector público. Se pondrá énfasis en reunir una masa crítica de recursos y conocimientos de distintos campos, tecnologías y disciplinas científicas, así como infraestructuras de investigación, para abordar los retos existentes. Las actividades cubrirán el ciclo completo, de la investigación básica al mercado, con un nuevo énfasis en las actividades relacionadas con la innovación, tales como ejercicios piloto, actividades de demostración, bancos de pruebas, apoyo a la contratación pública, diseño, innovación impulsada por el usuario final, innovación social, transferencia de conocimientos, asimilación de las innovaciones por el mercado y normalización.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:18";"664235" +"H2020-EU.2.1.";"de";"H2020-EU.2.1.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien";"Leadership in enabling and industrial technologies (LEIT)";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien

Einzelziel ist der Auf- und Ausbau einer weltweiten Führungsrolle durch Forschung und Innovation in den Grundlagentechnologien und im Weltraum zur Untermauerung der Wettbewerbsfähigkeit in unterschiedlichsten bereits vorhandenen und neu entstehenden Industriezweigen und Sektoren.Das globale Umfeld für Unternehmen ist einem raschen Wandel unterworfen. Hieraus ergeben sich Herausforderungen und Chancen für die europäische Wirtschaft, wie sie in den Zielen der Strategie Europa 2020 dargelegt sind. Europa muss Innovationen beschleunigen, indem es neue Erkenntnisse nutzt, um bereits vorhandene Produkte, Dienstleistungen und Märkte auszubauen oder zu verbessern oder um Neues zu schaffen; dabei muss nach wie vor ein Schwerpunkt auf Qualität und Nachhaltigkeit gelegt werden. Innovationen sollten eine möglichst breite Anwendung finden und nicht nur für Technologien, sondern auch für unternehmerische, organisatorische und soziale Aspekte genutzt werden.Um mit einer starken Technologiebasis und industriellem Potenzial an vorderster Front des globalen Wettbewerbs dabei zu sein, bedarf es strategischer Investitionen in Forschung, Entwicklung, Validierung und Erprobung auf dem Gebiet der IKT H2020-EU.2.1.1 (http://cordis.europa.eu/programme/rcn/664147_en.html), der Nanotechnologien,H2020-EU.2.1.2 (http://cordis.europa.eu/programme/rcn/664161_en.html) der fortgeschrittenen Werkstoffe, H2020-EU.2.1.3 (http://cordis.europa.eu/programme/rcn/664173_en.html) der Biotechnologie, H2020-EU.2.1.4 (http://cordis.europa.eu/programme/rcn/664189_en.html) der fortgeschrittenen Fertigungs- und VerarbeitungsverfahrenH2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html) und der Raumfahrt) H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html)..Die erfolgreiche Beherrschung, Integration und Nutzung von Grundlagentechnologien durch die europäische Industrie sind ein entscheidender Faktor zur Stärkung der Produktivität und Innovationskapazität Europas und gewährleisten, dass Europas Wirtschaft modern, nachhaltig und wettbewerbsfähig ist, dass die Sektoren mit Hightech-Anwendungen weltweit führend sind und dass Europa in der Lage ist, wirksame und nachhaltige Lösungen zur Bewältigung der gesellschaftlichen Herausforderungen zu entwickeln. Da diese Tätigkeiten viele Bereiche durchdringen, können sie weitere Fortschritte durch ergänzende Erfindungen, Anwendungen und Dienstleistungen anstoßen, so dass bei den Investitionen in diese Technologien eine höhere Rendite erzielt wird als auf jedem anderen Gebiet.Diese Tätigkeiten werden zu den Zielen der Leitinitiativen der Strategie ""Innovationsunion"", „Ressourcenschonendes Europa, ""Eine Industriepolitik für das Zeitalter der Globalisierung"" und ""Eine digitale Agenda für Europa"" der Strategie Europa 2020 – sowie zu den Zielen der Raumfahrtpolitik der Europäischen Union beitragen.

Komplementarität mit anderen Tätigkeiten von Horizont 2020

Die Tätigkeiten im Rahmen des Einzelziels ""Führende Rolle bei grundlegenden und industriellen Technologien"" stützen sich vor allem auf die Forschungs- und Innovationsagenden, die in erster Linie von Industrie und Unternehmen, einschließlich KMU, zusammen mit Forschern und Mitgliedstaaten gemeinsam in einer offenen und transparenten Weise festgelegt werden, und sind deutlich auf die Mobilisierung von Investitionen des Privatsektors und auf Innovation ausgerichtet.Die Integration von Grundlagentechnologien in Lösungen für die gesellschaftlichen Herausforderungen wird im Zusammenhang mit den jeweiligen Herausforderungen unterstützt. Die Anwendung von Grundlagentechnologien, die zwar nicht unter eine der gesellschaftlichen Herausforderungen fallen, für die Stärkung der Wettbewerbsfähigkeit der europäischen Wirtschaft jedoch wichtig sind, wird im Rahmen des Einzelziels ""Führende Rolle bei grundlegenden und industriellen Technologien"" unterstützt. Es sollte eine angemessene Abstimmung mit den Schwerpunkten ""Wissenschaftsexzellenz"" und ""Gesellschaftliche Herausforderungen"" angestrebt werden.

Ein gemeinsamer Ansatz

Dieser Ansatz beinhaltet sowohl Agenda-abhängige Tätigkeiten als auch mehr Freiräume für die Förderung innovativer Projekte und bahnbrechender Lösungen für die ganze Wertschöpfungskette einschließlich FuE, großmaßstäbliche Pilotprojekte und Demonstrationstätigkeiten, Versuchseinrichtungen und Living Labs, Entwicklung von Prototypen und Validierung von Produkten in Pilotlinien. Die Tätigkeiten sollen durch Forschungs- und Innovationsanreize für die Wirtschaft – insbesondere für KMU – die industrielle Wettbewerbsfähigkeit steigern, unter anderem durch offene Ausschreibungen. Projekte im kleinen und mittleren Maßstab werden angemessen berücksichtigt.

Ein integrierter Ansatz für Schlüsseltechnologien

Ein wichtiger Teil des Einzelziels ""Führende Rolle bei Grundlagentechnologien und industriellen Technologien"" sind die Technologien der Mikro- und Nanoelektronik, Photonik, Nanotechnologie und Biotechnologie sowie fortgeschrittene Werkstoffe und Fertigungssysteme, die als Schlüsseltechnologien gelten. Diese multidisziplinären, wissens- und kapitalintensiven Technologien finden in vielen unterschiedlichen Sektoren Anwendung und bilden die Grundlage für einen deutlichen Wettbewerbsvorteil der europäischen Wirtschaft im Hinblick auf die Stimulierung von Wachstum und die Schaffung von Arbeitsplätzen. Ein integrierter Ansatz, mit dem die Kombination, Konvergenz und gegenseitige Bereicherung der Schlüsseltechnologien in verschiedenen Innovationszyklen und Wertschöpfungsketten gefördert wird, kann vielversprechende Forschungsergebnisse hervorbringen und den Weg für neue industrielle Technologien, Produkte, Dienstleistungen und neuartige Anwendungen freimachen (beispielsweise auf den Gebieten Raumfahrt, Verkehr, Landwirtschaft, Fischerei, Forstwirtschaft, Umwelt, Lebensmittel, Gesundheit und Energie). So werden die zahlreichen Wechselwirkungen zwischen den Schlüsseltechnologien und den sonstigen Grundlagentechnologien flexibel als wichtige Innovationsquelle genutzt. Dies ergänzt die Unterstützung für Forschung und Innovation im Bereich der Schlüsseltechnologien, die möglicherweise im Rahmen der intelligenten Spezialisierungsstrategien der kohäsionspolitischen Fonds von nationalen oder regionalen Stellen geleistet wird.Innovation erfordert verstärkte Anstrengungen der technologieübergreifenden Forschung. Daher sollte der Schwerpunkt ""Führende Rolle der Industrie"" auch multidisziplinäre und auf übergreifende Schlüsseltechnologien ausgerichtete Projekte umfassen. Die Durchführungsstelle von Horizont 2020 zur Förderung von Schlüsseltechnologien und bereichsübergreifenden Tätigkeiten auf dem Gebiet der Schlüsseltechnologien (übergreifende Schlüsseltechnologien) sollte für Synergien und eine effektive Koordinierung unter anderem mit dem Schwerpunkt ""Gesellschaftliche Herausforderungen"" sorgen. Zudem werden gegebenenfalls Synergien zwischen Tätigkeiten auf dem Gebiet der Schlüsseltechnologien und den Tätigkeiten nach Maßgabe der Kohäsionspolitik für 2014 bis 2020 sowie mit dem EIT angestrebt.Für alle grundlegenden und industriellen Technologien, einschließlich der Schlüsseltechnologien, gilt als wichtiges Ziel die Förderung von Wechselwirkungen zwischen diesen Technologien und mit den Anwendungen im Rahmen der gesellschaftlichen Herausforderungen. Bei der Umsetzung der Agenden und Schwerpunkte wird dies uneingeschränkt berücksichtigt. Daher müssen Akteure, die die unterschiedlichen Perspektiven vertreten, in die Festlegung und Umsetzung der Schwerpunkte voll einbezogen werden. In einigen Fällen wird dies auch Maßnahmen erfordern, die sowohl aus den Mitteln für grundlegende und industrielle Technologien als auch aus den Mitteln für die jeweilige gesellschaftliche Herausforderung gefördert werden. Dies könnte die gemeinsame Finanzierung öffentlich-privater Partnerschaften beinhalten, deren Ziel die Entwicklung von Technologien, die Förderung von Innovation und die Anwendung derartiger Technologien zur Bewältigung gesellschaftlicher Herausforderungen ist.Eine wichtige Rolle kommt den IKT zu, die die Kerninfrastrukturen, Technologien und Systeme liefern, die für wirtschaftliche und gesellschaftliche Prozesse sowie neue private und öffentliche Produkte und Dienstleistungen unerlässlich sind. Die europäische Industrie muss bei den technologischen Entwicklungen auf dem Gebiet der IKT, auf dem viele Technologien in eine neue Umbruchphase eintreten und neue Möglichkeiten eröffnen, weiterhin eine Spitzenstellung einnehmen.Die Weltraumforschung ist ein rasch wachsender Sektor, der für viele Bereiche der modernen Gesellschaft unentbehrliche Informationen liefert und grundlegende Bedürfnisse der Gesellschaft befriedigt, universelle wissenschaftliche Fragen angeht und der Union hilft, ihre Position als wichtiger Akteur auf der internationalen Bühne zu verteidigen. Die Weltraumforschung liegt zwar allen Tätigkeiten im Weltraum zugrunde, wird derzeit jedoch in Programmen behandelt, die von Mitgliedstaaten, der Europäischen Weltraumorganisation (ESA) oder im Kontext der Forschungsrahmenprogramme der Union durchgeführt werden. Es sind im Bereich der Weltraumforschung Maßnahmen und Investitionen auf Unionsebene im Einklang mit Artikel 189 AEUV erforderlich, um Wettbewerbsvorteile zu wahren, die Weltrauminfrastrukturen und -programme der Union (wie Copernicus und Galileo) zu sichern und dafür zu sorgen, dass Europa auch in Zukunft eine Rolle im Weltraum spielt.Darüber hinaus stellen nachgelagerte innovative Dienste und benutzerfreundliche Anwendungen, die Informationen aus der Weltraumforschung nutzen, eine wichtige Quelle für Wachstum und Arbeitsplätze dar, und die Entwicklung dieser Dienste ist für die Union eine bedeutende Chance.

Partnerschaften und Mehrwert

Mit Hilfe von Partnerschaften, Clustern, Netzen und Normung, die die Zusammenarbeit zwischen unterschiedlichen wissenschaftlichen und technologischen Fachrichtungen und Sektoren mit einem ähnlichen Forschungs- und Entwicklungsbedarf fördern, kann Europa eine kritische Masse erreichen, die bahnbrechende Ergebnisse, neue Technologien und innovative Produkte, Dienstleistungen und Verfahren hervorbringt.Die Entwicklung und Umsetzung von Forschungs- und Innovationsagenden auch im Rahmen öffentlich-privater Partnerschaften (aber auch durch den Aufbau effektiver Verbindungen zwischen Unternehmen und Hochschulen), die Mobilisierung zusätzlicher Investitionen, der Zugang zur Risikofinanzierung, Normung und die Unterstützung der vorkommerziellen Auftragsvergabe sowie öffentliche Aufträge für innovative Produkte und Dienstleistungen – all dies sind für die Wettbewerbsfähigkeit entscheidende Aspekte.Daher wird auch eine enge Anbindung des EIT benötigt, um unternehmerische Spitzentalente hervorzubringen und zu fördern und Innovationen zu beschleunigen, indem Menschen aus unterschiedlichen Ländern, Fachrichtungen und Organisationen zusammengebracht werden.Auch durch die Unterstützung der Ausarbeitung europäischer oder internationaler Normen für neu entstehende Produkte, Dienstleistungen und Technologien kann die Zusammenarbeit auf Unionsebene Handelsmöglichkeiten unterstützen. Die Ausarbeitung solcher Normen im Anschluss an eine Konsultation der relevanten Akteure, einschließlich jener aus Wissenschaft und Wirtschaft, könnte sich positiv auswirken. Gefördert werden Tätigkeiten bezüglich Normung, Interoperabilität und Sicherheit sowie präregulatorische Tätigkeiten.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:40:26";"664145" +"H2020-EU.2.1.";"es";"H2020-EU.2.1.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación";"Leadership in enabling and industrial technologies (LEIT)";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación

El objetivo específico es mantener y consolidar el liderazgo mundial a través de la investigación y la innovación en tecnologías de capacitación y en materia espacial, que sustentan la competitividad en toda una gama de sectores e industrias existentes y emergentes.El entorno empresarial mundial está cambiando rápidamente y los objetivos de la estrategia Europa 2020 relativos a un crecimiento inteligente, sostenible e integrador ofrecen desafíos y oportunidades a la industria europea. Europa necesita acelerar la innovación, transformando los conocimientos generados para respaldar y potenciar los productos, servicios y mercados existentes, así como para crear otros nuevos, al tiempo que mantiene el empeño en la calidad y en la sostenibilidad. Debe explotarse la innovación en el sentido más amplio, no ciñéndose a la tecnología, sino incluyendo los aspectos empresariales, organizativos y sociales.Para permanecer en la vanguardia de la competencia mundial con una base tecnológica y unas capacidades industriales sólidas, es preciso aumentar las inversiones estratégicas en investigación, desarrollo, validación y proyectos piloto en las tecnologías de la información y la comunicación (TIC) H2020-EU.2.1.1 (http://cordis.europa.eu/programme/rcn/664147_en.html), nanotecnologías H2020-EU.2.1.2 (http://cordis.europa.eu/programme/rcn/664161_en.html), materiales avanzados H2020-EU.2.1.3 (http://cordis.europa.eu/programme/rcn/664173_en.html), biotecnología H2020-EU.2.1.4 (http://cordis.europa.eu/programme/rcn/664189_en.html), la fabricación y transformación avanzadas H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html), y el espacio H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html).Lograr que la industria europea consiga dominar, integrar y desplegar las tecnologías de capacitación es un factor clave para fortalecer la productividad y la capacidad de innovación europeas y garantizar que Europa cuente con una economía avanzada, sostenible y competitiva, un liderazgo mundial en los sectores de aplicación de la alta tecnología y la capacidad de elaborar soluciones eficaces y sostenibles para los retos de la sociedad. El carácter omnipresente de estas actividades puede estimular avances adicionales a través de invenciones, aplicaciones y servicios complementarios, garantizando un mayor rendimiento de la inversión en estas tecnologías que en cualquier otro ámbito.Estas actividades contribuirán a la consecución de los objetivos de las iniciativas emblemáticas de la estrategia Europa 2020 ""Unión por la innovación"", ""Una Europa que utilice eficazmente los recursos"", ""Una política industrial para la era de la mundialización"" y ""Agenda Digital para Europa"", así como los objetivos de la política espacial de la Unión.

Complementariedad con otras actividades de Horizonte 2020

Las actividades recogidas en el objetivo específico ‘Liderazgo en las tecnologías industriales y de capacitación’ se basarán principalmente en las agendas de investigación e innovación principalmente determinadas, de un modo abierto y transparente, por la industria y las empresas (incluidas las PYME), junto con la comunidad investigadora y los Estados miembros, y pondrán un gran énfasis en suscitar la inversión del sector privado y la innovación.La integración de las tecnologías de capacitación en soluciones para los retos de la sociedad se financiará junto con los retos correspondientes. Las aplicaciones de las tecnologías de capacitación que no entren en los retos de la sociedad, pero sean importantes para reforzar la competitividad de la industria europea, recibirán apoyo en el marco del objetivo específico ""Liderazgo en las tecnologías industriales y de capacitación"". Se procurará mantener una coordinación adecuada con las prioridades ""Ciencia excelente"" y ""Retos de la sociedad"".

Un planteamiento común

El planteamiento incluirá tanto actividades impulsadas por un programa determinado como ámbitos más abiertos para promover proyectos innovadores y soluciones rupturistas en toda la cadena de valor, incluida la I+D, los proyectos piloto a gran escala y las actividades de demostración, los bancos de pruebas y los ""laboratorios vivientes"", la creación de prototipos y la validación de productos en líneas piloto. Las actividades estarán pensadas para fomentar la competitividad industrial estimulando a la industria, y en particular a las PYME, para que invierta más en investigación e innovación, inclusive mediante convocatorias abiertas. Se prestará la debida atención a los proyectos de pequeña y mediana escala.

Un enfoque integrado para las tecnologías de capacitación esenciales

Un componente importante del objetivo específico ""Liderazgo en las tecnologías industriales y de capacitación"" son las tecnologías de capacitación esenciales (TFE), a saber, la microelectrónica y la nanoelectrónica, la fotónica, la nanotecnología, la biotecnología, los materiales avanzados y los sistemas de fabricación avanzados. Estas tecnologías del conocimiento multidisciplinarias, que requieren un uso intensivo de capital, afectan a muchos sectores y sientan las bases para una importante ventaja competitiva de la industria europea, para estimular el crecimiento y crear nuevo empleo. Un enfoque integrado, que promueva la combinación, convergencia y fertilización cruzada de las TFE en diferentes ciclos de innovación y cadenas de valor, puede aportar unos resultados de investigación prometedores y abrir el camino hacia nuevas tecnologías industriales, productos, servicios y aplicaciones novedosas (por ejemplo, en el espacio, el transporte, la agricultura, la pesca, los bosques, el medio ambiente, la alimentación, la sanidad, la energía, etc.). Por lo tanto, deberán aprovecharse de manera flexible las numerosas interacciones de las TFE y las otras tecnologías industriales de capacitación, como una fuente importante de innovación. Esto complementará el apoyo a la investigación y la innovación en las TFE que aporten las autoridades nacionales o regionales en virtud de los fondos de la política de cohesión en el marco de las estrategias de especialización inteligente.La innovación exige intensificar los esfuerzos de investigación intertecnológica. Por consiguiente, los proyectos multidisciplinares y multi-TFE deben ser parte integrante de la prioridad ""Liderazgo industrial"". La estructura de ejecución Horizonte 2020 que dé apoyo a las TFE y a las actividades transversales de las TFE (multi-TFE) debe asegurar las sinergias y la coordinación efectiva, entre otros, con los retos de la sociedad. Además, se han de buscar sinergias, cuando proceda, entre las actividades de las TFE y las actividades realizadas en el marco estratégico común de la Política de cohesión 2014-2020, así como con el EIT.Un objetivo importante para todas las tecnologías industriales y de capacitación, incluidas las TFE, será fomentar la interacción entre las tecnologías, así como con las aplicaciones referidas a los retos de la sociedad. Esto deberá tenerse plenamente en cuenta en la elaboración y aplicación de las agendas y prioridades. Exige que los interesados que representan a las diferentes perspectivas participen plenamente en la fijación de prioridades y en su aplicación. En determinados casos, también requerirá acciones financiadas conjuntamente por las tecnologías industriales y de capacitación y por los retos de la sociedad pertinentes. Esto incluirá la financiación conjunta de asociaciones público-privadas que se propongan impulsar dichas tecnologías e innovación, y aplicarlas para afrontar los retos de la sociedad.Las TIC desempeñan un papel importante, ya que proporcionan las infraestructuras básicas, tecnologías y sistemas clave para procesos económicos y sociales vitales y para nuevos productos y servicios privados y públicos. La industria europea necesita permanecer en la vanguardia de la evolución tecnológica en el ámbito de las TIC, en el que muchas tecnologías están entrando en una nueva fase de transición y se abren nuevas oportunidades.El espacio es un sector en rápido crecimiento que entrega información vital para numerosos ámbitos de la sociedad moderna, satisfaciendo sus demandas fundamentales, aborda cuestiones científicas universales y sirve para garantizar la posición de la Unión como protagonista importante en la escena internacional. La investigación espacial sustenta todas las actividades emprendidas en el espacio, pero actualmente se aborda en programas gestionados por los Estados miembros, por la Agencia Espacial Europea (AEE) o en el contexto de los programas marco de investigación de la Unión. Se continuará con la inversión en investigación espacial a escala de la Unión, en virtud del artículo 189 del TFUE, para mantener la ventaja competitiva, salvaguardar las infraestructuras y los programas espaciales de la Unión, por ejemplo Copérnico y GALILEO, y garantizar a Europa un papel futuro en el espacio.Además, los servicios y aplicaciones innovadoras y de fácil manejo en etapas descendentes que utilizan información derivada del espacio constituyen una fuente importante de crecimiento y creación de empleo y su desarrollo representa una importante oportunidad para la Unión.

Asociaciones y valor añadido

Europa puede conseguir una masa crítica a través de las asociaciones, agrupaciones y redes, de la normalización y del fomento de la cooperación entre diversas disciplinas científicas y tecnológicas y sectores con necesidades similares de investigación y desarrollo, para generar avances decisivos, nuevas tecnologías y soluciones innovadoras para productos, servicios y procesos.El desarrollo y la aplicación de las agendas de investigación e innovación, por ejemplo mediante asociaciones público-privadas, pero asimismo mediante la construcción de vínculos efectivos entre la industria y el mundo académico, la movilización de inversiones adicionales, el acceso a la financiación de riesgo, la normalización y el apoyo a la contratación precomercial y a la contratación pública de productos y servicios innovadores constituyen todos ellos aspectos esenciales a la hora de abordar la competitividad.A este respecto, son también necesarios unos estrechos vínculos con el EIT para generar y promover talentos empresariales de primer orden y acelerar la innovación reuniendo a personas de distintos países, disciplinas y organizaciones.La colaboración a nivel de la Unión puede prestar igualmente apoyo a las oportunidades comerciales mediante el apoyo al desarrollo de normas europeas o internacionales para nuevos productos, servicios y tecnologías emergentes. La elaboración de dichas normas, tras la consulta de las partes interesadas pertinentes, inclusive las del sector científico e industrial, puede tener un impacto positivo. Se promocionarán las actividades de apoyo a la normalización y la interoperabilidad, así como las relacionadas con la seguridad y previas a la regulación.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:40:26";"664145" +"H2020-EU.2.1.";"it";"H2020-EU.2.1.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali";"Leadership in enabling and industrial technologies (LEIT)";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali

L'obiettivo specifico è mantenere e costruire una leadership mondiale attraverso la ricerca e l'innovazione nelle tecnologie abilitanti e nel settore spaziale, soggiacenti alla competitività in un ampio spettro di industrie e settori esistenti ed emergenti.L'ambiente commerciale mondiale è in rapida mutazione e gli obiettivi della strategia Europa 2020 presentano sfide e opportunità per le industrie europee. L'Europa deve accelerare l'innovazione, trasformando le conoscenze ottenute per sostenere e rafforzare i prodotti, servizi e i mercati esistenti e crearne di nuovi, mantenendo l'attenzione sulla qualità e la sostenibilità. L'innovazione dovrebbe essere sfruttata in senso lato, oltre la tecnologia al fine di includere aspetti commerciali, organizzativi e sociali.Per restare all'avanguardia della concorrenza mondiale con una base tecnologica e capacità industriali forti, è necessario incrementare gli investimenti strategici in ricerca, sviluppo, convalida e sperimentazione di TIC H2020-EU.2.1.1 (http://cordis.europa.eu/programme/rcn/664147_en.html), nanotecnologie H2020-EU.2.1.2 (http://cordis.europa.eu/programme/rcn/664161_en.html), materiali avanzati H2020-EU.2.1.3 (http://cordis.europa.eu/programme/rcn/664173_en.html), biotecnologia H2020-EU.2.1.4 (http://cordis.europa.eu/programme/rcn/664189_en.html), fabbricazione e trasformazione avanzate H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html), e spazio H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html).La padronanza, l'integrazione e la diffusione di tecnologie abilitanti da parte dell'industria europea rappresentano fattori chiave per rafforzare la produttività e la capacità di innovazione dell'Europa e garantire che l'Europa possieda un'economia avanzata, sostenibile e competitiva, nonché una leadership mondiale nei settori di applicazione ad alta tecnologia, oltre alla capacità di sviluppo di soluzioni efficaci e sostenibili per le sfide per la società. Il carattere diffusivo di tali attività può stimolare ulteriormente i progressi attraverso invenzioni, applicazioni e servizi complementari, assicurando un maggiore ritorno sugli investimenti in queste tecnologie rispetto a qualsiasi altro settore.Tali attività contribuiranno agli obiettivi delle iniziative faro ""Unione dell'innovazione"", ""Un'Europa efficiente sotto il profilo delle risorse"", ""Una politica industriale integrata per l'era della globalizzazione"" e ""Un'agenda digitale europea"" della strategia Europa 2020 nonché agli obiettivi della politica spaziale dell'Unione.

Complementarità con altre attività di Orizzonte 2020

Le attività nell'ambito dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" saranno principalmente basate sui programmi di ricerca e innovazione stabiliti prevalentemente dall'industria e delle imprese, comprese le PMI, insieme alla comunità dei ricercatori e agli Stati membri in maniera aperta e trasparente e porranno un forte accento sullo stimolo agli investimenti del settore privato e sull'innovazione.L'integrazione delle tecnologie abilitanti nelle soluzioni per le sfide per la società è sostenuta congiuntamente alle sfide pertinenti. Le domande di tecnologie abilitanti che non rientrano nell'ambito delle sfide per la società ma sono importanti per rafforzare la competitività dell'industria europea sono finanziate a titolo dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"". È opportuno cercare un coordinamento adeguato con le priorità ""Eccellenza scientifica"" e ""Sfide per la società"".

Un approccio comune

Tale approccio comprende sia attività programmate, sia spazi più aperti per promuovere progetti innovativi e soluzioni rivoluzionarie coprendo l'intera catena del valore, comprese le attività di R&S, progetti pilota su vasta scala, attività dimostrative, banchi di prova e laboratori viventi, creazione di prototipi e convalida del prodotto in linee pilota. Le attività sono intese a potenziare la competitività industriale promuovendo l'industria, e in particolare le PMI, affinché effettuino maggiori investimenti in ricerca e innovazione, anche attraverso inviti aperti. Verrà dato adeguato rilievo ai progetti su piccola e media scala.

Un approccio integrato per le tecnologie abilitanti fondamentali

Una componente importante dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" è data dalle tecnologie abilitanti fondamentali (KET), ossia la microelettronica e la nanoelettronica, la fotonica, le nanotecnologie, le biotecnologie, i materiali avanzati e sistemi di fabbricazione avanzati. Tali tecnologie multidisciplinari ad alta intensità di conoscenza e capitale interessano vari settori diversi che costituiscono la base di un significativo vantaggio concorrenziale per l'industria europea al fine di stimolare la crescita e creare nuovi posti di lavoro. Un approccio integrato, che promuove la combinazione, la convergenza e l'effetto di arricchimento reciproco delle KET nei diversi cicli d'innovazione e catene del valore, può dare risultati di ricerca promettenti e aprire la via a tecnologie industriali, prodotti, servizi e applicazioni nuovi, ad esempio nel settore spaziale, nei trasporti, nell'agricoltura, nella pesca, nella silvicoltura, nell'ambiente, nell'alimentazione, nella salute e nell'energia). Le numerose interazioni delle KET e di altre tecnologie industriali abilitanti saranno pertanto sfruttate in modo flessibile, poiché rappresentano un'importante fonte di innovazione. Questo elemento integrerà il sostegno alla ricerca e all'innovazione nelle KET che può essere fornito da autorità nazionali o regionali nell'ambito dei Fondi per la politica di coesione all'interno delle strategie di specializzazione intelligente.L'innovazione richiede maggiori sforzi di ricerca tecnologica trasversale. Pertanto, progetti multidisciplinari e multi-KET dovrebbero essere parte integrante della priorità ""Leadership industriale"". La struttura di attuazione di Orizzonte 2020 a sostegno delle KET e delle attività trasversali nel settore delle tecnologie abilitanti fondamentali (""multi KET"") dovrebbe garantire sinergie e un coordinamento efficace, tra l'altro, con le sfide per la società. Saranno inoltre cercate, se del caso, sinergie tra le attività delle KET e le attività nell'ambito della politica di coesione per il periodo 2014-2020, nonché con l'EIT.Per tutte le tecnologie abilitanti e industriali, comprese le KET, un obiettivo di rilievo sarà quello di favorire le interazioni fra le tecnologie e con le domande poste nel quadro delle sfide per la società. Nello sviluppo e nell'attuazione dei programmi e delle priorità si tiene pienamente conto di tale elemento. A tal fine è necessario che le parti interessate che rappresentano le diverse prospettive siano pienamente coinvolte nella definizione e nell'attuazione delle priorità. In alcuni casi ciò richiederà altresì azioni finanziate congiuntamente dalle tecnologie abilitanti e industriali e dalle pertinenti sfide per la società. Questo potrebbe comprendere il finanziamento congiunto di partenariati pubblico-privato mirati a sviluppare le tecnologie, a sostenere l'innovazione, nonché ad applicare tali tecnologie per affrontare le sfide per la società.Le TIC svolgono un ruolo importante in quanto forniscono le infrastrutture, le tecnologie e i sistemi di base fondamentali per processi economici e sociali vitali nonché per nuovi prodotti e servizi pubblici e privati. L'industria europea deve rimanere all'avanguardia degli sviluppi tecnologici nel settore delle TIC, in cui molte tecnologie stanno entrando in una nuova fase di rottura, con l'apertura di nuove opportunità.Quello spaziale è un settore in rapida crescita che fornisce informazioni essenziali per molti settori della società moderna, ne soddisfa le richieste fondamentali, affronta questioni scientifiche universali e serve a garantire la posizione dell'Unione come protagonista sulla scena internazionale. La ricerca spaziale è alla base di tutte le attività intraprese nello spazio, ma è attualmente affrontata in programmi gestiti da Stati membri, dall'Agenzia spaziale europea (ESA) o nel contesto dei programmi quadro di ricerca dell'Unione. Al fine di mantenere la competitività, salvaguardare le infrastrutture e i programmi spaziali dell'Unione, come Copernicus e Galileo, e sostenere un futuro ruolo dell'Europa nel settore spaziale, occorrono, conformemente all'articolo 189 TFUE, azioni e investimenti a livello di Unione nella ricerca spaziale.Inoltre, i servizi innovativi a valle e le applicazioni di facile uso che si avvalgono di informazioni derivate dal settore spaziale rappresentano un'importante fonte di crescita e di creazione di posti di lavoro e il loro sviluppo rappresenta un'importante opportunità per l'Unione.

Collaborazione e valore aggiunto

L'Europa può raggiungere una massa critica attraverso partenariati, poli e reti, nonché mediante la standardizzazione, promuovendo la cooperazione tra diverse discipline scientifiche e tecnologiche e i settori con esigenze di sviluppo e di ricerca analoghe, per ottenere risultati epocali, nuove tecnologie e soluzioni innovative relative a prodotto, servizio e processo.Lo sviluppo e l'attuazione dei programmi di ricerca e innovazione, anche attraverso partenariati pubblico-privato ma altresì mediante la creazione di collegamenti efficaci tra l'industria e l'università, l'effetto di leva degli investimenti aggiuntivi, l'accesso al capitale di rischio, la standardizzazione e il sostegno agli appalti pre-commerciali e agli appalti di prodotti e servizi innovativi rappresentano tutti aspetti essenziali in materia di competitività.A tale riguardo sono anche necessari forti legami con l'EIT per creare e promuovere talenti imprenditoriali di punta e accelerare l'innovazione, riunendo persone di diversi paesi e di diverse discipline e organizzazioni.La collaborazione a livello unionale può anche sostenere opportunità commerciali mediante il sostegno allo sviluppo di norme europee o internazionali per nuovi prodotti, servizi e tecnologie emergenti. L'elaborazione di tali norme, previa consultazione delle parti interessate anche nei settori scientifici e dell'industria, potrebbe avere ripercussioni positive. Si promuoveranno le attività a sostegno della standardizzazione e dell'interoperabilità, nonché le attività pre-normative e in materia di sicurezza.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:40:26";"664145" +"H2020-EU.2.1.";"pl";"H2020-EU.2.1.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych";"Leadership in enabling and industrial technologies (LEIT)";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych

Celem szczegółowym jest budowa i utrzymanie wiodącej globalnej pozycji dzięki badaniom naukowym i innowacjom w zakresie technologii prorozwojowych i technologii kosmicznych, stanowiących podstawę konkurencyjności w wielu istniejących i powstających gałęziach przemysłu i sektorach.Globalne otoczenie biznesu zmienia się w szybkim tempie, a cele strategii „Europa 2020” stawiają przed europejskim przemysłem zarówno wyzwania, jak i możliwości. Europa potrzebuje przyspieszenia w dziedzinie innowacji, przeobrażenia uzyskanej wiedzy w sposób pozwalający na udoskonalenie i zwiększenie atrakcyjności istniejących produktów, usług i rynków, a także na tworzenie nowych, z jednoczesnym utrzymaniem akcentu na jakości i zrównoważoności. Innowacje należy wykorzystywać w najszerszym rozumieniu, nie tylko w technologii, lecz także w biznesie oraz w kwestiach organizacyjnych i społecznych.Utrzymanie się w czołówce globalnej konkurencji dzięki silnej bazie technologicznej i zdolnościom przemysłowym wymaga zwiększenia strategicznych inwestycji w badania naukowe, rozwój, walidację i programy pilotażowe w dziedzinach ICT H2020-EU.2.1.1 (http://cordis.europa.eu/programme/rcn/664147_en.html), nanotechnologii H2020-EU.2.1.2 (http://cordis.europa.eu/programme/rcn/664161_en.html), materiałów zaawansowanych H2020-EU.2.1.3 (http://cordis.europa.eu/programme/rcn/664173_en.html), biotechnologii H2020-EU.2.1.4 (http://cordis.europa.eu/programme/rcn/664189_en.html), zaawansowanych systemów produkcji i przetwarzania H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html) oraz przestrzeni kosmicznej H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html).Udane opanowanie, integracja i wdrożenie technologii prorozwojowych przez przemysł europejski to kluczowy czynnik wzmocnienia wydajności Europy oraz jej zdolności do innowacji i zagwarantowania, że Europa posiada zaawansowaną, zrównoważoną i konkurencyjną gospodarkę, pozycję globalnego lidera w sektorach zastosowania najnowocześniejszych technologii oraz zdolność do opracowania skutecznych i zrównoważonych rozwiązań wyzwań społecznych. Ze względu na swój dominujący charakter, takie działania mogą stymulować dalsze postępy poprzez wzajemnie uzupełniające się wynalazki, zastosowania i usługi, zapewniając wyższy zwrot z inwestycji w takie technologie niż w jakiejkolwiek innej dziedzinie.Działania te przyczynią się to osiągnięcia celów inicjatyw przewodnich strategii „Europa 2020” – „Unii innowacji”, „Europy efektywnie korzystającej z zasobów”, „Polityki przemysłowej w erze globalizacji”, „Europejskiej agendy cyfrowej” oraz celów Unii związanych z polityką w zakresie przestrzeni kosmicznej.

Komplementarność z innymi działaniami w ramach programu „Horyzont 2020”

Działania związane z celem szczegółowym „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” będą opierać się przede wszystkim na agendach badań naukowych i innowacji zdefiniowanych głównie przez przemysł i biznes, w tym MŚP oraz środowisko naukowe i państwa członkowskie w otwarty i przejrzysty sposób oraz będą silnie ukierunkowane na wykorzystanie inwestycji sektora prywatnego i na innowacje.Wraz z odnośnymi wyzwaniami wspierane jest włączenie technologii prorozwojowych do rozwiązań w zakresie wyzwań społecznych. W ramach celu szczegółowego „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” wspierane jest zastosowanie technologii prorozwojowych niewchodzących w zakres żadnego z wyzwań społecznych, lecz ważnych dla wzmocnienia konkurencyjności europejskiego przemysłu. Należy dążyć do właściwej koordynacji z priorytetami „Doskonała baza naukowa” i „Wyzwania społeczne”.

Wspólne podejście

Podejście to obejmuje zarówno działania prowadzone zgodnie z agendą, jak i bardziej otwarte obszary w celu promowania innowacyjnych projektów i przełomowych rozwiązań obejmujących cały łańcuch wartości, w tym badania i rozwój, pilotażowe projekty wielkoskalowe i działania demonstracyjne, poligony doświadczalne i żywe laboratoria, tworzenie prototypów i weryfikację produktów na liniach pilotażowych. Działania są projektowane w sposób zwiększający konkurencyjność przemysłową poprzez stymulowanie przemysłu, a w szczególności MŚP, do większych inwestycji w badania naukowe i w innowacje, w tym za pośrednictwem otwartych zaproszeń do składania wniosków. Zostanie zwrócona odpowiednia uwaga na projekty o małej i średniej skali.

Zintegrowane podejście do kluczowych technologii prorozwojowych

Istotnym elementem celu szczegółowego „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” są kluczowe technologie prorozwojowe (KET), definiowane jako mikro- i nanoelektronika, fotonika, nanotechnologia, biotechnologia, materiały zaawansowane i zaawansowane systemy produkcyjne. Takie multidyscyplinarne, wymagające rozległej wiedzy i dużego kapitału technologie obejmują wiele zróżnicowanych sektorów, tworząc podstawę dla osiągnięcia istotnej przewagi konkurencyjnej przez przemysł europejski, aby stymulować wzrost i tworzyć nowe miejsca pracy. Zintegrowane podejście, wspierające łączenie, konwergencję i wzajemne inspirowanie się kluczowych technologii prorozwojowych w różnych cyklach innowacji i łańcuchach wartości mogą zapewnić obiecujące wyniki badań naukowych i otworzyć drogę dla nowych technologii przemysłowych, produktów, usług i nowatorskich zastosowań (np. w obszarach takich jak: przestrzeń kosmiczna, transport, rolnictwo, rybołówstwo, leśnictwo, środowisko, żywność, zdrowie i energia). Liczne interakcje kluczowych technologii prorozwojowych i innych przemysłowych technologii prorozwojowych będą zatem wykorzystywane w elastyczny sposób jako ważne źródło innowacji. Podejście to uzupełni wsparcie dla badań naukowych i innowacji w zakresie KET świadczone przez organy krajowe lub regionalne z funduszy polityki spójności w ramach strategii inteligentnej specjalizacji.Innowacyjność wymaga intensyfikacji badań przekrojowych w dziedzinie technologii. Dlatego projekty multidyscyplinarne i obejmujące wiele technologii prorozwojowych (multi-KET) powinny stanowić nieodłączny element priorytetu dotyczącego „Wiodącej pozycji w przemyśle”. Struktura realizacji programu „Horyzont 2020”, wspierająca KET i przekrojowe działania w zakresie KET (multi-KET) powinna zapewniać synergię i skuteczną koordynację – między innymi – z wyzwaniami społecznymi. Oprócz tego stosownie do wymagań konkretnego przypadku będzie się dążyć do osiągnięcia synergii między działaniami polityki spójności na lata 2014-2020, a także EIT.W przypadku wszelkich technologii prorozwojowych i przemysłowych, w tym kluczowych technologii prorozwojowych, głównym celem będzie wspieranie interakcji między technologiami oraz interakcji z zastosowaniami związanymi z wyzwaniami społecznymi. Jest to w pełni uwzględniane w pracach nad przygotowaniem i wdrożeniem agend i priorytetów. Wymaga to pełnego zaangażowania zainteresowanych stron reprezentujących różne punkty widzenia w ustalanie i wdrażanie priorytetów. W niektórych przypadkach konieczne będą również działania wspólnie finansowane ze środków przeznaczonych na technologie prorozwojowe i przemysłowe oraz na odnośne wyzwania społeczne. Może to obejmować wspólne finansowanie partnerstw publiczno-prywatnych mających na celu rozwój technologii, wspieranie innowacji oraz zastosowanie ich w odniesieniu do wyzwań społecznych.Technologie informacyjno-komunikacyjne odgrywają ważną rolę, ponieważ oferują kluczową podstawową infrastrukturę, technologię i systemy niezbędne dla ważnych procesów gospodarczych i społecznych oraz nowych produktów i usług prywatnych i publicznych. Europejski przemysł musi utrzymać się w czołówce rozwoju technologicznego w dziedzinie ICT, w której wiele technologii wchodzi w nową, przełomową fazę, otwierając nowe możliwości.Przestrzeń kosmiczna to szybko rozwijający się sektor badań, dostarczający informacji ważnych dla wielu sektorów współczesnego społeczeństwa, odnoszący się do uniwersalnych kwestii naukowych i pozwalający na zabezpieczenie pozycji Unii jako istotnego gracza na arenie międzynarodowej. Badania w zakresie przestrzeni kosmicznej leżą u podstaw wszystkich działań podejmowanych w przestrzeni kosmicznej, przy czym aktualnie poświęcone są im programy państw członkowskich, Europejskiej Agencji Kosmicznej (ESA) lub inicjatywy w kontekście programu ramowego Unii w zakresie badań. Dla zachowania konkurencyjności, ochrony unijnej infrastruktury kosmicznej i programów takich jak Copernicus i Galileo oraz dla zapewnienia Europie przyszłej roli w zakresie przestrzeni kosmicznej kontynuowane muszą być działania w zakresie badań kosmicznych na szczeblu Unii, zgodnie z art. 189 TFUE.Ponadto innowacyjne usługi niższego szczebla i przyjazne dla użytkownika zastosowania wykorzystujące informacje pozyskiwane w przestrzeni kosmicznej stanowią ważne źródło wzrostu gospodarczego i nowych miejsc pracy, a ich rozwój stanowi ważną szansę dla Unii.

Partnerstwo i wartość dodana

Europa może osiągnąć masę krytyczną poprzez partnerstwa, klastry i sieci, standaryzację, promując współpracę między różnymi dyscyplinami nauki i techniki oraz sektorami o podobnych potrzebach w zakresie badań i rozwoju, doprowadzając do przełomów, powstania nowych technologii oraz innowacyjnych produktów, usług i rozwiązań technologicznych.Opracowanie i wdrożenie agend w zakresie badań naukowych i innowacji, w tym poprzez partnerstwa publiczno-prywatne, a także poprzez tworzenie efektywnych powiązań między przemysłem a środowiskiem akademickim, pozyskiwanie dodatkowych inwestycji, dostęp do finansowania ryzyka, standaryzacja oraz wsparcie dla przedkomercyjnych zamówień publicznych i zamówień na innowacyjne produkty i usługi – wszystko to są aspekty o zasadniczym znaczeniu dla konkurencyjności.Pod tym względem potrzebne są też silne związki z EIT, umożliwiające tworzenie i promowanie największych talentów w sektorze przedsiębiorstw oraz przyspieszenie innowacji poprzez zgromadzenie osób z różnych krajów, dyscyplin i organizacji.Współpraca na poziomie Unii może również wspierać możliwości handlowe poprzez wsparcie rozwijania europejskich lub międzynarodowych norm w zakresie nowo powstających produktów i usług oraz technologii. Rozwijanie takich norm po konsultacjach z odpowiednimi zainteresowanymi stronami, w tym pochodzącymi ze środowisk naukowych i przemysłu, może przynieść pozytywne skutki. Promowane będą działania wspierające standaryzację oraz interoperacyjność, bezpieczeństwo i ułatwiające przygotowanie regulacji prawnych.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:40:26";"664145" +"H2020-EU.2.1.";"fr";"H2020-EU.2.1.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles";"Leadership in enabling and industrial technologies (LEIT)";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles

L'objectif spécifique est de conserver et d'asseoir la primauté sur la scène mondiale par la recherche et l'innovation dans les technologies génériques et le secteur spatial, sur lesquels se fonde la compétitivité de toute une série d'industries et de secteurs existants et émergents.L'environnement économique mondial évolue rapidement, et les objectifs de la stratégie Europe 2020 sont autant des défis que des occasions à saisir pour l'industrie européenne. L'Europe doit accélérer le processus d'innovation, en transformant les connaissances générées pour soutenir et améliorer les produits, les services et les marchés existants, et en créer de nouveaux, tout en continuant de privilégier la qualité et la viabilité. L'innovation devrait être exploitée de la manière la plus large possible: pas uniquement sur le plan technologique, mais aussi sous ses aspects commerciaux, organisationnels et sociaux.Pour conserver sa primauté face à la concurrence mondiale en disposant d'une solide base technologique et de fortes capacités industrielles, davantage d'investissements stratégiques doivent être consentis dans la recherche, le développement, la validation et le lancement de projets pilotes dans les domaines des TIC, H2020-EU.2.1.1 (http://cordis.europa.eu/programme/rcn/664147_en.html), des nanotechnologies H2020-EU.2.1.2 (http://cordis.europa.eu/programme/rcn/664161_en.html), des matériaux avancés H2020-EU.2.1.3 (http://cordis.europa.eu/programme/rcn/664173_en.html), des biotechnologies H2020-EU.2.1.4 (http://cordis.europa.eu/programme/rcn/664189_en.html), des systèmes de fabrication et de transformation avancés H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html), et de l'espace H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html).Une bonne maîtrise, une intégration réussie et un déploiement efficace des technologies génériques par les entreprises européennes sont essentiels pour accroître la productivité et la capacité d'innovation de l'Europe et pour que celle-ci ait une économie avancée, durable et compétitive, jouant un rôle de premier plan sur la scène mondiale dans les secteurs d'application des hautes technologies et capable d'apporter des solutions efficaces et durables aux défis de société. Les multiples applications de ces activités peuvent stimuler de nouvelles avancées en débouchant sur des inventions, des applications et des services complémentaires, ce qui assure à ces technologies un retour sur investissement sans équivalent.Ces activités contribueront à la réalisation des objectifs définis dans les initiatives phares de la stratégie Europe 2020 intitulées «Une Union de l'innovation», «Une Europe efficace dans l'utilisation des ressources», «Une politique industrielle intégrée à l'ère de la mondialisation» et «Une stratégie numérique pour l'Europe» et des objectifs qui sous-tendent la politique spatiale de l'Union.

Complémentarité avec les autres activités d'Horizon 2020

Les activités relevant de l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» se fonderont essentiellement sur les programmes de recherche et d'innovation principalement élaborés par l'industrie et les entreprises, y compris les PME, en association avec la communauté des chercheurs et les États membres, de façon ouverte et transparente;et mettront fortement l'accent sur la mobilisation des investissements du secteur privé ainsi que sur l'innovation. L'intégration de technologies génériques dans des solutions qui permettent de relever des défis de société est soutenue conjointement avec les défis concernés. Les applications de technologies génériques qui ne s'inscrivent pas dans la section «Défis de société» mais qui contribuent notablement à renforcer la compétitivité de l'industrie européenne sont soutenues au titre de l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles». Il convient de rechercher des mécanismes de coordination appropriés avec les priorités «Excellence scientifique» et «Défis de société».

Une approche commune

L'approche utilisée intègre aussi bien les activités fondées sur un programme que les secteurs plus ouverts, de façon à promouvoir les projets innovants et les solutions révolutionnaires couvrant toute la chaîne de valeur ajoutée, y compris la R&D, les projets pilotes et les activités de démonstration à grande échelle, les bancs d'essai et les laboratoires vivants, le prototypage, ainsi que la validation des produits dans des lignes pilotes. Les activités sont conçues de manière à promouvoir la compétitivité industrielle en incitant les entreprises, et notamment les PME, à investir davantage dans la recherche et l'innovation, y compris par l'intermédiaire d'appels ouverts. Toute l'attention nécessaire sera accordée aux projets à petite et moyenne échelle.

Une approche intégrée des technologies clés génériques

L'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» compte parmi ses principales composantes les technologies clés génériques, définies comme la micro- et la nanoélectronique, la photonique, les nanotechnologies, les biotechnologies, les matériaux avancés et les systèmes de fabrication avancés. Ces technologies pluridisciplinaires, à forte intensité de connaissance et de capitaux, touchent une grande variété de secteurs et peuvent donc être mises à profit pour conférer à l'industrie européenne un avantage concurrentiel significatif, stimuler la croissance et créer de nouveaux emplois. Une approche intégrée visant à exploiter les capacités de combinaison, de convergence et de fertilisation croisée des technologies clés génériques dans différents cycles d'innovation et différentes chaînes de valeur peut produire des résultats prometteurs dans le domaine de la recherche et peut ouvrir la voie à de nouvelles technologies industrielles, de nouveaux produits et de nouveaux services ainsi qu'à des applications inédites (par exemple dans le domaine de l'espace, des transports, de l'agriculture, de la pêche, de la sylviculture, de l'environnement, de l'alimentation, de la santé et de l'énergie). Les nombreuses interactions qu'autorisent ces technologies et les autres technologies génériques industrielles seront donc exploitées de manière flexible, en tant que source importante d'innovation. Cette démarche complétera le soutien aux activités de recherche et d'innovation relatives aux technologies clés génériques que pourraient apporter les autorités nationales ou régionales au titre des fonds de la politique de cohésion, dans le cadre de stratégies de spécialisation intelligente.L'innovation exige des efforts de recherche intertechnologiques accrus. En conséquence, les projets multidisciplinaires et portant sur plusieurs technologies clés génériques devraient faire partie intégrante de la priorité «Primauté industrielle». La structure de mise en œuvre d'Horizon 2020 soutenant les technologies clés génériques et les activités transversales dans le domaine des technologies clés génériques (technologies clés génériques multiples) devrait veiller à la mise en place de synergies et d'une coordination efficace, notamment avec les défis de société. En outre, des synergies seront recherchées, le cas échéant, entre les activités portant sur les technologies clés génériques et les activités s'inscrivant dans le cadre de la politique de cohésion pour la période 2014-2020, ainsi qu'avec l'EIT.Pour toutes les technologies génériques et industrielles, dont les technologies clés génériques, l'un des principaux objectifs sera d'encourager les interactions entre les différentes technologies, ainsi qu'avec les applications relevant de la section «Défis de société». Cet objectif doit être pleinement pris en considération lors de la définition et de la mise en œuvre des stratégies et des priorités. Il conviendra pour ce faire d'associer pleinement à la définition et à la mise en œuvre des priorités stratégiques des parties prenantes représentant les différents points de vue. Dans certains cas, les actions devront par ailleurs être financées au titre à la fois de l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» et des objectifs spécifiques concernés de la section «Défis de société». Il pourrait ainsi s'agir, par exemple, de financer conjointement les partenariats public-privé visant à développer des technologies et à stimuler l'innovation, et d'appliquer ces technologies pour relever des défis de société.Les TIC jouent un rôle primordial, car elles fournissent les infrastructures, les technologies et les systèmes de base indispensables à des processus économiques et sociaux vitaux ainsi qu'à de nouveaux produits et services, tant publics que privés. L'industrie européenne doit rester à la pointe des évolutions technologiques dans le domaine des TIC, où de nombreuses technologies entrent dans une nouvelle phase de rupture, ce qui ouvre de nouveaux débouchés.Le secteur spatial est un secteur en croissance rapide, qui fournit des informations essentielles à de nombreux aspects de la société moderne et répond à ses besoins fondamentaux, qui traite des questions scientifiques universelles et qui contribue à asseoir la position de l'Union en tant qu'acteur majeur sur la scène internationale. La recherche spatiale sous-tend l'ensemble des activités menées dans l'espace, mais elle est actuellement abordée dans des programmes gérés par des États membres, l'Agence spatiale européenne (ESA) ou dans le contexte des programmes-cadres de l'Union pour la recherche. Une action à l'échelle de l'Union et des investissements dans la recherche spatiale sont requis conformément à l'article 189 du traité sur le fonctionnement de l'Union européenne afin de maintenir l'avance concurrentielle de l'Union, de préserver ses infrastructures et ses programmes dans le domaine spatial, tels que Copernicus et Galileo, et de garantir que l'Europe aura, demain, un rôle à jouer dans le domaine spatial.Par ailleurs, les services innovants en aval et les applications conviviales qui utilisent les informations fournies par le secteur spatial constituent des moteurs de croissance de premier ordre et de grands pourvoyeurs d'emplois, et leur développement représente pour l'Union une opportunité importante.

Partenariat et valeur ajoutée

L'Europe peut atteindre la masse critique nécessaire en établissant des partenariats, des pôles et des réseaux, en réalisant un travail de normalisation et en promouvant la coopération entre des disciplines et des secteurs scientifiques et technologiques différents ayant des besoins similaires en matière de recherche et de développement, de manière à réaliser des avancées et à mettre au point de nouvelles technologies ainsi que des solutions innovantes en ce qui concerne les produits, les services et les processus.L'élaboration et la mise en œuvre de stratégies de recherche et d'innovation, y compris par la conclusion de partenariats public-privé, mais aussi par l'établissement de relations effectives entre les entreprises et le monde universitaire, la mobilisation de fonds supplémentaires à des fins d'investissement, l'accès au financement à risque, la normalisation ainsi que le soutien aux achats publics avant commercialisation et aux marchés publics de produits et services innovants, sont autant d'éléments essentiels en vue d'assurer la compétitivité.À cet égard, il convient également d'entretenir des liens étroits avec l'EIT, afin de produire et de promouvoir les meilleurs talents dotés d'un esprit d'entreprise et d'accélérer le processus d'innovation en rassemblant des personnes issues de différents pays, différentes disciplines et différentes organisations.Une collaboration à l'échelle de l'Union peut également soutenir l'activité commerciale en soutenant l'établissement de normes européennes ou internationales concernant les nouveaux produits, services et technologies émergents. L'élaboration de telles normes, à l'issue d'une consultation des parties prenantes, y compris celles issues du secteur scientifique et industriel, pourrait avoir une incidence positive. Les activités de soutien à la normalisation et à l'interopérabilité ainsi que les activités pré-réglementaires et liées à la sécurité seront soutenues.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:40:26";"664145" +"H2020-EU.3.";"pl";"H2020-EU.3.";"";"";"PRIORYTET „Wyzwania społeczne”";"Societal Challenges";"

PRIORYTET „Wyzwania społeczne”

Ta część stanowi bezpośrednią reakcję na priorytety polityki i wyzwania społeczne, które są określone w strategii „Europa 2020” i które mają doprowadzić do uzyskania masy krytycznej wysiłków w zakresie badań naukowych i innowacji z myślą o osiągnięciu celów strategicznych Unii. Finansowanie dotyczy następujących celów szczegółowych:(a) zdrowie, zmiany demograficzne i dobrostan; http://cordis.europa.eu/programme/rcn/664237/pl)(b) bezpieczeństwo żywnościowe, zrównoważone rolnictwo i leśnictwo, badania mórz i wód śródlądowych oraz biogospodarka; http://cordis.europa.eu/programme/rcn/664281/pl)(c) bezpieczna, czysta i efektywna energia; http://cordis.europa.eu/programme/rcn/664321/pl)(d) inteligentny, zielony i zintegrowany transport; http://cordis.europa.eu/programme/rcn/664357/pl)(e) działania w dziedzinie klimatu, środowisko, efektywna gospodarka zasobami i surowce; http://cordis.europa.eu/programme/rcn/664389/pl)(f) Europa w zmieniającym się świecie – integracyjne, innowacyjne i refleksyjne społeczeństwa; http://cordis.europa.eu/programme/rcn/664435/pl)(g) Bezpieczne społeczeństwa – ochrona wolności i bezpieczeństwa Europy i jej obywateli. http://cordis.europa.eu/programme/rcn/664463/pl)Wszystkie działania są realizowane z zastosowaniem podejścia zorientowanego na wyzwania, które może obejmować badania podstawowe, badania stosowane, transfer wiedzy lub innowacje, oraz skupiają się na priorytetach polityki, bez dokonywania uprzednio dokładnego wyboru technologii czy rozwiązań, które należy opracować. Obok rozwiązań technologicznych przedmiotem uwagi będą innowacje nietechnologiczne, organizacyjne i systemowe, a także innowacje w sektorze publicznym. Nacisk jest kładziony na zgromadzenie masy krytycznej zasobów i wiedzy w odniesieniu do różnych dziedzin, technologii i dyscyplin nauki oraz infrastruktury badawczej w celu sprostania wyzwaniom. Działania obejmują pełny cykl, od badań podstawowych po wprowadzenie na rynek, z nowym ukierunkowaniem na działania związane z innowacyjnością, takie jak pilotaż, działania demonstracyjne, poligony doświadczalne, wsparcie dla zamówień publicznych, projekty, innowacje zorientowane na użytkownika końcowego, innowacje społeczne, transfer wiedzy oraz absorpcja innowacji przez rynek i standaryzacja.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:18";"664235" +"H2020-EU.3.";"it";"H2020-EU.3.";"";"";"PRIORITÀ ""Sfide per la società""";"Societal Challenges";"

PRIORITÀ ""Sfide per la società""

La presente parte affronta direttamente le priorità politiche e le sfide per la società che sono identificate nella strategia Europa 2020 e mirano a stimolare la massa critica degli sforzi di ricerca e innovazione necessari a conseguire gli obiettivi politici dell'Unione. Il finanziamento è incentrato sui seguenti obiettivi specifici:(a) salute, cambiamento demografico e benessere; H2020-EU.3.1. (http://cordis.europa.eu/programme/rcn/664237/it)(b) sicurezza alimentare, agricoltura e silvicoltura sostenibili, ricerca marina, marittima e sulle acque interne e bioeconomia; H2020-EU.3.2. (http://cordis.europa.eu/programme/rcn/664281/it)(c) energia sicura, pulita ed efficiente; H2020-EU.3.3. (http://cordis.europa.eu/programme/rcn/664321/it)(d) trasporti intelligenti, verdi e integrati; H2020-EU.3.4. (http://cordis.europa.eu/programme/rcn/664357/it)(e) azione per il clima, ambiente, efficienza delle risorse e materie prime; H2020-EU.3.5. (http://cordis.europa.eu/programme/rcn/664389/it)(f) l'Europa in un mondo che cambia - società inclusive, innovative e riflessive; H2020-EU.3.6. (http://cordis.europa.eu/programme/rcn/664435/it)(g) società sicure - proteggere la libertà e la sicurezza dell'Europa e dei suoi cittadini. H2020-EU.3.7. (http://cordis.europa.eu/programme/rcn/664463/it)Tutte le attività adottano un approccio basato sulle sfide, che può includere la ricerca di base, la ricerca applicata, il trasferimento di conoscenze e l'innovazione, e si concentrano sulle priorità politiche senza determinare in precedenza la scelta precisa di tecnologie o soluzioni da sviluppare. Accanto alle soluzioni basate sulle tecnologie, si rivolge attenzione all'innovazione organizzativa, non tecnologica e dei sistemi nonché all'innovazione del settore pubblico. L'accento riposa sul raggruppamento di una massa critica di risorse e di conoscenze tra diversi settori, tecnologie e discipline scientifiche e infrastrutture di ricerca al fine affrontare le sfide. Le attività interessano l'intero ciclo dalla ricerca di base al mercato, con un nuovo accento sulle attività connesse all'innovazione, quali il pilotaggio, le attività dimostrative, i banchi di prova, il sostegno allo svolgimento di gare d'appalto, la progettazione, le innovazioni dettate dagli utenti, l'innovazione sociale, il trasferimento di conoscenze, la commercializzazione delle innovazioni e la standardizzazione.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:18";"664235" +"H2020-EU.2.1.";"en";"H2020-EU.2.1.";"";"";"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies";"Leadership in enabling and industrial technologies (LEIT)";"

INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies

The specific objective is to maintain and build global leadership through research and innovation in enabling technologies and space, which underpin competitiveness across a range of existing and emerging industries and sectors.The global business environment is changing rapidly and the objectives of the Europe 2020 strategy present challenges and opportunities to European industry. Europe needs to accelerate innovation, transforming the knowledge generated to underpin and enhance existing products, services and markets, and to create new ones while maintaining focus on quality and sustainability. Innovation should be exploited in the widest sense, going beyond technology to include business, organisational and social aspects.To stay at the forefront of global competition with a strong technological base and industrial capabilities, increased strategic investments in research, development, validation and piloting are required in ICT H2020-EU.2.1.1 (http://cordis.europa.eu/programme/rcn/664147_en.html), nanotechnologies H2020-EU.2.1.2 (http://cordis.europa.eu/programme/rcn/664161_en.html), advanced materials H2020-EU.2.1.3 (http://cordis.europa.eu/programme/rcn/664173_en.html), biotechnology H2020-EU.2.1.4 (http://cordis.europa.eu/programme/rcn/664189_en.html), advanced manufacturing and processing H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html), and space H2020-EU.2.1.5 (http://cordis.europa.eu/programme/rcn/664197_en.html).The successful mastering, integration and deployment of enabling technologies by European industry is a key factor in strengthening Europe's productivity and innovation capacity and ensuring that Europe has an advanced, sustainable and competitive economy, global leadership in hi-tech application sectors and the ability to develop effective and sustainable solutions for societal challenges. The pervasive nature of such activities can spur further progress through complementary inventions, applications and services, ensuring a higher return on investment in these technologies than in any other field.These activities will contribute to the objectives of the flagship initiatives 'Innovation Union', 'Resource-efficient Europe', 'An industrial policy for the globalisation era', and 'Digital Agenda for Europe' of the Europe 2020 strategy, as well as to Union space policy objectives.

Complementarities with other activities in Horizon 2020

The activities under the specific objective 'Leadership in Enabling and Industrial Technologies' will be primarily based on research and innovation agendas mainly defined by industry and business, including SMEs, together with the research community and Member States in an open and transparent manner and have a strong focus on leveraging private sector investment and on innovation.The integration of enabling technologies in solutions for the societal challenges shall be supported together with the relevant challenges. Applications of enabling technologies that do not fall under the societal challenges, but are important for reinforcing the competitiveness of European industry, shall be supported under the specific objective 'Leadership in Enabling and Industrial Technologies'. Appropriate coordination should be sought with the priorities 'Excellent Science' and 'Societal Challenges'.

A common approach

The approach shall include both agenda-driven activities and more open areas to promote innovative projects and breakthrough solutions covering the whole value chain, including R&D, large-scale pilots and demonstration activities, test beds and living labs, prototyping and product validation in pilot lines. Activities shall be designed to boost industrial competitiveness by stimulating industry, and in particular SMEs, to make more research and innovation investment, including through open calls. Adequate focus will be given to small and medium scale projects.

An integrated approach to Key Enabling Technologies

A major component of the specific objective 'Leadership in Enabling and Industrial Technologies' are Key Enabling Technologies (KETs), defined as micro- and nanoelectronics, photonics, nanotechnology, biotechnology, advanced materials and advanced manufacturing systems. These multi-disciplinary, knowledge and capital-intensive technologies cut across many diverse sectors providing the basis for significant competitive advantage for European industry, for stimulating growth and for creating new jobs. An integrated approach, promoting the combination, convergence and cross-fertilisation effect of KETs in different innovation cycles and value chains can deliver promising research results and open the way to new industrial technologies, products, services and novel applications (e.g. in space, transport, agriculture, fisheries, forestry, environment, food, health and energy). The numerous interactions of KETs and other industrial enabling technologies will therefore be exploited in a flexible manner, as an important source of innovation. This will complement support for research and innovation in KETs that may be provided by national or regional authorities under the Cohesion Policy Funds within the framework of smart specialisation strategies.Innovation requires enhanced cross-technology research efforts. Therefore, multidisciplinary and multi-KET projects should be an integral part of the priority 'Industrial Leadership'. The Horizon 2020 implementation structure supporting KETs and cross-cutting KET activities (multi KETs) should ensure synergies and effective coordination, among others, with societal challenges. In addition, synergies will be sought, where appropriate, between KET activities and the activities under the cohesion policy for 2014-2020, as well as with the EIT.For all the enabling and industrial technologies, including the KETs, a major aim will be to foster interactions between the technologies and with the applications under the societal challenges. This shall be fully taken into account in developing and implementing the agendas and priorities. It requires that stakeholders representing the different perspectives are fully involved in priority setting and implementation. In certain cases, it will also require actions that are jointly funded by the enabling and industrial technologies and by the relevant societal challenges. This could include joint funding for public-private partnerships that aim to develop technologies, foster innovation and apply such technologies to address societal challenges.ICT plays an important role as it provides the key basic infrastructures, technologies and systems for vital economic and social processes and new private and public products and services. European industry needs to remain at the cutting edge of technological developments in ICT, where many technologies are entering a new disruptive phase, opening up new opportunities.Space is a rapidly growing sector which delivers information vital to many areas of modern society, meeting its fundamental demands, addresses universal scientific questions, and serves to secure the Union's position as a major player on the international stage. Space research underpins all activities undertaken in space, but is currently addressed in programmes run by Member States, the European Space Agency (ESA) or in the context of Union Framework Programmes for Research. Union level action and investment in space research are required in accordance with Article 189 TFEU, in order to maintain the competitive edge, to safeguard Union space infrastructures and programmes such as Copernicus and Galileo and to sustain a future role for Europe in space.In addition, innovative downstream services and user-friendly applications using space derived information represent an important source of growth and job creation, and their development represents an important opportunity for the Union.

Partnering and added value

Europe can achieve critical mass through partnering, clusters and networks, standardisation, promoting cooperation between different scientific and technological disciplines and sectors with similar research and development needs, leading to breakthroughs, new technologies and innovative product, service and process solutions.The development and implementation of research and innovation agendas including through public–private partnerships, but also by the building of effective industry-academia links, the leveraging of additional investments, the access to risk finance, standardisation and the support to pre-commercial procurement and the procurement of innovative products and services, are all aspects that are essential in addressing competitiveness.In this regard, strong links with the EIT are also needed to produce and promote entrepreneurial top talents and to speed up innovation by bringing together people from different countries, disciplines and organisations.Union level collaboration can also support trade opportunities through the support for the development of European or international standards for new emerging products and services and technologies. Development of such standards following consultation of relevant stakeholders, including those from science and industry, could have a positive impact. Activities in support of standardisation and interoperability, safety and pre-regulatory activities will be promoted.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:40:26";"664145" +"H2020-EU.3.";"en";"H2020-EU.3.";"";"";"PRIORITY 'Societal challenges";"Societal Challenges";"

PRIORITY 'Societal challenges'

This Part responds directly to the policy priorities and societal challenges that are identified in the Europe 2020 strategy and that aim to stimulate the critical mass of research and innovation efforts needed to achieve the Union's policy goals. Funding shall be focused on the following specific objectives:(a) Health, demographic change and well-being;(http://cordis.europa.eu/programme/rcn/664237/en)(b) Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy; (http://cordis.europa.eu/programme/rcn/664281/en)(c) Secure, clean and efficient energy; (http://cordis.europa.eu/programme/rcn/664321/en)(d) Smart, green and integrated transport;(http://cordis.europa.eu/programme/rcn/664357/en)(e) Climate action, environment, resource efficiency and raw materials;(http://cordis.europa.eu/programme/rcn/664389/en)(f) Europe in a changing world - Inclusive, innovative and reflective societies;(http://cordis.europa.eu/programme/rcn/664435/en)(g) Secure societies - Protecting freedom and security of Europe and its citizens.(http://cordis.europa.eu/programme/rcn/664463/en)All the activities shall take a challenge-based approach, which may include basic research, applied research, knowledge transfer or innovation, focusing on policy priorities without predetermining the precise choice of technologies or solutions that should be developed. Non-technological, organisational and systems innovation as well as public sector innovation will be given attention in addition to technology-driven solutions. The emphasis shall be on bringing together a critical mass of resources and knowledge across different fields, technologies and scientific disciplines and research infrastructures in order to address the challenges. The activities shall cover the full cycle from basic research to market, with a new focus on innovation-related activities, such as piloting, demonstration activities, test-beds, support for public procurement, design, end-user driven innovation, social innovation, knowledge transfer and market take-up of innovations and standardisation.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:18";"664235" +"H2020-EU.3.";"de";"H2020-EU.3.";"";"";"SCHWERPUNKT ""Gesellschaftliche Herausforderungen""";"Societal Challenges";"

SCHWERPUNKT ""Gesellschaftliche Herausforderungen""

Dieser Teil ist eine direkte Reaktion auf die in der Strategie Europa 2020 genannten politischen Schwerpunkte und gesellschaftlichen Herausforderungen, die dem Ziel dienen, die für die Erreichung der politischen Ziele der Union notwendige kritische Masse von Forschungs- und Innovationsanstrengungen zu erreichen. Die Förderung konzentriert sich auf folgende Einzelziele:(a) Gesundheit, demografischer Wandel und Wohlergehen; http://cordis.europa.eu/programme/rcn/664237/de)(b) Ernährungs- und Lebensmittelsicherheit, nachhaltige Land- und Forstwirtschaft, marine, maritime und limnologische Forschung und Biowirtschaft; http://cordis.europa.eu/programme/rcn/664281/de)(c) Sichere, saubere und effiziente Energieversorgung; http://cordis.europa.eu/programme/rcn/664321/de)(d) Intelligenter, umweltfreundlicher und integrierter Verkehr; http://cordis.europa.eu/programme/rcn/664357/de)(e) Klimaschutz, Umwelt, Ressourceneffizienz und Rohstoffe; http://cordis.europa.eu/programme/rcn/664389/de)(f) Europa in einer sich verändernden Welt: integrative, innovative und reflektierende Gesellschaften; http://cordis.europa.eu/programme/rcn/664435/de)(g) Sichere Gesellschaften – Schutz der Freiheit und Sicherheit Europas und seiner Bürger. http://cordis.europa.eu/programme/rcn/664463/de)Alle Tätigkeiten werden sich an den Herausforderungen orientieren, wozu Grundlagen- und angewandte Forschung, Wissenstransfer oder Innovation gehören können, und sich auf die politischen Schwerpunkte konzentrieren, ohne jedoch zu entwickelnde Technologien oder Lösungen bereits im Vorfeld genau festzulegen. Neben technologiegetriebenen Lösungen werden auch nicht-technologische, organisatorische Innovation sowie innovative Systeme und Innovation im öffentlichen Sektor Beachtung finden. Es wird darauf ankommen, über die einzelnen Gebiete, Technologien und wissenschaftlichen Disziplinen sowie Forschungsinfrastrukturen hinweg eine kritische Masse von Ressourcen und Wissen zusammenzubringen, um die Herausforderungen angehen zu können. Die Tätigkeiten erstrecken sich auf den gesamten Zyklus von der Grundlagenforschung bis zur Vermarktung, wobei ein neuer Schwerpunkt auf innovationsbezogenen Tätigkeiten liegt, wie beispielsweise Pilot- und Demonstrationsprojekte, Testläufe, Unterstützung der öffentlichen Auftragsvergabe, Konzeption, vom Endnutzer angeregte Innovation, gesellschaftliche Innovation, Wissenstransfer und Markteinführung von Innovationen und Normung.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:18";"664235" +"H2020-EU.1.3.";"pl";"H2020-EU.1.3.";"";"";"DOSKONAŁA BAZA NAUKOWA - Działania „Maria Skłodowska-Curie”";"Marie-Sklodowska-Curie Actions";"

DOSKONAŁA BAZA NAUKOWA - Działania „Maria Skłodowska-Curie”

Cel szczegółowy

Celem szczegółowym jest optymalny rozwój i dynamiczne wykorzystanie kapitału intelektualnego Europy z myślą o zdobywaniu, rozwijaniu i przekazywaniu nowych umiejętności, wiedzy i innowacji, a co za tym idzie, o uwolnieniu jego potencjału we wszystkich sektorach i regionach.Bez dobrze wyszkolonych, mających odpowiednią motywację, dynamicznych i kreatywnych naukowców niemożliwe są najwybitniejsze osiągnięcia naukowe i najbardziej produktywne innowacje oparte na badaniach naukowych.Europa dysponuje obszerną i zróżnicowaną pulą wykwalifikowanych zasobów ludzkich w dziedzinie badań naukowych i innowacji, wymagającą jednak stałego uzupełniania, doskonalenia i dostosowania do szybko zmieniających się potrzeb rynku pracy. W 2011 r. tylko 46% tej puli pracowało w sektorze prywatnym, co jest wskaźnikiem znacznie niższym niż u głównych konkurentów gospodarczych Europy; np. w Chinach jest to 69%, w Japonii 73%, a w USA 80%. Ponadto w związku z aktualną sytuacją demograficzną w nadchodzących latach nieproporcjonalnie duża liczba naukowców osiągnie wiek emerytalny. To, w połączeniu z zapotrzebowaniem na wiele wysokiej jakości stanowisk badawczych wynikającym z rosnącego wykorzystania badań naukowych w gospodarce UE, będzie stanowić jedno z głównych wyzwań dla europejskich systemów badań naukowych, innowacji i edukacji, w najbliższych latach.Konieczna reforma musi rozpocząć się na wczesnych etapach kariery naukowej, podczas studiów doktoranckich lub innych im porównywalnych. Europa musi opracować nowoczesne, innowacyjne systemy szkoleń, odpowiadające wysoce konkurencyjnym i coraz bardziej interdyscyplinarnym wymogom w zakresie badań naukowych i innowacji. Zapewnienie naukowcom kompleksowych umiejętności w zakresie innowacyjności i przedsiębiorczości potrzebnych do wykonywania przyszłych zadań oraz zachęcenie ich do rozważenia kariery w przemyśle i najbardziej innowacyjnych przedsiębiorstwach wymaga zdecydowanego zaangażowania przedsiębiorstw, w tym MŚP, i innych podmiotów społeczno-gospodarczych. Ważne będzie również zwiększenie mobilności tych naukowców, która obecnie jest niewielka: w 2008 r. tylko 7% europejskich doktorantów studiowało w innym państwie członkowskim, podczas gdy celem jest osiągnięcie do 2030 r. poziomu 20%.Ta reforma musi być kontynuowana na wszystkich etapach kariery naukowej. Zasadnicze znaczenie ma zwiększenie mobilności naukowców na wszystkich poziomach, w tym mobilności w trakcie kariery, nie tylko między państwami, ale też między sektorem publicznym a prywatnym. Stanowi to silną zachętę do uczenia się i rozwoju nowych umiejętności. Jest również kluczowym czynnikiem współpracy między środowiskiem akademickim, ośrodkami badawczymi i przemysłem w różnych państwach. Czynnik ludzki to podstawa trwałej współpracy, która jest kluczowym bodźcem umożliwiającym innowacyjnej i kreatywnej Europie sprostanie wyzwaniom społecznym, a zarazem przezwyciężenie rozdrobnienia polityki prowadzonej przez poszczególne państwa. Współpraca i wymiana wiedzy poprzez indywidualną mobilność na wszystkich etapach kariery oraz poprzez wymianę wysoko wykwalifikowanego personelu naukowego i badawczego ma podstawowe znaczenie dla powrotu Europy na ścieżkę zrównoważonego wzrostu oraz dla sprostania wyzwaniom społecznym oraz co ma przyczynić się do przezwyciężenia znacznych różnic w potencjałach w zakresie badań naukowych i innowacji.W tym kontekście program „Horyzont 2020” powinien również ułatwiać rozwój karier zawodowych i mobilność naukowców dzięki lepszym warunkom, które zostaną określone w przypadku przenoszenia dotacji w ramach programu „Horyzont 2020”.Działania „Maria Skłodowska-Curie” zapewnią równe możliwości do mobilności mężczyznom i kobietom, także dzięki konkretnym środkom ukierunkowanym na usuwanie barier.Jeśli Europa ma dorównać swoim konkurentom w dziedzinie badań naukowych i innowacji, musi zachęcić większą liczbę młodych kobiet i mężczyzn do podjęcia karier naukowych oraz zapewnić wysoce atrakcyjne możliwości i warunki realizacji badań naukowych i innowacji. Najbardziej utalentowane osoby, z Europy i spoza niej, powinny postrzegać Europę jako szczególnie korzystne miejsce pracy. Równość płci, atrakcyjne bezpieczne zatrudnienie i dobre warunki pracy, a także uznanie to podstawowe aspekty, które należy w całej Europie zapewnić w spójny sposób.

Uzasadnienie i unijna wartość dodana

Ani samo finansowanie unijne, ani działające indywidualnie państwa członkowskie nie będą w stanie sprostać temu wyzwaniu. Państwa członkowskie wprowadziły wprawdzie reformy zmierzające do udoskonalenia swoich instytucji szkolnictwa wyższego oraz do modernizacji systemu szkolenia, jednak w skali Europy postępy są nierówne i między poszczególnymi krajami występują duże różnice. Ogólnie rzecz biorąc, współpraca naukowa i techniczna między sektorem publicznym a prywatnym w Europie pozostaje słaba. To samo dotyczy równości płci oraz wysiłków zmierzających do przyciągania studentów i naukowców spoza EPB. Obecnie ok. 20% doktorantów w Unii to obywatele państw trzecich, podczas gdy w Stanach Zjednoczonych ich liczba wynosi ok. 35%. Aby zmiana nastąpiła szybciej, na szczeblu Unii wymagane jest podejście strategiczne wykraczające poza granice państw. Finansowanie unijne jest niezbędne dla zachęcenia do przeprowadzenia niezbędnych reform strukturalnych.Działania „Maria Skłodowska-Curie” doprowadziły do znacznych postępów w zakresie promowania mobilności, zarówno transnarodowej, jak i międzysektorowej, a także zapewniania możliwości rozwijania karier naukowych w skali europejskiej i międzynarodowej, dając doskonałe warunki zatrudnienia i pracy wynikające z zasad Europejskiej karty naukowca i Kodeksu postępowania przy rekrutacji pracowników naukowych. Pod względem skali i zakresu, finansowania, międzynarodowego charakteru, pozyskiwania i transferu wiedzy nie mają one odpowiednika w państwach członkowskich. Wzmocniły one zasoby instytucji zdolnych do przyciągania naukowców z zagranicy, tym samym sprzyjając upowszechnianiu się centrów doskonałości w całej Unii. Dzięki wyraźnemu efektowi strukturyzacji stanowią wzór do naśladowania, upowszechniając najlepsze praktyki na poziomie krajowym. Poprzez oddolne podejście działania „Maria Skłodowska-Curie” umożliwiły znacznej większości takich instytucji szkolenie i doskonalenie umiejętności nowej generacji naukowców, zdolnych sprostać wyzwaniom społecznym.Dalszy rozwój działań „Maria Skłodowska-Curie” będzie stanowić istotny wkład w rozwój EPB. Dzięki swojej ogólnoeuropejskiej, konkurencyjnej strukturze finansowania działania „Maria Skłodowska-Curie” będą – z poszanowaniem zasady pomocniczości – promować nowe, kreatywne i innowacyjne typy szkoleń, takie jak wspólne programy studiów doktoranckich lub programy umożliwiające wielokrotne doktoraty oraz doktoraty przemysłowe, angażujące podmioty z sektora badań naukowych, innowacji edukacji, które będą musiały konkurować w skali globalnej o reputację ośrodków najwyższej jakości. Zapewniając finansowanie unijne dla najlepszych programów badawczych i szkoleniowych zgodnie z zasadami innowacyjnego szkolenia doktorantów w Europie, będą również promować szersze upowszechnianie i podejmowanie bardziej ustrukturyzowanych programów szkolenia doktorantów.Dotacje na działania „Maria Skłodowska-Curie” będą również udzielane na potrzeby tymczasowej mobilności doświadczonych naukowców i inżynierów przenoszących się z instytucji publicznych do sektora prywatnego i odwrotnie, co zapewni uniwersytetom, ośrodkom badawczym i przedsiębiorstwom oraz innym podmiotom społeczno-gospodarczym wsparcie oraz zachętę do wzajemnej współpracy w skali europejskiej i międzynarodowej. Dzięki dobrze ugruntowanemu, przejrzystemu i uczciwemu systemowi oceny działania „Maria Skłodowska-Curie” umożliwią wyłonienie wybitnych talentów w dziedzinie badań naukowych i innowacji w drodze międzynarodowej konkurencji, co zapewni naukowcom prestiż, a zatem również motywację do rozwijania kariery w Europie.Wyzwania społeczne, którym będą musieli sprostać wysoko wykwalifikowani naukowcy i personel zajmujący się innowacjami, nie są problemem tylko Europy. Są to wyzwania międzynarodowe o ogromnej złożoności i skali. Najlepsi naukowcy w Europie i na świecie muszą współpracować ponad granicami dzielącymi kraje, sektory i dyscypliny. Działania „Maria Skłodowska-Curie” będą odgrywać pod tym względem kluczową rolę, wspierając wymianę personelu, która będzie sprzyjać nastawieniu na współpracę poprzez międzynarodową i międzysektorową wymianę wiedzy, która jest tak istotna dla otwartych innowacji.Mechanizmy współfinansowania działań „Maria Skłodowska-Curie” będą mieć podstawowe znaczenie dla powiększenia europejskiej puli talentów. Ilościowy i strukturalny wpływ działania Unii zostanie zwiększony poprzez wykorzystanie regionalnego, krajowego i międzynarodowego finansowania, zarówno publicznego jak i prywatnego, w celu tworzenia nowych programów, o podobnych lub uzupełniających celach, oraz dostosowania już istniejących programów do celów międzynarodowego i międzysektorowego szkolenia, mobilności i rozwoju kariery. Taki mechanizm wzmocni powiązania między staraniami podejmowanymi w dziedzinie badań naukowych i edukacji na poziomie krajowym a wysiłkami na poziomie Unii.Wszystkie działania związane z tym wyzwaniem przyczynią się do wprowadzenia w Europie zupełnie nowego sposobu myślenia, mającego podstawowe znaczenie dla kreatywności i innowacji. Środki finansowania działań „Maria Skłodowska-Curie” ułatwią łączenie zasobów w Europie, w rezultacie prowadząc do udoskonalenia koordynacji i zarządzania w odniesieniu do szkolenia naukowców, ich mobilności i rozwoju kariery. Przyczynią się do osiągnięcia celów strategicznych określonych w inicjatywach przewodnich „Unia innowacji”, „Mobilna młodzież” i „Program na rzecz nowych umiejętności i zatrudnienia” oraz będą mieć zasadnicze znaczenie dla urzeczywistnienia EPB. Dlatego działania „Maria Skłodowska-Curie” będą projektowane w ścisłej synergii z innymi programami wspierającymi te cele polityk, w tym z programem „Erasmus +” oraz wspólnotami wiedzy i innowacji EIT.

Ogólne kierunki działań

(a) Wspieranie nowych umiejętności poprzez najwyższej jakości wstępne szkolenie naukowców

Celem jest wyszkolenie nowego pokolenia kreatywnych i innowacyjnych naukowców, zdolnych do przekształcenia wiedzy i pomysłów w produkty i usługi przynoszące Unii korzyści gospodarcze i społeczne.Kluczowe działania polegają na zapewnieniu początkującym naukowcom po ukończeniu studiów II stopnia lub równoważnych najwyższej jakości innowacyjnego szkolenia w ramach interdyscyplinarnych projektów, zawierających mentoring służący transferowi wiedzy i doświadczenia między naukowcami lub programy studiów doktoranckich pomagające naukowcom rozwijanie ich karier naukowych oraz obejmujące uniwersytety, instytucje badawcze, infrastrukturę badawczą, przedsiębiorstwa, MŚP oraz, inne podmioty społeczno-gospodarcze z różnych państw członkowskich, krajów stowarzyszonych lub państw trzecich. Skutkiem będą lepsze perspektywy kariery dla młodych naukowców po ukończeniu studiów II stopnia lub równoważnych, zarówno w sektorze publicznym, jak i prywatnym.

(b) Sprzyjanie najwyższej jakości poprzez transgraniczną i międzysektorową mobilność

Celem jest zwiększenie kreatywnego i innowacyjnego potencjału doświadczonych naukowców na wszystkich etapach kariery poprzez zapewnienie możliwości transgranicznej i międzysektorowej mobilności.Kluczowe działania polegają na zachęceniu doświadczonych naukowców do poszerzania lub pogłębiania ich umiejętności poprzez mobilność związaną z udostępnieniem atrakcyjnych możliwości rozwoju kariery na uniwersytetach, w instytucjach badawczych, infrastrukturze badawczej, przedsiębiorstwach, MŚP i innych podmiotach społeczno-gospodarczych w całej Europie i poza nią. To powinno zwiększyć innowacyjność sektora prywatnego i sprzyjać mobilności międzysektorowej. Wspierane są także możliwości dokształcania się i zdobywania nowej wiedzy w najlepszych instytucjach badawczych w państwach trzecich, wznowienia kariery po przerwie oraz oferowania naukowcom po uzyskaniu przez nich doświadczenia w zakresie ponadnarodowej/międzynarodowej mobilności, długoterminowych stanowisk badawczych w Europie, w tym w kraju ich pochodzenia, które obejmowały by aspekty związane z powrotem i ponowną integracją.

(c) Stymulowanie innowacji poprzez proces wzajemnej inspiracji w dziedzinie wiedzy

Celem jest wzmocnienie międzynarodowej współpracy transgranicznej i międzysektorowej w dziedzinie badań naukowych i innowacji poprzez wymianę personelu z dziedziny badań naukowych i innowacji z myślą o skuteczniejszym stawieniu czoła globalnym wyzwaniom.Kluczowe działania polegają na wspieraniu wymian personelu z dziedziny badań naukowych i innowacji w ramach partnerstw uniwersytetów, instytucji badawczych, infrastruktury badawczej, przedsiębiorstw, MŚP i innych podmiotów społeczno-gospodarczych w Europie i na całym świecie. Będzie to obejmować promowanie współpracy z państwami trzecimi.

(d) Zwiększenie oddziaływania strukturalnego przez współfinansowanie działań

Celem jest zwiększenie, przy wykorzystaniu dodatkowo pozyskanych funduszy, ilościowego i strukturalnego wpływu działań „Maria Skłodowska-Curie” oraz sprzyjanie najwyższej jakości na poziomie krajowym w zakresie szkolenia naukowców, ich mobilności i rozwoju kariery.Kluczowe działania polegają na zachęceniu, poprzez mechanizm współfinansowania, organizacji regionalnych, krajowych i międzynarodowych, zarówno publicznych, jak i prywatnych do tworzenia nowych programów oraz dostosowania już istniejących programów do celów międzynarodowego i międzysektorowego szkolenia, mobilności i rozwoju kariery. Pozwoli to na podniesienie jakości szkolenia naukowców w Europie na wszystkich etapach kariery, w tym na poziomie doktoranckim, ułatwienie swobodnego przepływu naukowców i wiedzy naukowej w Europie, promowanie atrakcyjnych karier naukowych poprzez otwartą rekrutację i zachęcające warunki pracy, wspieranie współpracy w zakresie badań naukowych i innowacji między uniwersytetami, instytucjami badawczymi i przedsiębiorstwami oraz wspomaganie współpracy między państwami trzecimi i organizacjami międzynarodowymi.

(e) Działania wspierające i polityczne

Celem jest monitorowanie postępów, określenie luk i barier w działaniach „Maria Skłodowska-Curie” i zwiększenie ich oddziaływania. W tym kontekście opracowywane są wskaźniki oraz analizowane są dane odnoszące się do mobilności naukowców, ich umiejętności i karier oraz równości płci; ma to na celu zapewnienie synergii i bliskiej koordynacji z politycznymi działaniami wspierającymi dotyczącymi naukowców, ich pracodawców i sponsorów prowadzonymi w ramach celu szczegółowego „Europa w zmieniającym się świecie – integracyjne, innowacyjne i refleksyjne społeczeństwa”. Działania mają na celu zwiększenie świadomości na temat znaczenia i atrakcyjności kariery badawczej oraz upowszechnianie wyników działalności badawczej i innowacyjnej pozyskanych dzięki pracom wspieranym w ramach działań „Maria Skłodowska-Curie”.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:21";"664109" +"H2020-EU.1.3.";"en";"H2020-EU.1.3.";"";"";"EXCELLENT SCIENCE - Marie Skłodowska-Curie Actions";"Marie-Sklodowska-Curie Actions";"

EXCELLENT SCIENCE - Marie Skłodowska-Curie Actions

Specific objective

The specific objective is to ensure optimal development and dynamic use of Europe's intellectual capital in order to generate, develop and transfer new skills, knowledge and innovation and, thus, to realise its full potential across all sectors and regions.Well-trained, dynamic and creative researchers are the essential element for the best science and the most productive research-based innovation.Although Europe hosts a large and diversified pool of skilled human resources for research and innovation, this needs to be constantly replenished, improved and adapted to the rapidly evolving needs of the labour market. In 2011 only 46 % of this pool worked in the business sector, which is much lower than in Europe's main economic competitors, e.g. 69 % in China, 73 % in Japan and 80 % in the United States. In addition, demographic factors mean that a disproportionate number of researchers will reach retirement age in the next few years. This, combined with the need for many more high-quality research jobs as the research intensity of the European economy increases, will be one of the main challenges facing European research, innovation and education systems in the years ahead.The necessary reform must start at the first stages of the researchers' careers, during their doctoral studies or comparable post-graduate training. Europe must develop state-of-the-art, innovative training schemes, consistent with the highly competitive and increasingly inter-disciplinary requirements of research and innovation. Significant involvement of businesses, including SMEs and other socio-economic actors, will be needed to equip researchers with the cross-cutting innovation and entrepreneurial skills demanded by the jobs of tomorrow and encourage them to consider their careers in industry or in the most innovative companies. It will also be important to enhance the mobility of these researchers, as it currently remains at a too modest level: in 2008, only 7 % of European doctoral candidates were trained in another Member State, whereas the target is 20 % by 2030.This reform must continue through every stage of researchers' careers. It is vital to increase the mobility of researchers at all levels, including mid-career mobility, not only between countries but also between the public and private sectors. This creates a strong stimulus for learning and developing new skills. It is also a key factor in cooperation between academics, research centres and industry across countries. The human factor is the backbone of sustainable cooperation which is the key driver for an innovative and creative Europe able to face societal challenges, and key to overcoming fragmentation of national policies. Collaborating and sharing knowledge, through individual mobility at all stages of a career and through exchanges of highly skilled R&I staff, are essential for Europe to re-take the path to sustainable growth, to tackle societal challenges and thereby contribute to overcoming disparities in research and innovation capacities.In this context, Horizon 2020 should also encourage career development and mobility of researchers through improved conditions to be defined for the portability of Horizon 2020 grants.Marie Skłodowska-Curie actions will ensure effective equal opportunities for the mobility of male and female researchers, including through specific measures to remove barriers.If Europe is to match its competitors in research and innovation, it must entice more young women and men to embark on research careers and provide highly attractive opportunities and environments for research and innovation. The most talented individuals, from Europe and elsewhere, should see Europe as a pre-eminent place to work. Gender equality, high-quality and reliable employment and working conditions and recognition are crucial aspects that must be secured in a consistent way across the whole of Europe.

Rationale and Union added value

Neither Union funding alone nor Member States individually will be able to address this challenge. Although Member States have introduced reforms to improve their tertiary education institutions and modernise their training systems, progress is still uneven across Europe, with big differences between countries. Overall, scientific and technological cooperation between the public and private sectors generally remains weak in Europe. The same applies to gender equality and to the efforts to attract students and researchers from outside the ERA. Currently around 20 % of the doctoral candidates in the Union are citizens of third countries, whereas about 35 % in the United States come from abroad. To speed up this change, a strategic approach that goes beyond national borders is required at Union level. Union funding is crucial to create incentives for and encourage the indispensable structural reforms.The Marie Skłodowska-Curie actions have made remarkable progress to promote mobility, both transnational and intersectoral, and to open research careers at European and international level, with excellent employment and working conditions following the principles of the European Charter for Researchers and the Code of Conduct for the Recruitment of Researchers. There is no equivalent in Member States as far as their scale and scope, funding, international character, generation and transfer of knowledge are concerned. They have strengthened the resources of those institutions able to attract researchers internationally and thereby encouraged the spread of centres of excellence around the Union. They have served as a role model with a pronounced structuring effect by spreading their best practices at national level. The bottom-up approach taken by Marie Skłodowska-Curie actions has also allowed a large majority of those institutions to train and upgrade the skills of a new generation of researchers able to tackle societal challenges.Further development of the Marie Skłodowska-Curie actions will make a significant contribution to development of the ERA. With their Europe-wide competitive funding structure, Marie Skłodowska-Curie actions will, whilst respecting the principle of subsidiarity, encourage new, creative and innovative types of training such as joint or multiple doctoral degrees and industrial doctorates, involving research, innovation and education players who will have to compete globally for a reputation of excellence. By providing Union funding for the best research and training programmes following the principles for innovative doctoral training in Europe, they will also promote wider dissemination and take-up, moving towards more structured doctoral training.Marie Skłodowska-Curie grants will also be extended to the temporary mobility of experienced researchers and engineers from public institutions to the private sector or vice versa, thereby encouraging and supporting universities, research centres and businesses, and other socio-economic actors to cooperate with one another on a European and international scale. With the aid of their well-established, transparent and fair evaluation system, Marie Skłodowska-Curie actions will identify excellent talents in research and innovation in an international competition which gives prestige and therefore motivation for researchers to advance their career in Europe.The societal challenges to be addressed by highly skilled R&I staff are not just Europe's problem. These are international challenges of colossal complexity and magnitude. The best researchers in Europe and in the world need to work together across countries, sectors and disciplines. Marie Skłodowska-Curie actions will play a key role in this respect by supporting staff exchanges that will foster collaborative thinking through international and intersectoral knowledge-sharing that is so crucial for open innovation.The co-funding mechanism of the Marie Skłodowska-Curie actions will be crucial to expand Europe's pool of talents. The numerical and structural impact of Union action will be increased by leveraging regional, national and international funding, both public and private, to create new programmes with similar and complementary goals and to adapt existing ones to international and intersectoral training, mobility and career development. Such a mechanism will forge stronger links between research and education efforts at national and Union level.All the activities under this challenge will contribute to creating a whole new mindset in Europe that is crucial for creativity and innovation. Marie Skłodowska-Curie funding measures will strengthen pooling of resources in Europe and thereby lead to improvements in coordination and governance of researchers' training, mobility and career development. They will contribute to the policy goals outlined in the flagship initiatives 'Innovation Union', 'Youth on the Move' and 'Agenda for New Skills and Jobs' and will be vital to turn the ERA into reality. The Marie Skłodowska-Curie actions will therefore be developed in close synergy with other programmes supporting these policy objectives, including the Erasmus+ programme and the KICs of the EIT.

Broad lines of activities

(a) Fostering new skills by means of excellent initial training of researchers

The goal is to train a new generation of creative and innovative researchers, able to convert knowledge and ideas into products and services for economic and social benefit in the Union.Key activities shall be to provide excellent and innovative training to early-stage researchers at post-graduate level through interdisciplinary projects, including mentoring to transfer knowledge and experience between researchers or doctoral programmes, helping researchers to develop their research career and involving universities, research institutions, research infrastructures, businesses, SMEs and other socio-economic groups from different Member States, associated countries and/or third countries. This will improve career prospects for young post-graduate researchers in both the public and private sectors.

(b) Nurturing excellence by means of cross-border and cross-sector mobility

The goal is to enhance the creative and innovative potential of experienced researchers at all career levels by creating opportunities for cross-border and cross-sector mobility.Key activities shall be to encourage experienced researchers to broaden or deepen their skills by means of mobility by opening attractive career opportunities in universities, research institutions, research infrastructures, businesses, SMEs and other socio-economic groups all over Europe and beyond. This should enhance the innovativeness of the private sector and promote cross-sector mobility. Opportunities to be trained and to acquire new knowledge in a third-country high-level research institution, to restart a research career after a break and to (re-)integrate researchers into a longer-term research position in Europe, including in their country of origin, after a trans-national/international mobility experience covering return and reintegration aspects, shall also be supported.

(c) Stimulating innovation by means of cross-fertilisation of knowledge

The goal is to reinforce international cross-border and cross-sector collaboration in research and innovation by means of exchanges of research and innovation personnel in order to be able to face global challenges better.Key activities shall be to support exchanges of R&I staff among a partnership of universities, research institutions, research infrastructures, businesses, SMEs and other socio-economic groups, both within Europe and worldwide. This will include fostering cooperation with third countries.

(d) Increasing the structural impact by co-funding the activities

The goal is, by leveraging additional funds, to increase the numerical and structural impact of Marie Skłodowska-Curie actions and to foster excellence at national level in researchers' training, mobility and career development.Key activities shall be, with the aid of a co-funding mechanism, to encourage regional, national and international organisations, both public and private, to create new programmes and to adapt existing ones to international and intersectoral training, mobility and career development. This will increase the quality of research training in Europe at all career stages, including at doctoral level, foster free circulation of researchers and scientific knowledge in Europe, promote attractive research careers by offering open recruitment and attractive working conditions, and support research and innovation cooperation between universities, research institutions and enterprises and cooperation with third countries and international organisations.

(e) Specific support and policy action

The goals are to monitor progress, identify gaps and barriers in the Marie Skłodowska-Curie actions and to increase their impact. In this context, indicators shall be developed and data related to researchers' mobility, skills, careers and gender equality analysed, seeking synergies and close coordination with the policy support actions on researchers, their employers and funders carried out under the specific objective 'Europe in a changing world - Inclusive, innovative and reflective societies'. The activity shall further aim at raising awareness of the importance and attractiveness of a research career and at disseminating research and innovation results emanating from work supported by Marie Skłodowska-Curie actions.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:21";"664109" +"H2020-EU.1.3.";"it";"H2020-EU.1.3.";"";"";"ECCELLENZA SCIENTIFICA - Azioni Marie Skłodowska-Curie";"Marie-Sklodowska-Curie Actions";"

ECCELLENZA SCIENTIFICA - Azioni Marie Skłodowska-Curie

Obiettivo specifico

L'obiettivo specifico è garantire lo sviluppo ottimale e l'uso dinamico del capitale intellettuale europeo al fine di generare, sviluppare e trasferire nuove competenze, conoscenze e innovazione e, in tal modo, realizzarne il pieno potenziale fra tutti i settori e le regioni.Ricercatori ben formati, dinamici e creativi rappresentano l'elemento essenziale della migliore scienza e dell'innovazione basata sulla ricerca più produttiva.Anche se in Europa vi è una presenza cospicua e diversificata di risorse umane competenti nell'ambito della ricerca e dell'innovazione, è necessario provvedere costantemente al suo ricambio, miglioramento e adeguamento, al fine di stare al passo con le esigenze in rapida evoluzione del mercato del lavoro. Nel 2011 solo il 46 % di queste persone lavorava nel settore commerciale, il che rappresenta una quota molto inferiore a quella dei principali concorrenti economici dell'Europa, ossia il 69 % in Cina, il 73 % in Giappone e l'80 % negli Stati Uniti. I fattori demografici indicano inoltre che un numero molto elevato di ricercatori raggiungerà l'età della pensione nei prossimi anni. Congiuntamente all'esigenza di offrire molta più occupazione di elevata qualità nella ricerca mentre l'intensità di ricerca dell'economia europea cresce, questo dato costituirà una delle principali sfide per i sistemi europei di ricerca, innovazione e istruzione negli anni a venire.La necessaria riforma deve iniziare nelle prime fasi della carriera dei ricercatori, durante i loro studi di dottorato o di analoga formazione postlaurea. L'Europa deve sviluppare regimi di formazione innovativi e d'avanguardia, coerenti con le esigenze altamente competitive e sempre più interdisciplinari della ricerca e dell'innovazione. Un significativo coinvolgimento delle imprese, comprese le PMI e altri attori socioeconomici, sarà necessario per dotare i ricercatori delle competenze innovative e imprenditoriali trasversali richieste per i lavori di domani e incoraggiarli a prendere in considerazione una carriera nell'industria o nelle imprese più innovative. Sarà inoltre importante rafforzare la mobilità di tali ricercatori, poiché questa si attesta attualmente a un livello troppo modesto: nel 2008 solo il 7 % dei candidati al dottorato europei è stato formato in un altro Stato membro, mentre l'obiettivo è di raggiungere il 20 % entro il 2030.Questa riforma deve proseguire in ogni fase della carriera dei ricercatori. È essenziale incrementare la mobilità dei ricercatori a tutti i livelli, compresa la mobilità di metà carriera, non solo fra diversi paesi ma anche fra i settori pubblico e privato. Questo genera un forte stimolo all'apprendimento e allo sviluppo di nuove competenze. Si tratta inoltre di un fattore fondamentale nella cooperazione fra le università, i centri di ricerca e l'industria di diversi paesi. Il fattore umano rappresenta la colonna portante della cooperazione sostenibile che a sua volta è il motore essenziale di un'Europa innovativa e creativa, in grado di far fronte alle sfide per la società e di superare la frammentazione delle politiche nazionali. Collaborare e scambiare conoscenze attraverso la mobilità individuale in tutte le fasi della carriera e per mezzo di scambi di personale altamente qualificato nel settore R&I sono elementi essenziali affinché l'Europa riprenda la via della crescita sostenibile, affronti le sfide per la società e in tal modo contribuisca a superare le disparità nelle capacità di ricerca e innovazione.In tale contesto, Orizzonte 2020 dovrebbe altresì incoraggiare la mobilità e lo sviluppo di carriera dei ricercatori attraverso condizioni migliorate da definirsi per la portabilità delle sovvenzioni nell'ambito di Orizzonte 2020.Le azioni Marie Skłodowska-Curie garantiranno una effettiva parità di opportunità per la mobilità dei ricercatori e delle ricercatrici, anche attraverso misure specifiche volte a rimuovere i relativi ostacoli.Se l'Europa intende stare alla pari con i suoi concorrenti nell'ambito della ricerca e dell'innovazione, deve convincere più giovani donne e uomini ad abbracciare la carriera di ricercatore e offrire opportunità e ambienti di lavoro altamente interessanti nel settore della ricerca e dell'innovazione. I ricercatori di maggiore talento, europei e di paesi terzi, dovrebbero giungere a considerare l'Europa un luogo di lavoro privilegiato. La parità di genere, un'occupazione e condizioni di lavoro affidabili e di elevata qualità, oltre al riconoscimento, rappresentano aspetti cruciali da assicurare in modo coerente in tutta Europa.

Motivazione e valore aggiunto dell'Unione

Il mero finanziamento dell'Unione o degli Stati membri da soli non sarà in grado di risolvere questa sfida. Anche se gli Stati membri hanno introdotto riforme per migliorare i loro sistemi di istruzione terziaria e ammodernare i sistemi formativi, i progressi registrati in Europa sono ancora disomogenei, con notevoli differenze fra i paesi. Nel complesso, la cooperazione scientifica e tecnologica fra i settori pubblico e privato rimane generalmente debole in Europa. Lo stesso è applicabile alla parità di genere e agli sforzi per attrarre studenti e ricercatori provenienti da paesi esterni al SER. Attualmente circa il 20 % dei candidati al dottorato nell'Unione è composto da cittadini di paesi terzi, mentre negli Stati Uniti il dato si attesta al 35 %. Per imprimere un impulso a questo cambiamento, è necessario a livello unionale un approccio strategico che superi i confini nazionali. Il finanziamento dell'Unione è essenziale per generare incentivi e incoraggiare le indispensabili riforme strutturali.Le azioni Marie Skłodowska-Curie hanno compiuto progressi notevoli nella promozione della mobilità, sia a livello transazionale sia intersettoriale, e nell'apertura di carriere di ricerca a livello europeo e internazionale, con eccellenti condizioni occupazionali e lavorative nel rispetto dei principi della Carta europea dei ricercatori e del Codice di condotta per l'assunzione di ricercatori. Negli Stati membri non esistono equivalenti per quanto riguarda la scala e la portata, il finanziamento, il carattere internazionale, la generazione e il trasferimento delle conoscenze. Queste azioni hanno rafforzato le risorse delle istituzioni capaci di attirare ricercatori a livello internazionale, incoraggiando in tal modo la diffusione dei centri di eccellenza in tutta l'Unione. Hanno svolto il ruolo di modello con un importante effetto strutturante grazie alla diffusione delle migliori pratiche a livello nazionale. L'approccio ascendente delle azioni Marie Skłodowska-Curie ha inoltre consentito a un'ampia maggioranza di queste istituzioni di formare e aggiornare le competenze di una nuova generazione di ricercatori in grado di affrontare le sfide per la società.Un ulteriore sviluppo delle azioni Marie Skłodowska-Curie conferirà un contributo significativo allo sviluppo del SER. Grazie alla loro struttura di finanziamento competitiva a livello europeo, le azioni Marie Skłodowska-Curie incoraggeranno, nel rispetto del principio di sussidiarietà, tipi di formazione nuovi, creativi e innovativi, come i dottorati comuni o multipli e i dottorati industriali, che coinvolgono gli attori della ricerca, dell'innovazione e dell'istruzione in competizione a livello globale per una reputazione di eccellenza. Le azioni promuoveranno altresì una più ampia diffusione e divulgazione, verso una formazione di dottorato più strutturata, poiché il finanziamento dell'Unione per la migliore ricerca e i migliori programmi di formazione seguono i principi applicabili alla formazione innovativa per il dottorato in Europa.Le sovvenzioni Marie Skłodowska-Curie saranno inoltre estese alla mobilità temporanea di ricercatori esperti e di ingegneri dalle istituzioni pubbliche al settore privato e viceversa, incoraggiando e sostenendo così le università, i centri di ricerca, le imprese e altri attori socioeconomici affinché cooperino a livello europeo e internazionale. Con l'aiuto del sistema di valutazione ben definito, trasparente ed equo, le azioni Marie Skłodowska-Curie identificheranno i talenti di eccellenza nella ricerca e nell'innovazione in un ambiente internazionale competitivo che conferisce prestigio e motiva quindi i ricercatori a proseguire la loro carriera in Europa.Le sfide per la società che devono essere affrontate da personale altamente qualificato nel settore R&I non sono solo un problema europeo. Si tratta di sfide internazionali di complessità e ampiezza colossali. I migliori ricercatori in Europa e nel mondo devono collaborare fra paesi, settori e discipline. A questo proposito le azioni Marie Skłodowska-Curie svolgeranno un ruolo di primo piano sostenendo gli scambi di personale in grado di stimolare il pensiero collaborativo grazie alla condivisione di conoscenze a livello internazionale e intersettoriale che riveste tanta importanza per l'innovazione aperta.Il meccanismo di cofinanziamento delle azioni Marie Skłodowska-Curie sarà essenziale per ampliare l'insieme dei talenti europei. L'impatto numerico e strutturale dell'azione dell'Unione sarà incrementato dall'effetto di leva del finanziamento regionale, nazionale e internazionale, sia pubblico che privato, al fine di creare nuovi programmi con obiettivi analoghi e complementari e di adeguare quelli esistenti alla formazione, alla mobilità e allo sviluppo di carriera internazionali e intersettoriali. Un tale meccanismo creerà legami più forti fra gli sforzi di ricerca e istruzione a livello nazionale e unionale.Tutte le attività nell'ambito di questa sfida contribuiranno a creare in Europa una visione del tutto nuova cruciale per la creatività e l'innovazione. Le misure di finanziamento Marie Skłodowska-Curie rafforzeranno la messa in comune delle risorse in Europa e miglioreranno quindi il coordinamento e la gestione della formazione, della mobilità e dello sviluppo di carriera dei ricercatori. Esse contribuiranno a conseguire gli obiettivi politici fissati dalle iniziative faro ""Unione dell'innovazione"", ""Youth on the Move"" (Gioventù in movimento) e dall' ""Agenda per nuove competenze e nuovi posti di lavoro"" e saranno essenziali per realizzare il SER. Le azioni Marie Skłodowska-Curie saranno pertanto sviluppate in stretta sinergia con altri programmi che sostengono tali obiettivi politici, compresi il programma Erasmus+ e le CCI dell'EIT.

Le grandi linee delle attività

(a) Promuovere nuove competenze grazie ad una formazione iniziale di eccellenza dei ricercatori

L'obiettivo è formare una nuova generazione di ricercatori creativi e innovativi, in grado di convertire le conoscenze e le idee in prodotti e servizi a beneficio economico e sociale dell'Unione.Le principali attività consistono nel fornire una formazione eccellente e innovativa a ricercatori a livello postlaurea in fase iniziale per mezzo di progetti interdisciplinari, compreso il tutoraggio volto al trasferimento di conoscenze ed esperienze tra ricercatori, o programmi dottorali che aiutino i ricercatori nello sviluppo della loro carriera di ricerca e coinvolgano università, istituti di ricerca, infrastrutture di ricerca, imprese, PMI e altri gruppi socioeconomici di diversi Stati membri, paesi associati e/o paesi terzi al fine di migliorare le prospettive di carriera per i giovani ricercatori postlaurea nei settori pubblico e privato.

(b) Sviluppare l'eccellenza attraverso la mobilità transfrontaliera e intersettoriale

L'obiettivo è rafforzare il potenziale innovativo e creativo dei ricercatori di esperienza a tutti i livelli di carriera creando opportunità di mobilità transfrontaliera e intersettoriale.Le principali attività consistono nell'incoraggiare i ricercatori di esperienza ad approfondire o ad ampliare le loro competenze per mezzo della mobilità, creando opportunità di carriera interessanti presso università, istituti di ricerca, infrastrutture di ricerca, imprese, PMI e altri gruppi socioeconomici in tutta Europa e oltre. Ciò dovrebbe rafforzare la capacità innovativa del settore privato e promuovere la mobilità transsettoriale. Sono inoltre sostenute le opportunità di ricevere formazione e acquisire nuove conoscenze in un istituto di ricerca di alto livello di un paese terzo, di riprendere la carriera di ricerca in seguito a un'interruzione e di (re)integrare i ricercatori in un posto di ricerca a lungo termine in Europa, anche nel loro paese di origine, dopo un'esperienza di mobilità transnazionale/internazionale coprendo gli aspetti relativi al rientro e alla reintegrazione.

(c) Promuovere l'innovazione attraverso l'arricchimento reciproco delle conoscenze

L'obiettivo è rafforzare la collaborazione internazionale transfrontaliera e intersettoriale nella ricerca e nell'innovazione per mezzo di scambi di personale della ricerca e dell'innovazione, al fine di affrontare meglio le sfide globali.Le attività principali sostengono gli scambi di personale nel settore R&I per mezzo di un partenariato fra università, istituti di ricerca, infrastrutture di ricerca, imprese, PMI e altri gruppi socioeconomici in Europa e nel mondo. Ciò comprenderà lo stimolo alla cooperazione con i paesi terzi.

(d) Incrementare l'impatto strutturale mediante il cofinanziamento delle attività

L'obiettivo consiste nell'incrementare, attraverso l'effetto di leva dei fondi supplementari, l'impatto numerico e strutturale delle azioni Marie Skłodowska-Curie e promuovere l'eccellenza a livello nazionale per quanto riguarda la formazione, la mobilità e lo sviluppo di carriera dei ricercatori.Con l'ausilio del meccanismo di cofinanziamento le principali attività mirano a incoraggiare le organizzazioni regionali, nazionali e internazionali, sia pubbliche sia private, a creare nuovi programmi e ad adeguare quelli esistenti alla formazione, alla mobilità e allo sviluppo di carriera internazionali e intersettoriali. Ciò incrementerà la qualità della formazione di ricerca in Europa a tutti i livelli di carriera, compreso il livello dottorale, incoraggerà la libera circolazione dei ricercatori e delle conoscenze scientifiche in Europa, promuoverà carriere di ricerca interessanti grazie a condizioni di assunzione aperte e di lavoro attraenti e sosterrà la cooperazione di ricerca e innovazione fra le università, gli istituti di ricerca e le imprese nonché la cooperazione con i paesi terzi e le organizzazioni internazionali.

(e) Sostegno specifico e azione strategica

Gli obiettivi consistono nel monitorare i progressi, nell'identificare le lacune e gli ostacoli nelle azioni Marie Skłodowska-Curie e nell'incrementarne l'impatto. In questo contesto si sviluppano gli indicatori e si analizzano i dati relativi alla mobilità, alle competenze, alle carriere e alla parità di genere dei ricercatori, alla ricerca di sinergie e di uno stretto coordinamento con le azioni di sostegno strategico dei ricercatori, dei loro datori di lavoro e dei finanziatori, portate avanti nell'ambito dell'obiettivo specifico ""L'Europa in un mondo che cambia - Società inclusive, innovative e riflessive"". L'attività mira inoltre a sensibilizzare in merito all'importanza e all'attrattività di una carriera di ricerca e a diffondere i risultati di ricerca e innovazione generati dalle attività sostenute dalle azioni Marie Skłodowska-Curie.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:21";"664109" +"H2020-EU.1.3.";"de";"H2020-EU.1.3.";"";"";"WISSENSCHAFTSEXZELLENZ- Marie Skłodowska-Curie Maßnahmen";"Marie-Sklodowska-Curie Actions";"

WISSENSCHAFTSEXZELLENZ- Marie Skłodowska-Curie Maßnahmen

Einzelziel

Ziel ist es, dafür zu sorgen, dass Europas intellektuelles Kapital optimal entwickelt und dynamisch eingesetzt wird, damit es neue Fähigkeiten, Kenntnisse und Innovationen hervorbringt, entwickelt und weitergibt und so sein Potenzial branchen- und regionenübergreifend voll entfaltet.Gut ausgebildete, dynamische und kreative Forscher sind eine unentbehrliche Komponente für Spitzenleistungen in der Wissenschaft und für ein Höchstmaß an Produktivität bei der forschungsgestützten Innovation.Auch wenn Europa über viele Fachkräfte unterschiedlichster Ausrichtung in Forschung und Innovation verfügt, gilt es, dieses Reservoir ständig wieder aufzufüllen, zu verbessern und an den schnell wechselnden Bedarf des Arbeitsmarkts anzupassen. Im Jahr 2001 waren nur 46 % dieser Fachkräfte in Unternehmen tätig, ein deutlich niedrigerer Anteil als bei Europas größten Wirtschaftskonkurrenten, beispielsweise China (69 %), Japan (73 %) und den Vereinigten Staaten (80 %). Außerdem führt der demografische Faktor dazu, dass eine unverhältnismäßig hohe Zahl von Forschern in den nächsten Jahren das Rentenalter erreichen wird. Diese Tatsache und der mit der zunehmenden Forschungsintensität der europäischen Wirtschaft wachsende Bedarf an einer deutlich höheren Zahl von hochqualifizierten Arbeitsplätzen in der Forschung stellt in den nächsten Jahren eine der größten Herausforderungen für Forschung, Innovation und Bildung in Europa dar.Notwendig ist eine Reform, die in den ersten Phasen der Laufbahn eines Forschers während der Promotion oder einer vergleichbaren Weiterbildung nach dem Hochschulabschluss ansetzt. Europa muss moderne, innovative Ausbildungssysteme entwickeln, die mit dem starken Wettbewerb und den zunehmend interdisziplinären Anforderungen in Forschung und Innovation Schritt halten können. Um Forscher mit den auf dem Arbeitsmarkt von morgen verlangten bereichsübergreifenden innovativen und unternehmerischen Fähigkeiten auszustatten und sie zum Nachdenken über eine Laufbahn in der Wirtschaft oder in den innovativsten Unternehmen anzuregen, bedarf es eines beträchtlichen Engagements der Unternehmen, auch der KMU, sowie anderer sozioökonomischer Akteure. Zudem muss die Mobilität dieser Forscher erhöht werden, die derzeit auf einem zu niedrigen Niveau verharrt: Statt der bis 2030 angestrebten 20 % wurden 2008 nur 7 % der europäischen Doktoranden in einem anderen Mitgliedstaat ausgebildet.Die Reform muss in allen Phasen der Forscherlaufbahn fortgesetzt werden. Entscheidend ist, die Mobilität der Forscher auf allen Ebenen, auch in der Mitte ihrer Laufbahn, zu erhöhen und zwar nicht nur zwischen Ländern, sondern auch zwischen dem öffentlichen und dem privaten Sektor. Die Mobilität ist ein starker Anreiz für das Lernen und die Entwicklung neuer Fähigkeiten. Sie ist auch ein Schlüsselfaktor für die länderübergreifende Zusammenarbeit zwischen Hochschulen, Forschungszentren und Unternehmen. Der Faktor Mensch ist das Rückgrat einer tragfähigen Zusammenarbeit, ein wichtiger Antrieb für ein innovatives und kreatives Europa, das in der Lage ist, sich den gesellschaftlichen Herausforderungen zu stellen, und eine wesentliche Voraussetzung zur Überwindung der Fragmentierung durch einzelstaatliche Strategien. Die Zusammenarbeit und die Weitergabe von Wissen durch die Mobilität des Einzelnen in jeder Phase seiner Laufbahn und durch den Austauschs von hochqualifiziertem FuI-Personal sind wesentliche Voraussetzungen, damit Europa wieder zurück auf einen tragfähigen Wachstumspfad kommt und die gesellschaftlichen Herausforderungen bewältigen kann, wodurch ein Beitrag zur Überwindung der Ungleichheiten bei den Forschungs- und Innovationskapazitäten geleistet wird.In diesem Zusammenhang sollte Horizont 2020 auch die Laufbahnentwicklung und Mobilität von Forschern dadurch fördern, dass bessere Bedingungen für die Übertragbarkeit der Finanzhilfen im Rahmen von Horizont 2020 festgelegt werden.Die Marie-Skłodowska-Curie-Maßnahmen werden eine effektive Chancengleichheit für die Mobilität von Forschern und Forscherinnen u. a. durch spezifische Maßnahmen zur Beseitigung von Hemmnissen gewährleisten.Will Europa wieder zu seinen Wettbewerbern in Forschung und Innovation aufschließen, muss es mehr jungen Frauen und Männern Anreize bieten, eine Forscherlaufbahn einzuschlagen und höchst attraktive Möglichkeiten und Umfelder für Forschung und Innovation bieten. Für die größten Talente – nicht nur aus Europa – sollte Europa ein Arbeitsplatz erster Wahl sein. Geschlechtergleichbehandlung, hohe Qualität und zuverlässige Beschäftigungs- und Arbeitsbedingungen sowie Anerkennung sind entscheidende Faktoren, die in ganz Europa gleichermaßen gewährleistet sein müssen.

Begründung und Mehrwert für die Union

Weder die Unionsförderung allein noch die einzelnen Mitgliedstaaten werden in der Lage sein, diese Herausforderung zu bewältigen. Auch wenn Mitgliedstaaten Reformen zur Verbesserung der Ausbildung an Hochschulen und zur Modernisierung ihrer Bildungssysteme durchgeführt haben, gibt es europaweit zwischen den einzelnen Ländern große Unterschiede bei den Fortschritten. Insgesamt ist die wissenschaftliche und technologische Zusammenarbeit zwischen öffentlichem und privatem Sektor in Europa im Allgemeinen nach wie vor schwach. Das Gleiche gilt für die Gleichstellung und die Bemühungen, Studierende und Forscher aus Ländern außerhalb des Europäischen Forschungsraums zu gewinnen. Derzeit stammen etwa 20 % der Doktoranden in der Union aus Drittländern, verglichen mit etwa 35 % in den Vereinigten Staaten. Um hier rasch eine Veränderung herbeizuführen, bedarf es eines strategischen Konzepts auf Unionsebene, das über nationale Grenzen hinausreicht. Die Unionsförderung gibt entscheidende Anstöße für die unerlässlichen strukturellen Reformen.Mit den Marie-Skłodowska-Curie-Maßnahmen wurden beachtliche Fortschritte bei der transnationalen und intersektoralen Mobilität sowie bei der Öffnung von Forscherlaufbahnen auf europäischer und internationaler Ebene erzielt – mit hervorragenden Beschäftigungs- und Arbeitsbedingungen entsprechend den Grundsätzen der Europäischen Charta für Forscher und des Verhaltenskodex für die Einstellung von Forschern. Die Mitgliedstaaten verfügen im Hinblick auf Maßstab, Umfang, Förderung, internationalen Charakter sowie Generierung und Weitergabe von Wissen über nichts Vergleichbares. Die Marie-Skłodowska-Curie-Maßnahmen haben die Ressourcen der international für Wissenschaftler attraktiven Einrichtungen gestärkt und so die Verbreitung von Exzellenzzentren in der gesamten Union gefördert. Durch Verbreitung ihrer bewährten Verfahren auf nationaler Ebene sind sie beispielgebend und haben einen deutlich strukturierenden Effekt. Mit Hilfe ihres ""Bottom-up""-Konzepts ermöglichten es die Marie-Skłodowska-Curie-Maßnahmen der überwiegenden Mehrheit dieser Einrichtungen, eine neue Generation von Forschern aus- und weiterzubilden, die damit in der Lage ist, die gesellschaftlichen Herausforderungen anzugehen.Die Weiterentwicklung der Marie-Skłodowska-Curie-Maßnahmen wird einen deutlichen Beitrag zum Ausbau des Europäischen Forschungsraums leisten. Mit ihrer europaweiten, auf Wettbewerb basierenden Förderstruktur werden die Marie-Skłodowska-Curie-Maßnahmen unter Achtung des Subsidiaritätsprinzips Anregungen für neue, kreative und innovative Ausbildungswege – wie beispielsweise kombinierte oder mehrfache Doktorate und Doktorate in der Industrie – geben, in die Akteure des Forschungs-, Innovations- und Bildungsbereichs einbezogen sind, die weltweit im Wettbewerb um eine Reputation der Exzellenz stehen. Durch die Bereitstellung von Fördermitteln der Union für die besten Forschungs- und Ausbildungsprogramme, die sich an den Grundsätzen für die innovative Doktorandenausbildung in Europa orientieren, wird auch eine größere Verbreitung und Realisierung einer besser strukturierten Doktorandenausbildung unterstützt.Marie-Skłodowska-Curie-Stipendien werden auch auf erfahrene Forscher und Ingenieure ausgeweitet, die vorübergehend von öffentlichen Einrichtungen in den Privatsektor und umgekehrt wechseln, wodurch Hochschulen, Forschungszentren und Unternehmen sowie andere sozioökonomische Akteure in ihren Bemühungen unterstützt werden, europaweit und international zusammenzuarbeiten. Durch ihr bewährtes, transparentes und faires Bewertungssystem lassen sich mit den Marie-Skłodowska-Curie-Maßnahmen hervorragende Talente in Forschung und Innovation im Rahmen eines internationalen Wettbewerbs ermitteln, was Prestige verleiht und damit Forscher motiviert, ihre Laufbahn in Europa fortzusetzen.Die gesellschaftlichen Herausforderungen, mit denen sich hochqualifizierte Wissenschaftler aus FuI befassen sollen, sind nicht auf Europa begrenzt. Es geht um enorm vielschichtige und gigantische Herausforderungen, die sich international stellen. Die europa- und weltweit besten Forscher müssen länder-, sektor- und disziplinenübergreifend zusammenarbeiten. Hierbei werden die Marie-Skłodowska-Curie-Maßnahmen eine entscheidende Rolle spielen, indem sie den Austausch von Personal und damit kooperatives Denken unterstützen, denn gerade die internationale und intersektorale Weitergabe von Wissen ist für eine offene Innovation unerlässlich.Die Kofinanzierungsmechanismen der Marie-Skłodowska-Curie-Maßnahmen sind eine wesentliche Voraussetzung, damit Europa seinen Pool von Talenten vergrößern kann. Die an Zahlen und Strukturen ablesbaren Auswirkungen der Unionsmaßnahmen werden noch durch die Mobilisierung regionaler, nationaler und internationaler – sowohl öffentlicher als auch privater – Fördermittel verstärkt, mit der neue Programme mit ähnlichen und komplementären Zielen geschaffen und bestehende Programme an eine internationale und intersektorale Ausbildung, Mobilität und Laufbahnentwicklung angepasst werden. Ein derartiger Mechanismus wird die Forschungs- und Bildungsanstrengungen auf nationaler Ebene besser mit denen auf Unionsebene verzahnen.Alle in diesem Bereich durchgeführten Tätigkeiten werden dazu beitragen, ein gänzlich neues Denken in Europa zu etablieren, das eine entscheidende Voraussetzung für Kreativität und Innovation ist. Die Marie-Skłodowska-Curie-Förderung wird die Bündelung von Ressourcen in Europa stärken und damit eine bessere Koordinierung und Governance bei Ausbildung, Mobilität und Laufbahnentwicklung von Forschern herbeiführen. Die Tätigkeiten werden nicht nur zur Erreichung der Ziele, die in den Leitinitiativen ""Innovationsunion"", ""Jugend in Bewegung"" und ""Agenda für neue Kompetenzen und neue Beschäftigungsmöglichkeiten"" dargelegt wurden, sondern auch entscheidend zur Verwirklichung des Europäischen Forschungsraums beitragen. Die Marie-Skłodowska-Curie-Maßnahmen werden daher in enger Synergie mit anderen Programmen entwickelt, die diese strategischen Ziele unterstützen, einschließlich des Erasmus+-Programms und der KIC des EIT.

Einzelziele und Tätigkeiten in Grundzügen

(a) Förderung neuer Fähigkeiten durch eine exzellente Erstausbildung von Forschern

Ziel ist die Ausbildung einer neuen Generation von kreativen und innovativen Forschern, die in der Lage sind, Wissen und Ideen in Produkte und Dienstleistungen zu verwandeln, die für die Wirtschaft und die Gesellschaft in der Union von Nutzen sind.Hierzu kommt es ganz entscheidend darauf an, Nachwuchsforschern nach Abschluss ihrer Hochschulausbildung exzellente und innovative Ausbildungsmöglichkeiten im Rahmen interdisziplinärer Projekte, einschließlich Mentoring-Programme für den Wissens- und Erfahrungstransfer zwischen Forschern oder Promotionsprogramme, die die Laufbahnentwicklung für Forscher erleichtern, zu bieten, in die Hochschulen, Forschungseinrichtungen, Forschungsinfrastrukturen, Unternehmen, darunter auch KMU und andere sozioökonomische Gruppen aus unterschiedlichen Mitgliedstaaten, assoziierten Ländern und/oder Drittländern eingebunden sind. Dies verbessert die Laufbahnperspektiven für graduierte Nachwuchsforscher im öffentlichen und privaten Sektor.

(b) Förderung von Exzellenz durch grenz- und sektorübergreifende Mobilität

Ziel ist die Steigerung des kreativen und innovativen Potenzials erfahrener Forscher zu jedem Zeitpunkt ihrer Laufbahn durch grenz- und sektorübergreifende Mobilitätsmöglichkeiten.Hierzu kommt es vor allem darauf an, erfahrene Forscher zu ermuntern, ihre Fähigkeiten durch Mobilität zu erweitern und zu vertiefen, und zu diesem Zweck attraktive Laufbahnmöglichkeiten in Hochschulen, Forschungseinrichtungen und Forschungsinfrastrukturen, Unternehmen, auch in KMU, sowie anderen sozioökonomischen Gruppen in Europa und darüber hinaus zu eröffnen. Dies dürfte die Innovationsfähigkeit des privaten Sektors steigern und die sektorübergreifende Mobilität fördern. Unterstützt werden auch Möglichkeiten, eine Ausbildung in einer hochkarätigen Forschungseinrichtung eines Drittlands zu absolvieren und dort Wissen zu erwerben, die Forscherlaufbahn nach einer Unterbrechung wieder fortzusetzen und die Forscher nach einer transnationalen bzw. internationalen Mobilitätsmaßnahme, die Aspekte der Rückkehr und der Wiedereingliederung umfasst, in eine längerfristige Forscherstelle in Europa – einschließlich ihres Herkunftslands – zu (re-)integrieren.

(c) Innovationsanreize durch die gegenseitige Bereicherung mit Wissen

Ziel ist die Stärkung der internationalen grenz- und sektorübergreifenden Zusammenarbeit in Forschung und Innovation durch den Austausch von Forschungs- und Innovationspotenzial, um die globalen Herausforderungen besser bewältigen zu können.Hierzu kommt es auf den Austausch von FuI-Personal im Rahmen einer Partnerschaft zwischen Hochschulen, Forschungseinrichtungen und -infrastrukturen, Unternehmen, KMU und anderen sozioökonomischen Gruppen innerhalb Europas und darüber hinaus an. Hierunter fällt auch die Förderung der Zusammenarbeit mit Drittländern.

(d)Steigerung der strukturellen Wirkung durch die Kofinanzierung von Tätigkeiten

Ziel ist es, zusätzliche Fördermittel zu mobilisieren und damit die an Zahlen und Strukturen ablesbaren Auswirkungen der Marie-Skłodowska-Curie-Maßnahmen noch zu steigern und die Exzellenz in der Ausbildung, Mobilität und Laufbahnentwicklung der Forscher auf nationaler Ebene zu unterstützen.Hierzu kommt es darauf an, mit Hilfe von Kofinanzierungsmechanismen regionale, nationale und internationale – sowohl öffentliche als auch private – Organisationen darin zu bestärken, neue Programme zu entwickeln und bestehende Programme an die internationale und intersektorale Ausbildung, Mobilität und Laufbahnentwicklung anzupassen. Dies erhöht die Qualität der Forscherausbildung in Europa in jeder Phase ihrer Laufbahn, auch während der Promotion, fördert die Mobilität von Forschern und wissenschaftlichen Erkenntnissen in Europa, unterstützt attraktive Forscherlaufbahnen durch eine offene Personaleinstellung und attraktive Arbeitsbedingungen, erleichtert die Forschungs- und Innovationszusammenarbeit zwischen Hochschulen, Forschungseinrichtungen und Unternehmen sowie die Zusammenarbeit mit Drittländern und internationalen Organisationen.

(e)Besondere Unterstützung und politische Maßnahmen

Ziel ist die Überwachung der Fortschritte, die Ermittlung von Lücken und Hindernissen bei den Marie-Skłodowska-Curie-Maßnahmen und die Stärkung ihrer Auswirkungen. In diesem Zusammenhang sind Indikatoren zu entwickeln und Daten zu Mobilität, Fähigkeiten, Laufbahn und Geschlechtergleichstellung der Forscher im Hinblick auf Synergien und eine enge Abstimmung mit den Unterstützungsmaßnahmen zu analysieren, die im Rahmen des Einzelziels ""Europa in einer sich verändernden Welt - Integrative, innovative und reflektierende Gesellschaften"" für Forscher, ihre Arbeitgeber und Geldgeber durchgeführt werden. Die Tätigkeit zielt ferner darauf ab, das Bewusstsein für die Bedeutung und Attraktivität einer wissenschaftlichen Laufbahn zu erhöhen und die Forschungs- und Innovationsergebnisse der Arbeiten zu verbreiten, die aus den Marie-Skłodowska-Curie-Maßnahmen hervorgehen.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:21";"664109" +"H2020-EU.1.3.";"fr";"H2020-EU.1.3.";"";"";"EXCELLENCE SCIENTIFIQUE - Actions Marie Skłodowska-Curie";"Marie-Sklodowska-Curie Actions";"

EXCELLENCE SCIENTIFIQUE - Actions Marie Skłodowska-Curie

Objectif spécifique

L'objectif spécifique consiste à garantir un développement optimal et une exploitation dynamique du capital intellectuel de l'Europe, afin de produire, de développer et de transférer de nouvelles compétences et connaissances et de l'innovation et, ainsi, de permettre à l'Europe de développer tout son potentiel dans tous les secteurs et dans toutes les régions.Des chercheurs bien formés, dynamiques et créatifs sont l'élément essentiel qui permet à la science d'atteindre ses sommets et à l'innovation axée sur la recherche d'atteindre sa productivité maximale.Si l'Europe abrite une grande variété de ressources humaines qualifiées dans le domaine de la recherche et de l'innovation, ce réservoir de talents doit être en permanence réalimenté, amélioré et adapté aux besoins du marché de l'emploi, qui évoluent rapidement. En 2011, seuls 46 % de ces ressources travaillaient en entreprise, ce qui est nettement inférieur aux taux enregistrés dans les principales économies concurrentes de l'Europe. Ce taux est ainsi de 69 % en Chine, de 73 % au Japon et de 80 % aux États-Unis. En outre, en raison de facteurs démographiques, un nombre disproportionné de chercheurs atteindra l'âge de la retraite dans les quelques années à venir. Combinée à une augmentation considérable des besoins en postes de recherche hautement qualifiés, l'économie de l'Union reposant de plus en plus sur la recherche, cette situation constituera, pour les systèmes européens de recherche, d'innovation et d'enseignement, l'un des principaux défis à relever dans les années à venir.La réforme nécessaire doit débuter aux premiers stades de la carrière des chercheurs, lors de leurs études doctorales ou de toute formation postuniversitaire comparable. L'Europe doit mettre au point des régimes de formation innovants et ultraperformants, capables de faire face à l'extrême compétitivité et à l'exigence croissante d'interdisciplinarité des activités de recherche et d'innovation. Une implication notable des entreprises, dont les PME et d'autres acteurs socioéconomiques, sera indispensable pour doter les chercheurs des compétences transversales en matière d'innovation et d'entrepreneuriat qu'exigeront les emplois de demain et pour les encourager à envisager une carrière dans l'industrie ou dans les entreprises les plus innovantes. Il conviendra également d'accroître la mobilité de ces chercheurs, qui reste aujourd'hui à un niveau trop modeste: en 2008, seuls 7 % des doctorants européens suivaient une formation dans un autre État membre, l'objectif étant d'atteindre un taux de 20 % d'ici 2030.Cette réforme doit se poursuivre à tous les stades de la carrière des chercheurs. Il est indispensable d'accroître la mobilité des chercheurs à tous les niveaux, y compris en milieu de carrière, non seulement d'un pays à l'autre, mais aussi entre le secteur public et le secteur privé. Cette mobilité est un encouragement majeur à l'apprentissage et à l'acquisition de nouvelles compétences, ainsi qu'un élément essentiel de la coopération transfrontière entre le milieu universitaire, les centres de recherche et les entreprises. Le facteur humain est le ferment de toute coopération durable, laquelle est à la fois essentielle à l'avènement d'une Europe innovante et créative, capable de relever les défis de société, et fondamentale pour surmonter la fragmentation des politiques nationales. La collaboration et le partage de connaissances, par le biais d'une mobilité individuelle à toutes les étapes de la vie professionnelle et par le biais d'échanges de personnel hautement qualifié dans les domaines de la recherche et de l'innovation, sont indispensables à l'Europe pour retrouver une croissance durable, pour relever les défis de société et contribuer ainsi à réduire les disparités dans les capacités de recherche et d'innovation.Dans ce contexte, Horizon 2020 devrait aussi encourager l'évolution des carrières et la mobilité des chercheurs grâce à de meilleures conditions, qu'il conviendra de définir, pour la portabilité des subventions accordées dans le cadre d'Horizon 2020.Les actions Marie Skłodowska-Curie garantiront une véritable égalité des chances dans le cadre de la mobilité des chercheurs, hommes et femmes, notamment grâce à des mesures visant spécifiquement à supprimer les obstacles.Pour être à la hauteur de ses concurrents en matière de recherche et d'innovation, l'Europe doit inciter davantage de jeunes gens à embrasser une carrière dans le domaine de la recherche et offrir à la recherche et à l'innovation un environnement et des opportunités extrêmement attractifs. Les personnes les plus talentueuses, d'Europe et d'ailleurs, devraient voir en l'Europe une destination professionnelle de premier plan. L'égalité entre les hommes et les femmes, des conditions d'emploi et de travail sûres et de qualité ainsi qu'une certaine reconnaissance sont des conditions essentielles qu'il convient d'assurer de manière cohérente dans toute l'Europe.

Justification et valeur ajoutée de l'Union

Ni un financement par la seule Union, ni les actions individuelles des États membres ne permettront de relever ce défi. Si certains États membres ont engagé des réformes afin d'améliorer la qualité de leurs établissements d'enseignement supérieur et de moderniser leurs systèmes de formation, les progrès restent inégaux au sein de l'Union, des différences considérables subsistant d'un pays à l'autre. Dans l'ensemble, la coopération scientifique et technologique entre le secteur public et le secteur privé reste généralement faible en Europe. Le même constat peut être dressé pour ce qui est de l'égalité entre les hommes et les femmes et des initiatives visant à attirer des étudiants et des chercheurs extérieurs à l'EER. Aujourd'hui, quelque 20 % des doctorants au sein de l'Union sont des ressortissants de pays tiers, alors qu'aux États-Unis, environ 35 % des doctorants viennent de l'étranger. Pour faire évoluer la situation plus rapidement, il convient d'adopter, à l'échelle de l'Union, une approche stratégique qui transcende les frontières nationales. Un financement par l'Union est par ailleurs indispensable pour promouvoir et encourager les réformes structurelles qui s'imposent.Les actions Marie Skłodowska-Curie ont contribué de manière remarquable à promouvoir la mobilité, aussi bien transnationale qu'intersectorielle, et à ouvrir les carrières du secteur de la recherche à l'échelle européenne et internationale, en ménageant d'excellentes conditions d'emploi et de travail conformément aux principes de la charte européenne du chercheur et au code de conduite pour le recrutement des chercheurs. Elles n'ont pas d'équivalent dans les États membres pour ce qui est de leur ampleur et de leur portée, de leur financement, de leur caractère international ainsi que de la production et du transfert de connaissances qu'elles impliquent. Elles ont consolidé les ressources des institutions capables d'attirer des chercheurs sur la scène internationale et ont dès lors favorisé l'expansion des centres d'excellence au sein de l'Union. Elles ont servi de référence et ont eu un net effet structurant en diffusant leurs meilleures pratiques au niveau national. En suivant une approche ascendante, elles ont également permis à une grande majorité des institutions précitées d'assurer la formation et de renforcer les compétences d'une nouvelle génération de chercheurs capables de relever les défis de société.Un renforcement des actions Marie Skłodowska-Curie contribuera de manière significative au développement de l'EER. De par leur structure concurrentielle de financement à l'échelle européenne, les actions Marie Skłodowska-Curie encourageront, dans le respect du principe de subsidiarité, les types de formation inédits, créatifs et novateurs, tels que les diplômes de doctorat communs ou multiples et les doctorats industriels, impliquant divers acteurs des secteurs de la recherche, de l'innovation et de l'enseignement, qui devront entrer en concurrence à l'échelle mondiale pour acquérir une réputation d'excellence. En accordant un financement de l'Union aux meilleurs programmes de recherche et de formation respectant les principes sur la formation doctorale innovante en Europe, elles favoriseront également la diffusion et l'adoption à plus grande échelle de ces principes et, partant, une plus forte structuration de la formation doctorale.Les bourses Marie Skłodowska-Curie couvriront désormais également la mobilité temporaire des chercheurs et ingénieurs expérimentés des institutions publiques vers le secteur privé, et inversement. Ce faisant, elles encourageront les universités, les centres de recherche et les entreprises ainsi que les autres acteurs socioéconomiques à coopérer les uns avec les autres à l'échelon européen et international et soutiendront leurs initiatives en ce sens. Grâce à leur système d'évaluation transparent, équitable et bien établi, les actions Marie Skłodowska-Curie permettront de repérer les talents d'excellence dans le domaine de la recherche et de l'innovation, dans un contexte de concurrence internationale qui, par le prestige qu'elle permet d'acquérir, incite les chercheurs à faire carrière en Europe.Les défis de société à relever par le personnel hautement qualifié des secteurs de la recherche et de l'innovation ne sont pas des problèmes exclusivement européens. Il s'agit d'enjeux internationaux d'une extrême complexité et d'une ampleur colossale. Les meilleurs chercheurs d'Europe et du monde doivent développer des collaborations internationales, transsectorielles et interdisciplinaires. Les actions Marie Skłodowska-Curie joueront à cet égard un rôle fondamental en soutenant les échanges de personnel, qui encourageront la réflexion collaborative à travers le partage international et intersectoriel des connaissances, lequel est absolument indispensable à l'ouverture des activités d'innovation.Le mécanisme de cofinancement des actions Marie Skłodowska-Curie sera fondamental pour élargir le réservoir de talents de l'Europe. L'impact quantitatif et structurel d'une action de l'Union sera renforcé par la mobilisation de fonds régionaux, nationaux et internationaux, tant publics que privés, en vue de créer de nouveaux programmes ayant des objectifs similaires et complémentaires et d'adapter les programmes existants à la formation, la mobilité et l'évolution de la carrière internationales et intersectorielles. Un tel mécanisme renforcera les liens entre les initiatives nationales et les initiatives européennes en faveur de la recherche et de l'éducation.Toutes les activités relevant de ce défi contribueront à instaurer en Europe un état d'esprit nouveau, qui est indispensable à la créativité et à l'innovation. Les mesures de financement des actions Marie Skłodowska-Curie renforceront la mise en commun des ressources en Europe et entraîneront, de ce fait, des améliorations sur le plan de la coordination et de la gouvernance pour ce qui concerne la formation, la mobilité et l'évolution de la carrière des chercheurs. Elles contribueront à la réalisation des objectifs stratégiques définis dans les initiatives phares «Une Union de l'innovation», «Jeunesse en mouvement» et «Une stratégie pour des compétences nouvelles et des emplois» et seront essentielles pour faire de l'EER une réalité. Les actions Marie Skłodowska-Curie seront par conséquent mises au point en étroite synergie avec d'autres programmes de soutien à ces objectifs stratégiques, y compris le programme Erasmus+ et les CCI de l'EIT.

Grandes lignes des activités

(a) Promouvoir de nouvelles compétences par une formation initiale d'excellence des chercheurs

L'objectif est de former une nouvelle génération de chercheurs créatifs et innovants, capables de convertir la connaissance et les idées en produits et services porteurs d'avancées économiques et sociales au sein de l'Union.Les principales activités sont axées sur l'octroi d'une formation postuniversitaire innovante et d'excellence aux jeunes chercheurs, au moyen de projets interdisciplinaires, y compris des programmes de parrainage visant au transfert de connaissances ou d'expériences entre chercheurs ou des programmes de doctorat, aidant les chercheurs à faire évoluer leur carrière dans la recherche et associant des universités, des institutions de recherche, des infrastructures de recherche, des entreprises, des PME et d'autres groupements socioéconomiques issus de différents États membres, pays associés et/ou pays tiers. Les perspectives de carrière des jeunes chercheurs au terme de leurs études universitaires s'en trouveront améliorées, aussi bien dans le secteur public que dans le secteur privé.

(b) Cultiver l'excellence par la mobilité transfrontalière et intersectorielle

L'objectif est de renforcer le potentiel de création et d'innovation des chercheurs expérimentés à tous les niveaux de carrière en leur offrant des possibilités de mobilité transfrontalière et intersectorielle.Les principales activités consistent à encourager les chercheurs expérimentés à élargir ou à approfondir leurs compétences par la mobilité, en leur offrant des possibilités de carrière attractives dans les universités, les institutions de recherche, les infrastructures de recherche, les entreprises, les PME et d'autres groupements socioéconomiques dans toute l'Europe et d'ailleurs. Cela devrait améliorer la capacité d'innovation du secteur privé et favoriser la mobilité transsectorielle. Un soutien sera également apporté aux possibilités d'acquérir une formation et de nouvelles connaissances dans un établissement de recherche de haut niveau dans un pays tiers, de reprendre une carrière dans la recherche après une interruption et d'intégrer ou de réintégrer des chercheurs dans un poste de recherche à long terme en Europe, y compris dans leur pays d'origine, après une expérience de mobilité transnationale ou internationale, les aspects relatifs au retour et à la réintégration étant couverts.

(c) Encourager l'innovation par la fertilisation croisée des connaissances

L'objectif est de renforcer la collaboration internationale transfrontalière et intersectorielle en matière de recherche et d'innovation grâce à des échanges de personnel actif dans ces domaines, afin de pouvoir mieux relever les défis mondiaux.Les principales activités consistent à soutenir les échanges de personnel actif dans la recherche et l'innovation dans le cadre d'un partenariat regroupant universités, institutions de recherche, infrastructures de recherche, entreprises, PME et autres groupements socioéconomiques, au niveau tant européen que mondial. Il s'agira également, dans ce cadre, de promouvoir la coopération avec les pays tiers.

(d) Renforcer l'impact structurel par le cofinancement des activités

L'objectif est de renforcer, en mobilisant des fonds supplémentaires, l'impact quantitatif et structurel des actions Marie Skłodowska-Curie et de promouvoir l'excellence au niveau national sur le plan de la formation, de la mobilité et de l'évolution de la carrière des chercheurs.Les principales activités consistent à inciter, par un mécanisme de cofinancement, les organismes régionaux, nationaux et internationaux, tant publics que privés, à créer de nouveaux programmes et à adapter les programmes existants à la formation, la mobilité et l'évolution de la carrière internationales et intersectorielles. De telles démarches amélioreront la qualité de la formation à la recherche en Europe à toutes les étapes de la vie professionnelle, doctorat inclus; elles encourageront la libre circulation des chercheurs et des connaissances scientifiques en Europe, augmenteront l'attractivité des carrières dans la recherche par des procédures de recrutement ouvertes et par des conditions de travail attractives, favoriseront la coopération entre les universités, les institutions de recherche et les entreprises dans le domaine de la recherche et de l'innovation, et soutiendront la coopération avec les pays tiers et les organisations internationales.

(e) Soutien spécifique et actions stratégiques

L'objectif est d'assurer le suivi des progrès réalisés, de recenser les lacunes et les obstacles au niveau des actions Marie Skłodowska-Curie et d'accroître l'impact de ces actions. Il convient dans ce cadre de mettre au point des indicateurs et d'analyser les données concernant la mobilité, les compétences et la carrière des chercheurs ainsi que l'égalité entre chercheurs hommes et femmes, en recherchant des synergies et des coordinations approfondies avec les actions de soutien stratégique ciblant les chercheurs, leurs employeurs et leurs bailleurs de fonds réalisées au titre de l'objectif spécifique «L'Europe dans un monde en évolution - Des sociétés ouvertes à tous, innovantes et capables de réflexion». Cette activité vise également à faire comprendre l'importance et l'attractivité d'une carrière dans la recherche ainsi qu'à diffuser les résultats de la recherche et de l'innovation obtenus grâce aux travaux financés par des actions Marie Skłodowska-Curie.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:21";"664109" +"H2020-EU.1.3.";"es";"H2020-EU.1.3.";"";"";"CIENCIA EXCELENTE - Acciones Marie Skłodowska-Curie";"Marie-Sklodowska-Curie Actions";"

CIENCIA EXCELENTE - Acciones Marie Skłodowska-Curie

Objetivo específico

El objetivo específico es garantizar el desarrollo óptimo y el uso dinámico del capital intelectual de Europa, con el fin de generar, desarrollar y transferir nuevas capacidades, conocimiento e innovación y, de este modo, realizar plenamente su potencial en todos los sectores y regiones.Unos investigadores bien formados, motivados, dinámicos y creativos constituyen el elemento esencial para la mejor ciencia y para la innovación basada en la investigación más productiva.Aunque Europa alberga un conjunto grande y diversificado de recursos humanos capacitados en investigación e innovación, tiene que renovarlo, mejorarlo y adaptarlo constantemente a las necesidades del mercado laboral, que cambian rápidamente. En 2011 solo el 46 % de este conjunto trabajaba en el sector empresarial, cifra muy inferior a la de los principales competidores económicos de Europa, por ejemplo, un 69 % en China, un 73 % en Japón y un 80 % en los Estados Unidos. Además, los factores demográficos hacen que un número desproporcionado de investigadores vaya a alcanzar la edad de jubilación en los próximos pocos años. Este hecho, unido a la necesidad de muchos más puestos de trabajo en investigación de alta calidad derivada del aumento de la intensidad de investigación de la economía europea, constituirá uno de los principales retos a los que se enfrentarán los sistemas europeos de educación, investigación e innovación en los próximos años.La necesaria reforma ha de comenzar en las primeras fases de la trayectoria profesional de los investigadores, durante sus estudios de doctorado o formación de posgrado comparable. Europa debe desarrollar unos sistemas de formación innovadores y avanzados, que sean coherentes con las necesidades altamente competitivas y cada vez más interdisciplinarias de la investigación y la innovación. Será necesaria la decidida implicación de las empresas, incluidas las PYME y otros agentes socioeconómicos, para equipar a los investigadores con las aptitudes empresariales y de innovación transversales que exigen los empleos del mañana y animarles a plantearse una carrera en el sector industrial o en las empresas más innovadoras. Será importante también incrementar la movilidad de estos investigadores, ya que actualmente sigue siendo demasiado baja: en 2008, solo el 7 % de los doctorandos europeos se formaban en otro Estado miembro, mientras que el objetivo de aquí a 2030 es llegar al 20 %.Esta reforma debe continuar a través de todas las etapas de la carrera del investigador. Es indispensable aumentar la movilidad de los investigadores a todos los niveles, incluida la movilidad mediada la carrera, no solo entre países, sino también entre el sector público y el privado. Se trata de un elemento que estimula notablemente el aprendizaje y el desarrollo de nuevas competencias, así como un factor clave para la cooperación entre el mundo académico, los centros de investigación y la industria en distintos países. El factor humano es la espina dorsal de la cooperación sostenible que constituye el motor principal de una Europa innovadora y creativa capaz de hacer frente a los retos de la sociedad, y esencial para superar la fragmentación de las políticas nacionales. Para que Europa regrese a la senda del crecimiento sostenible y afronte los retos de la sociedad, son esenciales la colaboración y la puesta en común de conocimientos, a través de la movilidad individual en todas las etapas de la carrera y de los intercambios de personal investigador e innovador altamente cualificado, contribuyendo así a superar las disparidades en materia de capacidades de investigación e innovación.En este contexto, Horizonte 2020 deberá estimular el desarrollo de las carreras y de la movilidad de los investigadores mediante unas mejores condiciones, aún por determinar, que permitan la transferencia y portabilidad de las subvenciones del programa Horizonte 2020.Las acciones Marie Skłodowska-Curie garantizarán la igualdad de oportunidades de manera efectiva en relación con la movilidad de investigadores de uno u otro sexo, por ejemplo mediante medidas específicas para suprimir obstáculos.Si Europa quiere estar a la altura de sus competidores en investigación e innovación, deberá atraer a más jóvenes para que emprendan carreras de investigación y proporcionarles oportunidades y entornos sumamente atractivos para la investigación y la innovación. Es preciso que las personas de más talento, de Europa y del resto del mundo, consideren Europa un lugar privilegiado para trabajar. La igualdad de oportunidades entre sexos, las condiciones de empleo y de trabajo de alta calidad y fiables, así como el reconocimiento de la valía profesional son aspectos cruciales que deben garantizarse de manera coherente en el conjunto de Europa.

Justificación y valor añadido de la Unión

Ni la financiación de la Unión por sí sola, ni los Estados miembros individualmente, estarán en condiciones de hacer frente a este reto. Aunque los Estados miembros han introducido reformas para mejorar sus centros de educación superior y modernizar sus sistemas de formación, el progreso es todavía desigual en Europa, con grandes diferencias de un país a otro. La cooperación científica y tecnológica entre los sectores público y privado sigue siendo, en general, escasa en Europa. Lo mismo cabe decir de la igualdad entre sexos y del esfuerzo por atraer a estudiantes e investigadores de fuera del EEI. Actualmente, alrededor del 20 % de los doctorandos de la Unión son ciudadanos de terceros países, mientras que en los Estados Unidos de América aproximadamente el 35 % procede del extranjero. Para acelerar este cambio, es necesario en el ámbito de la Unión un enfoque estratégico que sobrepase las fronteras nacionales. La financiación de la Unión es vital para incentivar y fomentar las reformas estructurales indispensables.Las acciones Marie Skłodowska-Curie han conseguido avances notables en la promoción de la movilidad, tanto transnacional como intersectorial, y la apertura de las carreras de investigación a escala europea e internacional, con excelentes condiciones de trabajo y de empleo siguiendo los principios de la Carta Europea de los Investigadores y el Código de Conducta para la Contratación de Investigadores. No hay equivalencia entre los Estados miembros en lo que se refiere a escala y alcance, financiación, carácter internacional y generación y transferencia de conocimientos. Las acciones Marie Skłodowska-Curie han reforzado los recursos de las instituciones capaces de atraer a los investigadores internacionalmente y, por tanto, han fomentado la difusión de los centros de excelencia en la Unión. Han servido como modelo digno de imitación, con un pronunciado efecto estructurador a través de la difusión de sus mejores prácticas en el ámbito nacional. Gracias a su enfoque abierto, las acciones Marie Skłodowska-Curie han permitido también que una gran mayoría de esas instituciones formen y mejoren las aptitudes de una nueva generación de investigadores capaces de afrontar los retos de la sociedad.El desarrollo futuro de las acciones Marie Skłodowska-Curie contribuirá de manera significativa al desarrollo del EEI. Con una estructura de financiación competitiva a escala europea, las acciones Marie Skłodowska-Curie fomentarán, al tiempo que respetan el principio de subsidiariedad, modelos de formación nuevos, creativos e innovadores, como los doctorados conjuntos o múltiples, los estudios de doctorado industriales, con participación de agentes de los ámbitos de la educación, la investigación y la innovación que tendrán que competir a nivel mundial por granjearse una reputación de excelencia. Al brindar la financiación de la Unión a los mejores programas de investigación y formación con arreglo a los principios de los doctorados de formación innovadora en Europa, también promoverán una mayor difusión y absorción, avanzando hacia una formación de doctorado más estructurada.Las ayudas Marie Skłodowska-Curie podrán también dedicarse a la movilidad temporal de investigadores e ingenieros experimentados de las instituciones públicas al sector privado o viceversa, estimulando y apoyando a universidades, centros de investigación y empresas y a otros actores socioeconómicos para que cooperen mutuamente a escala europea e internacional. Con ayuda de un sistema de evaluación bien establecido, transparente y equitativo, las acciones Marie Skłodowska-Curie descubrirán los talentos excelentes en la investigación y la innovación a través de una competencia internacional que confiera prestigio, y por lo tanto motivación, a los investigadores para proseguir su carrera en Europa.Los retos de la sociedad que deben afrontar los investigadores e innovadores altamente cualificados no constituyen un problema exclusivamente europeo. Se trata de retos internacionales de una complejidad y una magnitud colosales. Es preciso que los mejores investigadores de Europa y del mundo trabajen conjuntamente a través de países, sectores y disciplinas. Las acciones Marie Skłodowska-Curie desempeñarán un papel clave en este sentido, prestando apoyo a intercambios de personal que alentarán el pensamiento en colaboración a través de la difusión internacional e intersectorial de conocimientos que tan crucial resulta para la innovación abierta.El mecanismo de cofinanciación de las acciones Marie Skłodowska-Curie será fundamental para expandir el número de talentos de Europa. El impacto numérico y estructural de la actividad de la Unión se incrementará movilizando la financiación regional, nacional, internacional, pública y privada para crear nuevos programas, con objetivos complementarios y similares, y adaptar los existentes a la formación, movilidad y desarrollo de la carrera de manera tanto internacional como intersectorial. Tal mecanismo forjará relaciones aún más firmes con respecto a los esfuerzos realizados en investigación y educación tanto a nivel nacional y como de la Unión.Todas las actividades de este reto contribuirán a crear un modo de pensar nuevo en Europa que es crucial para la creatividad y la innovación. Las medidas de financiación Marie Skłodowska-Curie reforzarán la puesta en común de recursos en Europa y, por tanto, generarán mejoras en la coordinación y la gobernanza de la formación, movilidad y desarrollo de la carrera del investigador. Contribuirán a la consecución de los objetivos políticos expuestos en la ""Unión por la Innovación"", ""Juventud en movimiento"" y la ""Agenda de nuevas cualificaciones y empleos"" y serán vitales para que el EEI se haga realidad. Las acciones Marie Skłodowska-Curie se llevarán a cabo por lo tanto en estrecha sinergia con otros programas que respalden estos objetivos de actuación, incluidos el programa ""Erasmus+"" y las Comunidades de Conocimiento e Innovación del EIT.

Líneas generales de las actividades

(a) Fomento de nuevas aptitudes mediante una formación inicial excelente de los investigadores

El objetivo es formar a una nueva generación de investigadores creativos e innovadores, capaces de transformar los conocimientos y las ideas en productos y servicios para beneficio económico y social de la Unión.Las actividades fundamentales proporcionarán una formación innovadora y excelente a los investigadores en su fase inicial a nivel de posgrado, a través de proyectos interdisciplinarios, como por ejemplo sistemas de asesoramiento para la transferencia de conocimientos y experiencias entre investigadores, o programas de doctorado que ayuden a los investigadores a desarrollar su currículo de investigación y en los que participen universidades, centros de investigación, infraestructuras de investigación, empresas, PYME y otros grupos socioeconómicos de diferentes países, Estados miembros, estados asociados y terceros países. De este modo mejorarán las perspectivas de carrera de los jóvenes investigadores de posgrado en los sectores tanto público como privado.

(b) Cultivar la excelencia mediante la movilidad transfronteriza e intersectorial

El objetivo es mejorar el potencial creativo e innovador de los investigadores experimentados en todos los niveles de su carrera profesional creando oportunidades de movilidad transfronteriza e intersectorial.Las actividades fundamentales incitarán a los investigadores experimentados a ampliar o profundizar sus competencias a través de la movilidad abriendo oportunidades de carrera atractivas en universidades, centros de investigación, infraestructuras de investigación, empresas, PYME y otros grupos socioeconómicos de toda Europa y de fuera de ella. Ello debería mejorar la capacidad de innovación del sector privado y promover la movilidad intersectorial. También se apoyarán las oportunidades para formarse y adquirir conocimientos en una institución de alto nivel científico de un tercer país, reanudar una carrera científica tras una pausa e integrar o reintegrar a investigadores en un puesto de investigación a más largo plazo en Europa, que puede ser en su país de origen, tras una experiencia de movilidad transnacional/internacional que cubra los aspectos relacionados con el retorno y la reintegración.

(c) Estimular la innovación mediante la fertilización cruzada de conocimientos

El objetivo es reforzar la colaboración internacional intersectorial y transfronteriza en la investigación y la innovación mediante intercambios de personal investigador e innovador para poder afrontar mejor los retos globales.Las actividades fundamentales serán de apoyo a los intercambios de personal investigador e innovador entre una asociación de universidades, centros de investigación, infraestructuras de investigación, empresas, PYME y otros grupos socioeconómicos, dentro de Europa y en todo el mundo. Se incluirá el fomento de la cooperación con terceros países.

(d) Intensificación del impacto estructural mediante la cofinanciación de actividades

El objetivo es aumentar, movilizando fondos adicionales, el impacto numérico y estructural de las acciones Marie Skłodowska-Curie y estimular la excelencia a nivel nacional en la formación, movilidad y desarrollo de la carrera de los investigadores.Las actividades clave servirán de estímulo, con ayuda de un mecanismo de cofinanciación, a las organizaciones regionales, nacionales e internacionales, tanto públicas como privadas, para que creen nuevos programas y adapten los existentes a la formación, movilidad y desarrollo de la carrera a escala internacional e intersectorial. De este modo aumentará la calidad de la formación de los investigadores en Europa en todas las etapas de su carrera, incluido el nivel de doctorado, se fomentará la libre circulación de los investigadores y los conocimientos científicos en Europa, se promoverán las carreras de investigación atractivas ofreciendo una contratación abierta y unas condiciones de trabajo atractivas y se apoyará la cooperación en investigación e innovación entre las universidades, las instituciones de investigación y las empresas y la cooperación con terceros países y organizaciones internacionales.

(e) Apoyo específico y acciones políticas

Los objetivos consisten en seguir de cerca los progresos logrados, detectando lagunas y obstáculos en las acciones Marie Skłodowska-Curie y aumentar su impacto. En este contexto, se crearán indicadores y se analizarán los datos relativos a la movilidad, las cualificaciones, la carrera de los investigadores y la igualdad entre sexos, procurando conseguir sinergias y una estrecha coordinación con las acciones de apoyo a las políticas sobre los investigadores, sus empleadores y entidades financiadoras realizadas en el marco del objetivo específico ""Europa en un mundo cambiante: sociedades inclusivas, innovadoras y reflexivas"". La actividad tratará además de sensibilizar sobre la importancia y el atractivo de una carrera de investigador y difundir los resultados de la investigación y la innovación derivados de los trabajos financiados por las acciones Marie Skłodowska-Curie. ";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:21";"664109" +"H2020-EU.1.3.1.";"fr";"H2020-EU.1.3.1.";"";"";"Promouvoir de nouvelles compétences par une formation initiale d'excellence des chercheurs";"MCSA Initial training";"

Promouvoir de nouvelles compétences par une formation initiale d'excellence des chercheurs

L'objectif est de former une nouvelle génération de chercheurs créatifs et innovants, capables de convertir la connaissance et les idées en produits et services porteurs d'avancées économiques et sociales au sein de l'Union.Les principales activités sont axées sur l'octroi d'une formation postuniversitaire innovante et d'excellence aux jeunes chercheurs, au moyen de projets interdisciplinaires, y compris des programmes de parrainage visant au transfert de connaissances ou d'expériences entre chercheurs ou des programmes de doctorat, aidant les chercheurs à faire évoluer leur carrière dans la recherche et associant des universités, des institutions de recherche, des infrastructures de recherche, des entreprises, des PME et d'autres groupements socioéconomiques issus de différents États membres, pays associés et/ou pays tiers. Les perspectives de carrière des jeunes chercheurs au terme de leurs études universitaires s'en trouveront améliorées, aussi bien dans le secteur public que dans le secteur privé.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:25";"664111" +"H2020-EU.1.3.1.";"es";"H2020-EU.1.3.1.";"";"";"Fomento de nuevas aptitudes mediante una formación inicial excelente de los investigadores";"MCSA Initial training";"

Fomento de nuevas aptitudes mediante una formación inicial excelente de los investigadores

El objetivo es formar a una nueva generación de investigadores creativos e innovadores, capaces de transformar los conocimientos y las ideas en productos y servicios para beneficio económico y social de la Unión.Las actividades fundamentales proporcionarán una formación innovadora y excelente a los investigadores en su fase inicial a nivel de posgrado, a través de proyectos interdisciplinarios, como por ejemplo sistemas de asesoramiento para la transferencia de conocimientos y experiencias entre investigadores, o programas de doctorado que ayuden a los investigadores a desarrollar su currículo de investigación y en los que participen universidades, centros de investigación, infraestructuras de investigación, empresas, PYME y otros grupos socioeconómicos de diferentes países, Estados miembros, estados asociados y terceros países. De este modo mejorarán las perspectivas de carrera de los jóvenes investigadores de posgrado en los sectores tanto público como privado.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:25";"664111" +"H2020-EU.1.3.1.";"pl";"H2020-EU.1.3.1.";"";"";"Wspieranie nowych umiejętności poprzez najwyższej jakości wstępne szkolenie naukowców";"MCSA Initial training";"

Wspieranie nowych umiejętności poprzez najwyższej jakości wstępne szkolenie naukowców

Celem jest wyszkolenie nowego pokolenia kreatywnych i innowacyjnych naukowców, zdolnych do przekształcenia wiedzy i pomysłów w produkty i usługi przynoszące Unii korzyści gospodarcze i społeczne.Kluczowe działania polegają na zapewnieniu początkującym naukowcom po ukończeniu studiów II stopnia lub równoważnych najwyższej jakości innowacyjnego szkolenia w ramach interdyscyplinarnych projektów, zawierających mentoring służący transferowi wiedzy i doświadczenia między naukowcami lub programy studiów doktoranckich pomagające naukowcom rozwijanie ich karier naukowych oraz obejmujące uniwersytety, instytucje badawcze, infrastrukturę badawczą, przedsiębiorstwa, MŚP oraz, inne podmioty społeczno-gospodarcze z różnych państw członkowskich, krajów stowarzyszonych lub państw trzecich. Skutkiem będą lepsze perspektywy kariery dla młodych naukowców po ukończeniu studiów II stopnia lub równoważnych, zarówno w sektorze publicznym, jak i prywatnym.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:25";"664111" +"H2020-EU.1.3.1.";"it";"H2020-EU.1.3.1.";"";"";"Promuovere nuove competenze grazie ad una formazione iniziale di eccellenza dei ricercatori";"MCSA Initial training";"

Promuovere nuove competenze grazie ad una formazione iniziale di eccellenza dei ricercatori

L'obiettivo è formare una nuova generazione di ricercatori creativi e innovativi, in grado di convertire le conoscenze e le idee in prodotti e servizi a beneficio economico e sociale dell'Unione.Le principali attività consistono nel fornire una formazione eccellente e innovativa a ricercatori a livello postlaurea in fase iniziale per mezzo di progetti interdisciplinari, compreso il tutoraggio volto al trasferimento di conoscenze ed esperienze tra ricercatori, o programmi dottorali che aiutino i ricercatori nello sviluppo della loro carriera di ricerca e coinvolgano università, istituti di ricerca, infrastrutture di ricerca, imprese, PMI e altri gruppi socioeconomici di diversi Stati membri, paesi associati e/o paesi terzi al fine di migliorare le prospettive di carriera per i giovani ricercatori postlaurea nei settori pubblico e privato.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:25";"664111" +"H2020-EU.1.3.1.";"en";"H2020-EU.1.3.1.";"";"";"Fostering new skills by means of excellent initial training of researchers";"MCSA Initial training";"

Fostering new skills by means of excellent initial training of researchers

The goal is to train a new generation of creative and innovative researchers, able to convert knowledge and ideas into products and services for economic and social benefit in the Union.Key activities shall be to provide excellent and innovative training to early-stage researchers at post-graduate level through interdisciplinary projects, including mentoring to transfer knowledge and experience between researchers or doctoral programmes, helping researchers to develop their research career and involving universities, research institutions, research infrastructures, businesses, SMEs and other socio-economic groups from different Member States, associated countries and/or third countries. This will improve career prospects for young post-graduate researchers in both the public and private sectors.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:25";"664111" +"H2020-EU.1.3.1.";"de";"H2020-EU.1.3.1.";"";"";"Förderung neuer Fähigkeiten durch eine exzellente Erstausbildung von Forschern";"MCSA Initial training";"

Förderung neuer Fähigkeiten durch eine exzellente Erstausbildung von Forschern

Ziel ist die Ausbildung einer neuen Generation von kreativen und innovativen Forschern, die in der Lage sind, Wissen und Ideen in Produkte und Dienstleistungen zu verwandeln, die für die Wirtschaft und die Gesellschaft in der Union von Nutzen sind.Hierzu kommt es ganz entscheidend darauf an, Nachwuchsforschern nach Abschluss ihrer Hochschulausbildung exzellente und innovative Ausbildungsmöglichkeiten im Rahmen interdisziplinärer Projekte, einschließlich Mentoring-Programme für den Wissens- und Erfahrungstransfer zwischen Forschern oder Promotionsprogramme, die die Laufbahnentwicklung für Forscher erleichtern, zu bieten, in die Hochschulen, Forschungseinrichtungen, Forschungsinfrastrukturen, Unternehmen, darunter auch KMU und andere sozioökonomische Gruppen aus unterschiedlichen Mitgliedstaaten, assoziierten Ländern und/oder Drittländern eingebunden sind. Dies verbessert die Laufbahnperspektiven für graduierte Nachwuchsforscher im öffentlichen und privaten Sektor.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:25";"664111" +"H2020-EU.3.4.";"it";"H2020-EU.3.4.";"";"";"SFIDE PER LA SOCIETÀ - Trasporti intelligenti, verdi e integrati";"Transport";"

SFIDE PER LA SOCIETÀ - Trasporti intelligenti, verdi e integrati

Obiettivo specifico

L'obiettivo specifico è realizzare un sistema di trasporto europeo efficiente sotto il profilo delle risorse, rispettoso dell'ambiente e del clima, sicuro e senza soluzioni di continuità a vantaggio di tutti cittadini, dell'economia e della società.L'Europa deve conciliare le crescenti esigenze di mobilità dei cittadini e delle merci, nonché l'evoluzione delle esigenze influenzate dalle nuove sfide demografiche e per la società, con gli imperativi dei risultati economici e i requisiti di una società efficiente sotto il profilo energetico e a basse emissioni di carbonio e di un'economia resiliente sotto il profilo climatico. Nonostante la sua crescita, il settore dei trasporti deve conseguire una sostanziale riduzione dei gas a effetto serra e di altri impatti ambientali negativi e porre fine alla sua dipendenza dal petrolio e da altri combustibili fossili, mantenendo nel contempo elevati livelli di efficienza e di mobilità e promuovendo la coesione territoriale.La mobilità sostenibile può essere conseguita solo mediante un mutamento radicale del sistema dei trasporti, compreso il trasporto pubblico, ispirato da svolte importanti nella ricerca in materia di trasporti, dall'innovazione di ampia portata e dall'attuazione coerente su scala europea di soluzioni di trasporto più intelligenti, sicure, affidabili ed ecologiche.La ricerca e l'innovazione devono generare progressi mirati e tempestivi per tutti i modi di trasporto, che contribuiranno a conseguire gli obiettivi strategici fondamentali dell'Unione, incrementando nel contempo la competitività economica, sostenendo la transizione verso un'economia a basse emissioni di carbonio, efficiente sotto il profilo energetico e resiliente ai cambiamenti climatici e mantenendo la leadership sul mercato mondiale sia per l'industria dei servizi che per quella manifatturiera.Anche in presenza dei necessari investimenti significativi in materia di ricerca, innovazione e diffusione, se non riusciranno a migliorare la sostenibilità del sistema dei trasporti e della mobilità nel suo complesso e a mantenere la leadership tecnologica europea nei trasporti, ne deriveranno livelli inaccettabilmente elevati in termini di costi ecologici, sociali ed economici di lungo termine, nonché conseguenze dannose sull'occupazione e la crescita a lungo termine in Europa.

Motivazione e valore aggiunto dell'Unione

I trasporti sono un importante motore della competitività e della crescita economica europea. Essi garantiscono la mobilità delle persone e delle merci necessaria a un mercato unico europeo integrato, alla coesione territoriale e a una società inclusiva ed aperta. Rappresentano una delle maggiori attività europee in termini di capacità industriale e di qualità del servizio, poiché svolgono un ruolo guida su molti mercati mondiali. L'industria dei trasporti e la produzione di attrezzature per i trasporti rappresentano complessivamente il 6,3 % del PIL dell'Unione. Il contributo complessivo del settore dei trasporti all'economia dell'Unione è persino più elevato se si tiene conto degli scambi, dei servizi e della mobilità dei lavoratori. Al tempo stesso, l'industria dei trasporti europea deve far fronte a una concorrenza sempre più agguerrita proveniente da altre parti del mondo. Le tecnologie di punta dovranno garantire il futuro vantaggio competitivo dell'Europa e ovviare agli inconvenienti del nostro attuale sistema dei trasporti.Il settore dei trasporti è una delle principali fonti di gas a effetto serra e genera fino a un quarto di tutte le emissioni. È altresì uno dei principali fattori di altri problemi legati all'inquinamento atmosferico. I trasporti sono tuttora dipendenti al 96 % dai combustibili fossili. E' essenziale ridurre questo impatto ambientale attraverso un miglioramento tecnologico mirato, tenendo presente che ciascun modo di trasporto ha di fronte varie sfide ed è caratterizzato da diversi cicli di integrazione tecnologica. Inoltre, la congestione è un problema sempre più grave, i sistemi non sono ancora abbastanza intelligenti, le opzioni alternative per la transizione verso modi di trasporto più sostenibili non sono sempre attraenti, la mortalità per incidente stradale continua a essere notevolmente elevata, con 34 000 vittime l'anno nell'Unione, i cittadini e le imprese si aspettano un sistema di trasporto accessibile a tutti, sicuro e protetto. Il contesto urbano presenta sfide specifiche ed opportunità per la sostenibilità dei trasporti e per una migliore qualità della vita.Entro pochi decenni il tasso di crescita previsto per il settore dei trasporti porterà il traffico europeo a una fase di stallo e renderà insostenibili l'impatto sociale e i costi economici, con conseguenze negative per l'economia e la società. Si stima che, se le tendenze passate continueranno in futuro, il dato passeggeri-chilometro sia destinato a raddoppiare nei prossimi quarant'anni anni, crescendo in maniera due volte più rapida per il trasporto aereo. Le emissioni di CO2 aumenterebbero del 35 % entro il 2050. I costi dovuti alla congestione sono stimati in crescita di circa il 50 %, e ammonterebbero a circa 200 miliardi di EUR l'anno. I costi esterni degli incidenti aumenterebbero di circa 60 miliardi di EUR rispetto al 2005.Lasciare lo scenario di status quo non è pertanto un'opzione valida. La ricerca e l'innovazione, motivate da obiettivi strategici e incentrate sulle principali sfide, contribuiscono notevolmente a conseguire gli obiettivi fissati dall'Unione di limitare l'aumento della temperatura globale a 2 °C, riducendo del 60 % le emissioni di CO2 dovute ai trasporti, riducendo drasticamente la congestione e i costi legati agli incidenti ed eliminando in pratica la mortalità stradale entro il 2050.I problemi di inquinamento, congestione e sicurezza sono comuni a tutta l'Unione ed esigono risposte concertate a livello europeo. Accelerare lo sviluppo e l'impiego di nuove tecnologie e di soluzioni innovative per i veicoli, le infrastrutture e la gestione dei trasporti sarà essenziale per realizzare un sistema di trasporto intermodale e multimodale più pulito, sicuro, accessibile ed efficiente nell'Unione, per conseguire i risultati necessari per attenuare il cambiamento climatico e migliorare l'efficienza delle risorse e per mantenere la leadership europea sui mercati mondiali di prodotti e servizi connessi ai trasporti. Tali obiettivi non possono essere raggiunti solo attraverso sforzi nazionali frammentati.Il finanziamento a livello di Unione della ricerca e dell'innovazione per i trasporti integrerà le attività degli Stati membri, concentrandosi su attività aventi un chiaro valore aggiunto europeo. Questo significa che l'accento sarà posto sui settori prioritari che rispecchiano gli obiettivi strategici dell'Unione europea dove è necessaria una massa critica di sforzi, dove soluzioni di trasporto interoperabile o multimodale integrato a livello europeo possono contribuire a eliminare strozzature nel sistema dei trasporti, ovvero dove la messa in comune degli sforzi di ricerca a livello transnazionale nonché un uso migliore e una diffusione più efficace dei dati delle ricerche esistenti può ridurre i rischi di investimento nella ricerca, inaugurare norme comuni e abbreviare i tempi di commercializzazione dei risultati della ricerca.Le attività di ricerca e innovazione comprendono una vasta gamma di iniziative, compresi i pertinenti partenariati pubblico-privato, che coprono l'intera catena dell'innovazione e seguono un approccio integrato a soluzioni di trasporto innovative. Diverse attività sono specificamente mirate a portare sul mercato i risultati ottenuti: un approccio programmatico alla ricerca e all'innovazione, progetti dimostrativi, azioni di adozione di mercato e sostegno alla standardizzazione, alla regolamentazione e a strategie innovative in materia di appalti contribuiscono tutti al conseguimento di tale obiettivo. Inoltre, con l'impegno e la competenza dei soggetti interessati sarà possibile colmare il divario tra i risultati della ricerca e il loro impiego nel settore dei trasporti.Investire in ricerca e innovazione per un sistema di trasporto pienamente integrato e affidabile, più intelligente e più verde rappresenta un importante contributo al raggiungimento degli obiettivi della strategia Europa 2020 e della sua iniziativa faro ""Unione dell'innovazione"". Le attività sosterranno l'attuazione del Libro bianco ""Tabella di marcia verso uno spazio unico europeo dei trasporti - Per una politica dei trasporti competitiva e sostenibile"". Esse apporteranno inoltre un contributo al conseguimento degli obiettivi strategici delineati nelle iniziative faro ""Un'Europa efficiente sotto il profilo delle risorse"", ""Una politica industriale nell'era della globalizzazione"" e ""Un'agenda digitale europea"". Avranno anche contatti con le pertinenti iniziative di programmazione congiunta.

Le grandi linee delle attività

Le attività saranno organizzate, se del caso, in maniera da permettere un approccio integrato e specifico per i singoli modi. Sarà necessaria una visibilità e continuità pluriennale per tener conto delle peculiarità di ciascun modo di trasporto e della natura olistica delle sfide, nonché dei pertinenti programmi strategici di ricerca e innovazione delle piattaforme tecnologiche europee in materia di trasporti.

(a) Trasporti efficienti sotto il profilo delle risorse che rispettino l'ambiente

L'obiettivo è ridurre al minimo l'impatto dei sistemi dei trasporti sul clima e sull'ambiente (compreso l'inquinamento acustico e atmosferico), migliorandone la qualità e l'efficienza nell'uso delle risorse naturali e dei combustibili e riducendone le emissioni di gas a effetto serra e la dipendenza dai combustibili fossili.Il centro dell'attività è ridurre il consumo di risorse, in particolare di combustibili fossili, le emissioni di gas a effetto serra e i livelli di rumore, migliorare l'efficienza dei trasporti e dei veicoli, accelerare lo sviluppo, la produzione e la diffusione di una nuova generazione di veicoli puliti (elettrici, a idrogeno e altri con emissioni basse o pari a zero), anche mediante progressi di rilievo e ottimizzazioni per quanto concerne motori, immagazzinamento dell'energia e infrastrutture, esaminare e sfruttare il potenziale dei carburanti alternativi e sostenibili e dei sistemi operativi e di propulsione innovativi e più efficienti, comprese le infrastrutture per il combustibile e il carico dello stesso, ottimizzare la pianificazione e l'uso delle infrastrutture, per mezzo di sistemi di trasporto intelligenti, logistica e attrezzature intelligenti, nonché incrementare l'uso della gestione della domanda e dei trasporti pubblici e non motorizzati, nonché delle catene di mobilità intermodali, in particolare nelle aree urbane. Saranno incoraggiate le innovazioni intese a ottenere emissioni basse o pari a zero in tutti i modi di trasporto.

(b) Migliorare la mobilità, diminuire il traffico e aumentare la sicurezza

L'obiettivo è conciliare le crescenti esigenze di mobilità con una maggiore fluidità dei trasporti, grazie a soluzioni innovative riguardanti sistemi di trasporto senza soluzioni di continuità, intermodali, inclusivi, accessibili, a costi sostenibili, sicuri, sani e robusti.Il centro delle attività è ridurre la congestione stradale, migliorare l'accessibilità, l'interoperabilità e le scelte dei passeggeri nonché soddisfare le esigenze degli utenti grazie allo sviluppo e alla promozione dei trasporti integrati porta a porta, della gestione della mobilità e della logistica, rafforzare l'intermodalità e la diffusione delle soluzioni di pianificazione e gestione intelligenti, nonché ridurre drasticamente gli incidenti e l'impatto delle minacce alla sicurezza.

(c) Leadership mondiale per l'industria europea dei trasporti

L'obiettivo è rafforzare la competitività e i risultati dell'industria manifatturiera europea dei trasporti e dei servizi correlati, compresi i processi logistici, la manutenzione, la riparazione, l'ammodernamento e il riciclaggio, conservando nel contempo settori di leadership europea, ad esempio l'aeronautica.Il centro dell'attività è lo sviluppo della prossima generazione di mezzi di trasporto aereo, per via navigabile e terrestre innovativi, la produzione sostenibile di apparecchiature e sistemi innovativi e la preparazione del terreno per futuri mezzi di trasporto, lavorando su nuovi concetti, tecnologie e progetti, su sistemi di controllo intelligenti e norme interoperabili, su processi di produzione efficienti, servizi innovativi e procedure di certificazione, tempi di sviluppo minori e costi di ciclo di vita ridotti, senza compromettere la sicurezza operativa.

(d) Ricerca socioeconomica e comportamentale e attività orientate al futuro per l'elaborazione delle strategie politiche

L'obiettivo è sostenere un processo decisionale migliorato necessario per promuovere l'innovazione e far fronte alle sfide poste dai trasporti e alle esigenze sociali a essi connesse.Il centro dell'attività è migliorare la comprensione delle incidenze, delle tendenze e delle prospettive socioeconomiche connesse ai trasporti, compresa l'evoluzione futura della domanda, e fornire ai responsabili politici informazioni e analisi basate su dati concreti. Si dedicherà inoltre attenzione alla diffusione dei risultati derivanti da tali attività.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:47:00";"664357" +"H2020-EU.3.4.";"pl";"H2020-EU.3.4.";"";"";"WYZWANIA SPOŁECZNE - Inteligentny, zielony i zintegrowany transport";"Transport";"

WYZWANIA SPOŁECZNE - Inteligentny, zielony i zintegrowany transport

Cel szczegółowy

Celem szczegółowym jest stworzenie europejskiego systemu transportowego, który będzie zasobooszczędny, przyjazny dla środowiska i klimatu, bezpieczny i spójny, z korzyścią dla wszystkich obywateli, gospodarki i społeczeństwa.Europa musi pogodzić rosnące potrzeby związane z mobilnością jej obywateli i towarów oraz zmieniające się wymogi, które są kształtowane pod wpływem nowych wyzwań demograficznych i społecznych, z imperatywami dotyczącymi wyników gospodarczych oraz wymogami energooszczędnego, niskoemisyjnego społeczeństwa i gospodarki odpornej na zmianę klimatu. W sektorze transportowym, pomimo jego ekspansji, należy znacznie ograniczyć emisje gazów cieplarnianych i inne niekorzystne rodzaje oddziaływania na środowisko, a także wyeliminować uzależnienie od ropy naftowej i innych paliw kopalnych, a jednocześnie należy zachować wysoki poziom wydajności i mobilności oraz promować spójność terytorialną.Mobilność zgodną z zasadami zrównoważonego rozwoju można osiągnąć tylko poprzez radykalną zmianę systemu transportowego, w tym transportu publicznego, inspirowaną przełomami w badaniach naukowych prowadzonych w dziedzinie transportu, poprzez daleko idące innowacje oraz spójne, ogólnoeuropejskie wdrażanie bardziej zielonych bezpieczniejszych, bardziej niezawodnych i inteligentniejszych rozwiązań transportowych.Badania naukowe i innowacje muszą zaowocować ukierunkowanymi i szybkimi postępami dotyczącymi wszystkich rodzajów transportu, które pomogą w osiągnięciu kluczowych celów strategicznych Unii, a jednocześnie będą zwiększać konkurencyjność gospodarczą, wspierać przejście na gospodarkę odporną na wyzwania klimatu, energooszczędną i niskoemisyjną oraz umożliwią utrzymanie wiodącej pozycji na rynku globalnym, zarówno w przypadku sektora usług, jak i przemysłu wytwórczego.Niezbędne inwestycje w badania naukowe, innowacje i wdrożenie będą znaczne, jednak brak poprawy w zakresie zrównoważonego charakteru całego systemu transportu i mobilności oraz utrata wiodącej pozycji technologii europejskich w transporcie przyniesie w dłuższej perspektywie niemożliwe do przyjęcia wysokie koszty społeczne, ekologiczne i gospodarcze i będzie miało szkodliwe skutki, jeżeli chodzi o miejsca pracy w Europie i długoterminowy wzrost gospodarczy.

Uzasadnienie i unijna wartość dodana

Transport jest jednym z ważniejszych czynników stymulujących konkurencyjność i wzrost gospodarczy Europy. Zapewnia on mobilność osób i towarów mającą kluczowe znaczenie dla zintegrowanego jednolitego rynku europejskiego, spójności terytorialnej oraz otwartego i integracyjnego społeczeństwa. Należy do największych atutów Europy pod względem potencjału przemysłowego i jakości usług i odgrywa wiodącą rolę na wielu światowych rynkach. Przemysł transportowy i produkcja sprzętu transportowego wspólnie odpowiadają za 6,3% PKB Unii. Całkowity wkład transportu w gospodarkę Unii jest jeszcze większy, jeżeli weźmie się pod uwagę handel, usługi i mobilność pracowników. Jednocześnie europejski przemysł transportowy stoi w obliczu coraz bardziej zaciekłej konkurencji z innych stron świata. Zapewnienie Europie konkurencyjnej przewagi w przyszłości i minimalizacja niedociągnięć naszego obecnego systemu transportowego będą wymagać przełomowych technologii.Sektor transportowy ma duży udział w emisjach gazów cieplarnianych –pochodzi z niego do jednej czwartej wszystkich emisji. Przyczynia się on również w znacznym stopniu do innych problemów związanych z zanieczyszczeniem powietrza. W dalszym ciągu transport jest w 96% zależny od paliw kopalnych. Konieczne jest zmniejszenie tego oddziaływania na środowisko poprzez ukierunkowane usprawnienia technologiczne, przy założeniu że każdy rodzaj transportu napotyka na różne problemy i właściwe dla niego są różne cykle integracji technologii. Coraz poważniejszym problemem staje się ponadto zagęszczenie ruchu; systemy nie są jeszcze wystarczająco inteligentne; alternatywne opcje przejścia na bardziej zrównoważone rodzaje transportu nie zawsze są atrakcyjne; liczba śmiertelnych ofiar wypadków drogowych w Unii utrzymuje się na drastycznie wysokim poziomie 34 tys. rocznie; obywatelom i przedsiębiorstwom zależy na dostępnym dla wszystkich, bezpiecznym i niezawodnym systemie transportowym. Środowisko miejskie stawia szczególne wyzwania i oferuje możliwości, jeśli chodzi o zrównoważony charakter transportu i lepszą jakość życia.Przy oczekiwanym tempie rozwoju transportu w ciągu kilku dziesięcioleci ruch na drogach europejskich ulegnie zablokowaniu, a jego koszty gospodarcze i wpływ społeczny staną się nie do przyjęcia, co będzie miało niekorzystne skutki gospodarczo-społeczne. Jeśli dotychczasowe tendencje utrzymają się w przyszłości, przewiduje się, że w ciągu następnych 40 lat liczba pasażerokilometrów podwoi się, a w przypadku podróży lotniczych będzie rosnąć dwukrotnie szybciej. Do 2050 r. wielkość emisji CO2 wzrośnie o 35%. Koszty związane z zagęszczeniem ruchu wzrosną o ok. 50%, osiągając poziom niemal 200 mld EUR rocznie. W porównaniu z 2005 r. koszty zewnętrzne wypadków wzrosną o ok. 60 mld EUR.Nie można zatem utrzymywać stanu obecnego. Badania naukowe i innowacje, zorientowane na cele strategiczne i skupione na kluczowych wyzwaniach, mają wnieść znaczny wkład w osiągnięcie określonych przez Unię docelowych poziomów ograniczenia globalnego wzrostu temperatur do 2°C, obniżenia o 60% emisji CO2 z transportu, radykalną redukcję zagęszczenia ruchu i kosztów związanych z wypadkami oraz praktyczną eliminację śmiertelnych ofiar wypadków na drogach do 2050 r.Problemy związane z zanieczyszczeniem, zagęszczeniem ruchu, bezpieczeństwem i ochroną są wspólne dla całej Unii i wymagają ogólnoeuropejskiego rozwiązania przewidującego współpracę. Przyspieszenie rozwoju i stosowania nowych technologii i innowacyjnych rozwiązań w odniesieniu do pojazdów, infrastruktury i zarządzania transportem będzie istotne dla uzyskania bardziej ekologicznego, bezpieczniejszego, dostępnego i bardziej wydajnego intermodalnego i multimodalnego systemu transportowego w Unii; dla uzyskania rezultatów koniecznych, by złagodzić skutki zmiany klimatu i poprawić zasobooszczędność oraz dla zachowania wiodącej pozycji Europy na rynkach światowych produktów i usług związanych z transportem. Celów tych nie można osiągnąć jedynie poprzez rozdrobnione działania krajowe.Finansowanie na poziomie Unii badań naukowych i innowacji w zakresie transportu będzie stanowić uzupełnienie działań podejmowanych przez państwa członkowskie, gdyż skupi się na działaniach o wyraźnej europejskiej wartości dodanej. To oznacza, że nacisk zostanie położony na obszary priorytetowe odpowiadające europejskim celom strategicznym; w przypadku których niezbędna jest masa krytyczna wysiłków; w przypadku których ogólnoeuropejskie, interoperacyjne lub multimodalne zintegrowane rozwiązania transportowe mogą pomóc wyeliminować trudności w systemie transportowym; lub w przypadku których połączenie wysiłków w skali transnarodowej i lepsze wykorzystanie oraz skuteczne upowszechnianie istniejących danych pochodzących z badań naukowych może ograniczyć ryzyko związane z inwestowaniem w badania, dać początek zastosowaniu wspólnych norm i skrócić czas wprowadzenia wyników badań na rynek.Działania w zakresie badań naukowych i innowacji mają wspierać szeroki zakres inicjatyw, w tym odpowiednich partnerstw publiczno-prywatnych, obejmujących cały łańcuch innowacji i stosujących zintegrowane podejście do innowacyjnych rozwiązań transportowych. Niektóre działania mają na celu w szczególności wprowadzenie wyników badań na rynek; temu celowi służą: podejście programowe do projektów w zakresie badań naukowych, innowacji i demonstracji, działania wspomagające absorpcję wyników przez rynek oraz wsparcie normalizacji, regulacji i innowacyjnych strategii zamówień publicznych. Ponadto zaangażowanie zainteresowanych stron i ich wiedza specjalistyczna pomogą wyeliminować dystans między wynikami badań a ich zastosowaniem w sektorze transportowym.Inwestycje w badania naukowe i innowacje dokonywane z myślą o bardziej zielonym, inteligentniejszym i w pełni zintegrowanym niezawodnym systemie transportowym przyczynią się wybitnie do osiągnięcia celów strategii „Europa 2020” oraz celów jej inicjatywy przewodniej „Unia innowacji”. Takie działania ułatwią wdrożenie założeń białej księgi „Plan utworzenia jednolitego europejskiego obszaru transportu – dążenie do osiągnięcia konkurencyjnego i zasobooszczędnego systemu transportu”, mającej na celu utworzenie jednolitego europejskiego obszaru transportu. Przyczynią się także do osiągnięcia celów strategicznych określonych w inicjatywach przewodnich „Europa efektywnie korzystająca z zasobów”, „Polityka przemysłowa w erze globalizacji” i „Europejska agenda cyfrowa”. Będą się one także zazębiać z odpowiednimi inicjatywami w zakresie wspólnego programowania.

Ogólne kierunki działań

Działania będą organizowane w taki sposób, by w stosownych przypadkach uwzględnione zostało podejście zintegrowane i specyficzne dla danego rodzaju transportu. Niezbędne będzie zapewnienie widoczności i ciągłości w perspektywie wieloletniej, tak by uwzględnić specyfikę poszczególnych rodzajów transportu i całościowy charakter wyzwań, a także odpowiednie strategiczne programy badań naukowych i innowacji europejskich platform technologicznych w dziedzinie transportu.

(a) Zasobooszczędny transport, który szanuje środowisko

Celem jest minimalizacja oddziaływania systemów transportu na klimat i środowisko (w tym hałasu i zanieczyszczenia powietrza) poprzez poprawienie ich jakości i wydajności pod względem wykorzystania zasobów naturalnych i paliw oraz poprzez zmniejszenie emisji gazów cieplarnianych i ograniczenie jego zależności od paliw kopalnych.Działania mają skoncentrować się na ograniczeniu zużycia zasobów, w szczególności paliw kopalnych, zmniejszeniu emisji gazów cieplarnianych i poziomów hałasu a także na poprawie efektywności transportu i pojazdów; przyspieszeniu rozwoju oraz opracowaniu, wyprodukowaniu i wprowadzeniu na rynek ekologicznych (elektrycznych, wodorowych i innych niskoemisyjnych lub bezemisyjnych) pojazdów nowej generacji, m.in. dzięki przełomowym osiągnięciom i optymalizacji w zakresie silników, magazynowania energii i infrastruktury; na badaniu i wykorzystaniu potencjału paliw alternatywnych i zrównoważonych oraz innowacyjnych i sprawniejszych systemów napędu i systemów operacyjnych, w tym infrastruktury paliwowej i ładowania; na optymalizacji planowania i wykorzystania infrastruktury przy użyciu inteligentnych systemów transportowych, logistyki i inteligentnego wyposażenia, a także na intensywniejszym zastosowaniu zarządzania popytem i korzystaniu z transportu publicznego i bezsilnikowego oraz łańcuchów intermodalnej mobilności, w szczególności w obszarach miejskich. Wspierać się będzie innowacje służące zapewnieniu niskich lub zerowych emisji we wszystkich rodzajach transportu.

(b) Usprawniona mobilność, mniejsze zagęszczenie ruchu, większe bezpieczeństwo i ochrona

Celem jest pogodzenie rosnących potrzeb w zakresie mobilności z poprawą płynności transportu poprzez innowacyjne rozwiązania w zakresie spójnych, intermodalnych, sprzyjających integracji, dostępnych, przystępnych cenowo, bezpiecznych, zdrowych i solidnych systemów transportowych.Działania mają skupiać się na ograniczeniu zagęszczenia ruchu, poprawie dostępności i interoperacyjności oraz wyjściu naprzeciw wyborom pasażerów i potrzebom użytkowników poprzez opracowanie i promowanie zintegrowanego transportu „od drzwi do drzwi”, zarządzania mobilnością i logistyki; na zwiększeniu intermodalności i zastosowaniu rozwiązań w zakresie inteligentnego planowania i zarządzania oraz na znacznym ograniczeniu wypadków oraz wpływu zagrożeń dla bezpieczeństwa.

(c) Wiodąca pozycja europejskiego przemysłu transportowego na świecie

Celem jest wzmocnienie konkurencyjności i poprawa wyników europejskiego przemysłu produkcji sprzętu transportowego i powiązanych usług (w tym procesów logistyki, utrzymania, naprawy, modernizacji i recyklingu) przy jednoczesnym utrzymaniu wiodącej pozycji Europy w określonych dziedzinach (jak np. aeronautyka).Działania mają skupiać się na rozwoju nowej generacji innowacyjnych środków transportu lotniczego, wodnego i lądowego, zapewnieniu zrównoważonej produkcji innowacyjnych systemów i urządzeń oraz przygotowaniu gruntu dla przyszłych środków transportu poprzez prace nad nowatorskimi technologiami, koncepcjami i projektami, nad inteligentnymi systemami kontroli i interoperacyjnymi normami, wydajnymi procesami produkcji, innowacyjnymi usługami i procedurami certyfikacji, krótszym czasem rozwoju i ograniczonymi kosztami w cyklu życia, bez uszczerbku dla bezpieczeństwa eksploatacyjnego i ochrony.

(d) Społeczno-gospodarcze i behawioralne badania naukowe oraz wybiegające w przyszłość działania związane z kształtowaniem polityki

Celem jest wsparcie usprawnionego kształtowania polityki, koniecznego dla promowania innowacji i sprostania wyzwaniom dotyczącym transportu oraz powiązanym potrzebom społecznym.Działania mają skupiać się na lepszym poznaniu społeczno-gospodarczych oddziaływań, tendencji i perspektyw związanych z transportem, w tym kształtowania się zapotrzebowania w przyszłości, oraz na zapewnieniu decydentom bazy faktograficznej i analiz. Uwzględnione zostanie także upowszechnianie wyników tych działań.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:47:00";"664357" +"H2020-EU.3.4.";"en";"H2020-EU.3.4.";"";"";"SOCIETAL CHALLENGES - Smart, Green And Integrated Transport";"Transport";"

SOCIETAL CHALLENGES - Smart, Green And Integrated Transport

Specific objective

The specific objective is to achieve a European transport system that is resource-efficient, climate- and environmentally-friendly, safe and seamless for the benefit of all citizens, the economy and society.Europe must reconcile the growing mobility needs of its citizens and goods and the changing needs shaped by new demographic and societal challenges with the imperatives of economic performance and the requirements of an energy-efficient low-carbon society and climate-resilient economy. Despite its growth, the transport sector must achieve a substantial reduction in greenhouse gases and other adverse environmental impacts, and must break its dependency on oil and other fossil fuels, while maintaining high levels of efficiency and mobility and promoting territorial cohesion.Sustainable mobility can only be achieved through a radical change in the transport system, including in public transport, inspired by breakthroughs in transport research, far-reaching innovation, and a coherent, Europe-wide implementation of greener, safer, more reliable and smarter transport solutions.Research and innovation must bring about focused and timely advances for all transport modes that will help achieve key Union policy objectives, while boosting economic competitiveness, supporting the transition to a climate-resilient, energy-efficient and low-carbon economy, and maintaining global market leadership both for the service industry as well as the manufacturing industry.Although the necessary investments in research, innovation and deployment will be significant, failing to improve the sustainability of the whole transport and mobility system and failing to maintain European technological leadership in transport will result in unacceptably high societal, ecological, and economic costs in the long term, and damaging consequences on European jobs and long-term economic growth.

Rationale and Union added value

Transport is a major driver of Europe's economic competitiveness and growth. It ensures the mobility of people and goods necessary for an integrated European single market, territorial cohesion and an open and inclusive society. It represents one of Europe's greatest assets in terms of industrial capability and quality of service, playing a leading role in many world markets. Transport industry and transport equipment manufacturing together represent 6,3 % of the Union GDP. The transport sector's overall contribution to the Union economy is even greater, taking into account trade, services and mobility of workers. At the same time, the European transport industry faces increasingly fierce competition from other parts of the world. Breakthrough technologies will be required to secure Europe's future competitive edge and to mitigate the drawbacks of our current transport system.The transport sector is a major contributor to greenhouse gases and generates up to a quarter of all emissions. It is also a major contributor to other air pollution problems. Transport is still 96 % dependent on fossil fuels. It is essential to reduce this environmental impact through targeted technological improvement, bearing in mind that each mode of transport faces varying challenges and is characterised by different technology integration cycles. Moreover, congestion is an increasing problem; systems are not yet sufficiently smart; alternative options for shifting towards more sustainable modes of transport are not always attractive; road fatalities remain dramatically high at 34 000 per year in the Union; citizens and businesses expect a transport system that is accessible to all, safe and secure. The urban context poses specific challenges and provides opportunities to the sustainability of transport and for a better quality of life.Within a few decades the expected growth rates of transport would drive European traffic into a gridlock and make its economic costs and societal impact unbearable, with adverse economic and societal repercussions. If trends of the past continue in the future, passenger-kilometres are predicted to double over the next 40 years and grow twice as fast for air travel. CO2 emissions would grow 35 % by 2050. Congestion costs would increase by about 50 %, to nearly EUR 200 billion annually. The external costs of accidents would increase by about EUR 60 billion compared to 2005.Business-as-usual is therefore not an option. Research and innovation, driven by policy objectives and focused on the key challenges, shall contribute substantially to achieve the Union's targets of limiting global temperature increase to 2 °C, cutting 60 % of CO2 emissions from transport, drastically reducing congestion and accident costs, and virtually eradicating road deaths by 2050.The problems of pollution, congestion, safety and security are common throughout the Union and call for collaborative Europe-wide responses. Accelerating the development and deployment of new technologies and innovative solutions for vehicles, infrastructures and transport management will be essential to achieve a cleaner, safer, more secure, accessible and more efficient intermodal and multimodal transport system in the Union; to deliver the results necessary to mitigate climate change and improve resource efficiency; and to maintain European leadership on the world markets for transport-related products and services. These objectives cannot be achieved through fragmented national efforts alone.Union level funding of transport research and innovation will complement Member States' activities by focusing on activities with a clear European added value. This means that emphasis will be placed on priority areas that match European policy objectives where a critical mass of effort is necessary, where Europe-wide, interoperable or multimodal integrated transport solutions can help remove bottlenecks in the transport system, or where pooling efforts transnationally and making better use of and effectively disseminating existing research evidence can reduce research investment risks, pioneer common standards and shorten time to market of research results.Research and innovation activities shall include a wide range of initiatives, including relevant public-private partnerships, that cover the full innovation chain and follow an integrated approach to innovative transport solutions. Several activities are specifically intended to help bring results to the market: a programmatic approach to research and innovation, demonstration projects, market take-up actions and support for standardisation, regulation and innovative procurement strategies all serve this goal. In addition, using stakeholders' engagement and expertise will help bridge the gap between research results and their deployment in the transport sector.Investing in research and innovation for a greener, smarter and fully integrated reliable transport system will make an important contribution to the objectives of the Europe 2020 strategy and of its flagship initiative 'Innovation Union'. The activities will support the implementation of the White Paper ""Roadmap to a Single European Transport Area - Towards a competitive and resource efficient transport system"". They will also contribute to the policy goals outlined in the flagship initiatives 'Resource-efficient Europe', 'An Industrial Policy for the Globalisation Era' and 'Digital Agenda for Europe'. They will also interface with the relevant Joint Programming Initiatives.

Broad lines of the activities

The activities will be organised in such a way as to allow for an integrated and mode-specific approach as appropriate. Multiannual visibility and continuity will be necessary in order to take into account the specificities of each transport mode and the holistic nature of challenges, as well as the relevant Strategic Research and Innovation Agendas of the transport-related European Technology Platforms.

(a) Resource-efficient transport that respects the environment

The aim is to minimise transport systems' impact on climate and the environment (including noise and air pollution) by improving their quality and efficiency in the use of natural resources and fuel, and by reducing greenhouse gas emissions and dependence on fossil fuels.The focus of activities shall be to reduce resource consumption, particularly fossil fuels, greenhouse gas emissions and noise levels, as well as to improve transport and vehicle efficiency; to accelerate the development, manufacturing and deployment of a new generation of clean (electric, hydrogen and other low or zero emission) vehicles, including through breakthroughs and optimisation in engines, energy storage and infrastructure; to explore and exploit the potential of alternative and sustainable fuels and innovative and more efficient propulsion and operating systems, including fuel infrastructure and charging; to optimise the planning and use of infrastructures, by means of intelligent transport systems, logistics, and smart equipment; and to increase the use of demand management and public and non-motorised transport, and of intermodal mobility chains, particularly in urban areas. Innovation aimed at achieving low or zero emissions in all modes of transport will be encouraged.

(b) Better mobility, less congestion, more safety and security

The aim is to reconcile the growing mobility needs with improved transport fluidity, through innovative solutions for seamless, intermodal, inclusive, accessible, affordable, safe, secure, healthy, and robust transport systems.The focus of activities shall be to reduce congestion, improve accessibility, interoperability and passenger choices, and to match user needs by developing and promoting integrated door-to-door transport, mobility management and logistics; to enhance intermodality and the deployment of smart planning and management solutions; and to drastically reduce the occurrence of accidents and the impact of security threats.

(c) Global leadership for the European transport industry

The aim is to reinforce the competitiveness and performance of European transport manufacturing industries and related services (including logistic processes, maintenance, repair, retrofitting and recycling) while retaining areas of European leadership (e.g. aeronautics).The focus of activities shall be to develop the next generation of innovative air, waterborne and land transport means, ensure sustainable manufacturing of innovative systems and equipment and to prepare the ground for future transport means, by working on novel technologies, concepts and designs, smart control systems and interoperable standards, efficient production processes, innovative services and certification procedures, shorter development times and reduced lifecycle costs without compromising operational safety and security.

(d) Socio-economic and behavioural research and forward-looking activities for policy making

The aim is to support improved policy making which is necessary to promote innovation and meet the challenges raised by transport and the societal needs related to it.The focus of activities shall be to improve the understanding of transport-related socio-economic impacts, trends and prospects, including the evolution of future demand, and provide policy makers with evidence-based data and analyses. Attention will also be paid to the dissemination of results emerging from these activities.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:47:00";"664357" +"H2020-EU.3.4.";"de";"H2020-EU.3.4.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Intelligenter, umweltfreundlicher und integrierter Verkehr";"Transport";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Intelligenter, umweltfreundlicher und integrierter Verkehr

Einzelziel

Einzelziel ist ein ressourcenschonendes, klima- und umweltfreundliches, sicheres und nahtloses europäisches Verkehrssystem zum Nutzen aller Bürger, der Wirtschaft und der Gesellschaft.Europa muss den zunehmenden Mobilitätsbedarf der Bürger und den steigenden Transportbedarf für Waren und den sich aufgrund neuer demografischer und gesellschaftlicher Herausforderungen ändernden Bedarf mit den Anforderungen an die wirtschaftliche Leistungsfähigkeit, an eine Gesellschaft mit niedrigen CO2-Emissionen und an eine energieeffiziente Wirtschaft, die gegen den Klimawandel gewappnet ist, in Einklang bringen. Trotz seines Wachstums muss der Verkehrssektor seine Treibhausgasemissionen und anderen umweltschädlichen Folgen deutlich reduzieren, seine Abhängigkeit von Öl und anderen fossilen Brennstoffen durchbrechen und dabei ein hohes Maß an Effizienz und Mobilität aufrechterhalten sowie den territorialen Zusammenhalt fördern.Eine nachhaltige Mobilität lässt sich nur durch tiefgreifende Veränderungen im Verkehrssystem (auch im öffentlichen Verkehr) erreichen, für die Durchbrüche in der Verkehrsforschung, weitreichende Innovationen und eine kohärente europaweite Verwirklichung umweltfreundlicherer, sicherer, zuverlässigerer und intelligenterer Verkehrslösungen den Anstoß geben.Forschung und Innovation müssen gezielte und zeitnahe Fortschritte für alle Verkehrsträger bewirken, die die wichtigsten Ziele der Unionspolitik unterstützen und dabei die Wettbewerbsfähigkeit der Wirtschaft stärken, den Übergang zu einer energieeffizienten Wirtschaft mit niedrigem CO2-Ausstoß, die gegen den Klimawandel gewappnet ist, fördern und die globale Marktführerschaft sowohl des Dienstleistungssektors als auch der Fertigungsindustrie aufrechterhalten.Es sind zwar beträchtliche Investitionen für Forschung, Innovation und Realisierung notwendig, aber wenn die Nachhaltigkeit des Verkehrs- und Mobilitätssystems als Ganzes nicht verbessert und die europäische Marktführerschaft bei Verkehrstechnologien nicht aufrechterhalten wird, entstehen langfristig unannehmbar hohe gesellschaftliche, ökologische und wirtschaftliche Kosten mit negativen Folgen für die Beschäftigung und das langfristige Wirtschaftswachstum in Europa.

Begründung und Mehrwert für die Union

Der Verkehr ist ein wichtiger Faktor für Wettbewerbsfähigkeit und Wirtschaftswachstum in Europa. Er gewährleistet die für einen integrierten europäischen Binnenmarkt, den territorialen Zusammenhalt und eine offene und integrative Gesellschaft notwendige Mobilität von Menschen und Gütern. Er ist hinsichtlich der Industriekapazität und der Dienstleistungsqualität einer der wichtigsten Aktivposten Europas und spielt eine führende Rolle auf vielen Weltmärkten. Auf die Verkehrsindustrie und die Herstellung von Verkehrsausrüstung entfallen zusammengenommen 6,3 % des BIP der Union. Der Gesamtbeitrag des Verkehrssektors zur Unionswirtschaft ist sogar noch größer, wenn man Handel, Dienstleistungen und die Mobilität der Arbeitnehmer berücksichtigt. Gleichzeitig sieht sich die europäische Verkehrsindustrie einem verschärften Wettbewerb aus anderen Teilen der Welt ausgesetzt. Damit Europa auch in Zukunft seinen Wettbewerbsvorsprung halten kann und um Schwachstellen unseres derzeitigen Verkehrssystems zu beseitigen, sind technologische Durchbrüche notwendig.Der Verkehrssektor ist einer der Hauptverursacher der Treibhausgasemissionen, er generiert bis zu einem Viertel aller Emissionen. Er ist auch ein Hauptverursacher anderer Luftverschmutzungsprobleme. Der Verkehr hängt nach wie vor zu 96 % von fossilen Kraftstoffen ab. Es gilt, seine Auswirkungen auf die Umwelt durch gezielte technische Verbesserungen zu reduzieren, wobei zu bedenken ist, dass bei jedem Verkehrsmittel andere Probleme auftreten und jedes Verkehrsmittel andere Technologie-Integrationszyklen aufweist. Überdies stellt das hohe Verkehrsaufkommen ein wachsendes Problem dar – es mangelt an ausreichend intelligenten Systemen und an attraktiven Alternativen für einen Wechsel zu nachhaltigeren Verkehrsträgern; die Zahl der tödlichen Verkehrsunfälle ist mit 34 000 pro Jahr in der Union nach wie vor auf einem dramatisch hohen Niveau, und Bürger und Unternehmen erwarten ein allgemein zugängliches, sicheres und zuverlässiges Verkehrssystem. Die Situation in den Städten ist eine besondere Herausforderung für die Nachhaltigkeit des Verkehrs und für eine bessere Lebensqualität, bietet gleichzeitig aber auch Chancen.Schätzungen gehen davon aus, dass innerhalb weniger Jahrzehnte die Zunahme des Verkehrs in Europa zu einem Kollaps führen wird, dessen wirtschaftliche und gesellschaftliche Kosten untragbar sein und mit negativen Auswirkungen für Wirtschaft und Gesellschaft einhergehen werden. Wenn sich die Tendenzen der Vergangenheit in der Zukunft fortsetzen, dürften sich die Personenkilometer in den nächsten 40 Jahren verdoppeln, wobei sie im Luftverkehr doppelt so schnell zunehmen. Bis 2050 werden die CO2-Emissionen um 35 % steigen. Die Kosten der Verkehrsüberlastung steigen um etwa 50 % auf nahezu 200 Mrd. EUR jährlich. Bei den externen Kosten für Unfälle wird mit einem Anstieg um etwa 60 Mrd. EUR im Vergleich zum Jahr 2005 gerechnet.Ein ""weiter so wie bisher"" ist daher keine Option. Forschung und Innovation, die sich an den politischen Zielen orientieren und sich auf die großen Herausforderungen konzentrieren, werden einen erheblichen Beitrag dazu leisten, bis 2050 die Unionsziele zu erreichen, d. h. die globale Erwärmung auf 2° C zu begrenzen, die verkehrsbedingten CO2-Emissionen um 60 % zu reduzieren, die Verkehrsüberlastung und die Unfallkosten deutlich zu senken und tödliche Unfälle quasi vollständig zu vermeiden.Da die Probleme der Umweltverschmutzung, des hohen Verkehrsaufkommens und der Sicherheit in der gesamten Union auftreten, bedarf es einer europaweiten Kooperation, um hierauf Antworten zu geben. Ein umweltfreundlicheres, sichereres, zugänglicheres und effizienteres intermodales und multimodales Verkehrssystem in der Union, Klimaschutz, eine Verbesserung der Ressourceneffizienz und die Festigung der Führungsposition Europas auf den Weltmärkten für verkehrsrelevante Produkte und Dienstleistungen lassen sich nur erreichen, wenn Entwicklung und Einführung neuer Technologien und innovativer Lösungen für Fahrzeuge, Infrastrukturen und Verkehrsmanagement beschleunigt werden. Diese Ziele lassen sich durch fragmentierte nationale Anstrengungen allein nicht verwirklichen.Die Unionsförderung für Verkehrsforschung und -innovation wird die Maßnahmen der Mitgliedstaaten ergänzen und sich auf Maßnahmen mit einem klaren europäischen Mehrwert konzentrieren. Daher liegt das Augenmerk auf Schwerpunktbereichen, die den europäischen politischen Zielen entsprechen, für die eine kritische Masse von Anstrengungen notwendig ist, bei denen es um europaweite, interoperable oder multimodale integrierte verkehrstechnische Lösungen geht, die zur Beseitigung von Engpässen im Verkehrssystem beitragen können, oder bei denen die transnationale Bündelung der Bemühungen und eine bessere Nutzung und wirksame Verbreitung vorhandener Forschungsergebnisse dazu beitragen kann, die Risiken von Investitionen in die Forschung zu verringern, gemeinsame Normen voranzubringen und die Vermarktung der Forschungsergebnisse zu beschleunigen.Forschungs- und Innovationstätigkeiten beinhalten eine große Bandbreite von Initiativen, einschließlich einschlägiger öffentlich-privater Partnerschaften, die sich auf die gesamte Innovationskette erstrecken und einen integrierten Ansatz für innovative Verkehrslösungen verfolgen. Speziell für die Vermarktung der Ergebnisse sind mehrere Tätigkeiten vorgesehen: Ein programmatisches Konzept für Forschung und Innovation, Demonstrationsprojekte, Maßnahmen zur Markteinführung sowie Unterstützung von Strategien für Normung, Regulierung und innovative Auftragsvergabe werden diesem Ziel dienen. Auch werden Engagement und Sachverstand der interessierten Kreise dazu beitragen, die Lücke zwischen den Forschungsergebnissen und deren Einsatz im Verkehrssektor zu schließen.Investitionen in Forschung und Innovation im Hinblick auf ein umweltfreundlicheres, intelligenteres und vollständig integriertes zuverlässiges Verkehrssystem werden einen wichtigen Beitrag zu den Zielen der Strategie Europa 2020 und seiner Leitinitiative ""Innovationsunion"" leisten. Die Tätigkeiten unterstützen die Umsetzung des Weißbuchs ""Fahrplan zu einem einheitlichen europäischen Verkehrsraum – Hin zu einem wettbewerbsorientierten und ressourcenschonenden Verkehrssystem"", mit dem ein einheitlicher europäischer Verkehrsraum angestrebt wird. Ferner werden sie zu den politischen Zielen der Leitinitiativen ""Ressourcenschonendes Europa"", ""Eine Industriepolitik für das Zeitalter der Globalisierung"" und ""Eine digitale Agenda für Europa"" beitragen. Sie werden zudem mit den Initiativen für die gemeinsame Planung verzahnt.

Einzelziele und Tätigkeiten in Grundzügen

Die Tätigkeiten werden so organisiert, dass gegebenenfalls ein integriertes und verkehrsträgerspezifisches Konzept verfolgt werden kann. Es gilt, mehrere Jahre lang Außenwirkung und Kontinuität zu gewährleisten, so dass die Besonderheiten jedes einzelnen Verkehrsträgers und die ganzheitliche Natur der Probleme sowie die einschlägigen strategischen Forschungs- und Innovationsagenden der transportbezogenen europäischen Technologieplattformen berücksichtigt werden können.

(a) Ressourcenschonender umweltfreundlicher Verkehr

Ziel ist die Verringerung der Auswirkungen der Verkehrssysteme auf Klima und Umwelt (einschließlich Lärm und Luftverschmutzung) durch Qualitäts- und Effizienzsteigerungen bei der Nutzung natürlicher Ressourcen und Kraftstoffe und durch die Verringerung der Treibhausgasemissionen und der Abhängigkeit von fossilen Kraftstoffen.Schwerpunkt der Tätigkeiten sind die Verringerung des Ressourcenverbrauchs (insbesondere des Verbrauchs fossiler Kraftstoffe), der Treibhausgasemissionen und des Geräuschpegels sowie die Verbesserung der Verkehrs- und Fahrzeugeffizienz, die Beschleunigung von Entwicklung, Herstellung und Einsatz einer neuen Generation von sauberen (elektrischen, wasserstoffbetriebenen oder sonstigen emissionsarmen oder -freien) Fahrzeugen sowie Durchbrüche und Optimierungsbemühungen bei Motoren, Energiespeicherung und Infrastruktur, die Erforschung und Nutzung des Potenzials alternativer und nachhaltiger Kraftstoffe sowie innovativer und effizienterer Antriebs- und Betriebssysteme, einschließlich der Infrastruktur für Kraftstoffabgabe und Aufladung, die optimierte Planung und Nutzung der Infrastrukturen mit Hilfe intelligenter Verkehrssysteme, Logistik und Ausrüstungen sowie – insbesondere in Stadtgebieten – die verstärkte Nutzung von Nachfragemanagement sowie öffentlichem und nichtmotorisiertem Verkehr und intermodalen Mobilitätsketten Innovationen, die auf eine Reduzierung von Emissionen oder vollständige Emissionsfreiheit abzielen, werden in sämtlichen Verkehrsbereichen gefördert.

(b) Größere Mobilität, geringeres Verkehrsaufkommen, größere Sicherheit

Ziel ist es, den wachsenden Mobilitätsbedarf mit einem besseren Verkehrsfluss in Einklang zu bringen und hierfür innovative Lösungen für nahtlose, intermodale, integrative, zugängliche, erschwingliche, sichere, gesunde und belastbare Verkehrssysteme zu erforschen.Schwerpunkte der Tätigkeiten sind eine Verringerung des Verkehrsaufkommens, ein besserer Zugang, eine bessere Interoperabilität und mehr Auswahlmöglichkeiten für die Fahrgäste, die Befriedigung der Bedürfnisse der Nutzer durch Entwicklung und Unterstützung von integrierter Beförderung, Mobilitätsmanagement und Logistik von Haus zu Haus, die Verbesserung der Intermodalität und der Einsatz intelligenter Planungs- und Managementlösungen, um die Zahl der Unfälle und die Folgen von Sicherheitsbedrohungen drastisch zu reduzieren.

(c) Weltweit führende Rolle der europäischen Verkehrsindustrie

Ziel ist die Stärkung der Wettbewerbs- und Leistungsfähigkeit der europäischen Hersteller im Verkehrssektor und zugehöriger Dienstleistungen (einschließlich Logistikprozessen, Wartung, Reparatur, Nachrüstung und Recycling) bei Aufrechterhaltung der Führungsposition Europas in bestimmten Bereichen (z. B. Luftfahrtsektor).Schwerpunkt der Tätigkeiten ist die Entwicklung der nächsten Generation innovativer Verkehrsmittel für Luft-, Wasser- und Landverkehr, die nachhaltige Fertigung innovativer Systeme und Ausrüstungen und die Grundlagenarbeit für Verkehrsträger der Zukunft durch neuartige Technologien, Konzepte und Bauformen, intelligente Kontrollsysteme und interoperable Normen, effiziente Produktionsprozesse, innovative Dienstleistungen und Zertifizierungsverfahren, kürzere Entwicklungszeiten und geringere Lebenszykluskosten, ohne dass bei der Betriebssicherheit Abstriche gemacht werden.

(d) Sozioökonomische Forschung, Verhaltensforschung und vorausschauende Tätigkeiten für die politische Entscheidungsfindung

Ziel ist die Erleichterung der politischen Entscheidungsfindung als notwendige Voraussetzung für die Förderung von Innovation und die Bewältigung der durch den Verkehr bedingten Herausforderungen und der entsprechenden gesellschaftlichen Anforderungen.Schwerpunkt der Tätigkeiten ist ein besseres Verständnis der verkehrsbezogenen sozioökonomischen Auswirkungen, Trends und Prognosen – auch der Entwicklung der künftigen Nachfrage – sowie die Versorgung der politischen Entscheidungsträger mit evidenzbasierten Daten und Analysen. Es wird ebenfalls ein Augenmerk auf die Verbreitung der Ergebnisse aus diesen Tätigkeiten gelegt werden.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:47:00";"664357" +"H2020-EU.3.4.";"es";"H2020-EU.3.4.";"";"";"RETOS DE LA SOCIEDAD - Transporte inteligente, ecológico e integrado";"Transport";"

RETOS DE LA SOCIEDAD - Transporte inteligente, ecológico e integrado

Objetivo específico

El objetivo específico es lograr un sistema europeo de transporte que utilice eficientemente los recursos, sea respetuoso con el medio ambiente y el cambio climático, sea seguro y no presente discontinuidades, en beneficio de todos los ciudadanos, la economía y la sociedad.Europa debe reconciliar las crecientes necesidades de movilidad de sus ciudadanos y de sus bienes y las cambiantes necesidades provocadas por los nuevos retos demográficos y de la sociedad con los imperativos del rendimiento económico y los requisitos de una sociedad hipocarbónica y eficiente en materia de energía y una economía resistente al cambio climático. Pese a su crecimiento, el sector del transporte debe conseguir una sustancial reducción de los gases de efecto invernadero y otros impactos negativos sobre el medio ambiente, y romper su dependencia del petróleo y de otros combustibles fósiles, al tiempo que mantiene un elevado nivel de eficiencia y movilidad y promueve la cohesión territorial.La movilidad sostenible solo puede lograrse mediante un cambio radical en el sistema de transportes, incluido el transporte público, inspirado por avances decisivos en la investigación sobre transporte, la innovación de largo alcance y una aplicación coherente en toda Europa de soluciones de transporte más ecológicas, seguras e inteligentes.La investigación y la innovación deben aportar avances focalizados y oportunos para todas las modalidades de transporte que ayuden a alcanzar los objetivos clave de las políticas de la Unión, al tiempo que refuerzan la competitividad económica, respaldan la transición a una economía resistente al clima, energéticamente eficiente y de baja emisión de carbono y preservan el liderazgo en el mercado mundial, tanto de la industria de servicios como de la industria manufacturera.Aunque las inversiones necesarias en investigación, innovación y despliegue serán considerables, no mejorar la sostenibilidad y movilidad del sistema de transportes en su totalidad ni mantener el liderazgo tecnológico europeo en el ámbito del transporte generará unos costes sociales, ecológicos y económicos inaceptablemente elevados a largo plazo y consecuencias perjudiciales en el empleo y el crecimiento a largo plazo en Europa.

Justificación y valor añadido de la Unión

El transporte constituye un motor esencial de la competitividad y el crecimiento económico de Europa. Garantiza la movilidad de las personas y los bienes necesarios para un mercado único europeo integrado, la cohesión territorial y una sociedad inclusiva y abierta. Representa uno de los principales activos de Europa en términos de capacidad industrial y calidad de servicio, y desempeña un papel destacado en muchos mercados mundiales. La industria del transporte y la fabricación de equipos de transporte representan conjuntamente el 6,3 % del PIB de la Unión. La contribución global del sector del transporte a la economía de la Unión aún es mayor si se tiene en cuenta el comercio, los servicios y la movilidad de los trabajadores. Al mismo tiempo, la industria europea del transporte se enfrenta a una competencia cada vez más intensa procedente de otras partes del mundo. Resultarán necesarias unas tecnologías revolucionarias para garantizar en el futuro la ventaja competitiva de Europa y paliar los inconvenientes de nuestro actual sistema de transporte.El sector del transporte es uno de los principales responsables de las emisiones de gases de efecto invernadero, generando hasta una cuarta parte del total de emisiones. También constituye un contribuyente de gran magnitud a otros problemas de contaminación atmosférica. La dependencia de los combustibles fósiles del transporte aún sigue siendo del 96 %. Resulta fundamental reducir este impacto ambiental mediante mejoras tecnológicas selectivas, teniendo en cuenta que cada modo de transporte se enfrenta a retos variables y se caracteriza por unos ciclos de integración de la tecnología distintos. Por otra parte, la congestión es un problema cada vez más importante; los sistemas todavía no son suficientemente inteligentes; las alternativas para pasar a modos de transporte más sostenibles no siempre son atractivas; el número de víctimas mortales de accidentes de tráfico sigue siendo dramáticamente elevado (34 000 al año en la Unión); los ciudadanos y las empresas esperan un sistema de transportes accesible para todos, seguro y cómodo. El contexto urbano presenta retos específicos y brinda oportunidades para la sostenibilidad del transporte y para una mejor calidad de vida.Dentro de pocas décadas el crecimiento esperado del transporte conducirá a la parálisis del tráfico europeo y hará insoportables sus costes económicos y su impacto social, con repercusiones económicas y sociales desastrosas. Si las tendencias del pasado se mantienen en el futuro, se prevé que la cifra de pasajeros-kilómetro se duplique en los próximos 40 años y que crezca dos veces más rápido para el transporte aéreo. Las emisiones de CO2 aumentarán un 35 % para 2050. Los costes de la congestión aumentarían en torno al 50 %, acercándose a los 200 000 millones de euros anuales. Los costes externos de los accidentes aumentarían en alrededor de 60 000 millones de euros con respecto a 2005.En consecuencia, cruzarse de brazos no es una opción. La investigación y la innovación, impulsadas por los objetivos políticos y centrada en los principales retos, contribuirán sustancialmente a alcanzar los objetivos de la Unión de limitar el aumento de la temperatura mundial a 2 °C, recortar en un 60 % las emisiones de CO2 procedentes del transporte, reducir drásticamente la congestión y los costes de los accidentes y erradicar prácticamente los accidentes mortales de carretera de aquí a 2050.Los problemas de contaminación, congestión y seguridad son comunes a toda la Unión y exigen respuestas en colaboración a escala europea. Acelerar el desarrollo y despliegue de nuevas tecnologías y soluciones innovadoras para los vehículos, las infraestructuras y la gestión del transporte resultará fundamental para lograr un sistema de transporte más seguro, accesible, eficiente, intermodal y multimodal en la Unión; para obtener los resultados necesarios para mitigar el cambio climático y mejorar la eficiencia de los recursos; para mantener el liderazgo europeo en los mercados mundiales de productos y servicios relacionados con el transporte. Estos objetivos no pueden lograrse solamente mediante fragmentados esfuerzos nacionales.La financiación a nivel de la Unión de la investigación y la innovación sobre transporte complementará las actividades de los Estados miembros centrándose en actividades con un claro valor añadido europeo. Esto significa que se hará hincapié en las áreas prioritarias que responden a los objetivos de la política europea; cuando sea necesaria una masa crítica de esfuerzo; cuando las soluciones de transporte europeo integrado y multimodal interoperables puedan ayudar a reducir los estrangulamientos en el sistema de transporte; o cuando la agrupación de los esfuerzos a nivel transnacional y el mejor aprovechamiento y la difusión efectiva de las pruebas disponibles aportadas por la investigación pueden reducir los riesgos de la inversión en investigación, abrir camino a normas comunes y acortar los plazos de comercialización de los resultados de la investigación.Las actividades de investigación e innovación incluirán una amplia gama de iniciativas, entre las que figurarán asociaciones público-privadas, que cubran toda la cadena de la innovación y sigan un planteamiento integrado para lograr soluciones innovadoras para el transporte. Varias actividades están específicamente destinadas a facilitar la llegada al mercado de los resultados: un enfoque programático con respecto a la investigación y la innovación, proyectos de demostración, acciones de absorción por el mercado y apoyo a la normalización, la regulación y las estrategias de contratación innovadoras están al servicio de este objetivo. Además, la utilización de los conocimientos y el compromiso de las partes interesadas ayudarán a salvar la distancia entre los resultados de la investigación y su despliegue en el sector del transporte.Invertir en investigación e innovación para conseguir un sistema de transporte fiable, más ecológico e inteligente y completamente integrado y seguro constituirá una aportación importante a los objetivos de Europa 2020 de crecimiento inteligente, sostenible e integrador, así como a los objetivos de la iniciativa emblemática «Unión por la innovación». Las actividades prestarán apoyo a la aplicación del Libro Blanco titulado «Hoja de ruta hacia un espacio único europeo de transporte: por una política de transportes competitiva y sostenible». También contribuirán al logro de los objetivos políticos descritos en las iniciativas emblemáticas ""Una Europa que utilice eficazmente los recursos"", ""Una política industrial para la era de la mundialización"" y ""Una Agenda Digital para Europa"". Se vincularán asimismo con las Iniciativas de Programación Conjunta pertinentes.

Líneas generales de las actividades

Las actividades se organizarán de tal manera que permitan un planteamiento integrado y específico por modos, según proceda. Será necesario lograr una visibilidad y continuidad de carácter plurianual para tener en cuenta las especificidades de los distintos modos de transporte y la naturaleza holística de los retos, así como las Agendas de Investigación estratégica e Innovación pertinentes de las Plataformas Tecnológicas Europeas en materia de transporte.

(a) Un transporte eficiente en el uso de los recursos y que respeta el medio ambiente

El objetivo es minimizar el impacto del sistema de transportes en el clima y el medio ambiente (incluidos el ruido y la contaminación atmosférica) mejorando su calidad y eficiencia en el uso de los recursos naturales y del combustible y reduciendo las emisiones de gases con efecto invernadero y su dependencia de los combustibles fósiles.El propósito de las actividades será reducir el consumo de recursos, particularmente de combustibles fósiles, y las emisiones de gases de invernadero y los niveles de ruido, así como mejorar la eficiencia del transporte y acelerar el desarrollo, fabricación y despliegue de una nueva generación de automóviles limpios (eléctricos, de hidrógeno y otros de emisiones bajas o nulas), incluido mediante avances importantes y optimización de los motores, el almacenamiento de energía y la infraestructura; explorar y explotar el potencial de los combustibles alternativos y sostenibles y los sistemas de propulsión y operativos innovadores y más eficientes, incluida la infraestructura del combustible y de la carga; optimizar la planificación y la utilización de las infraestructuras mediante sistemas de transporte inteligentes, logística y equipos inteligentes; e incrementar el uso de la gestión de la demanda y el transporte público y no motorizado y las cadenas de movilidad intermodales, en particular en las zonas urbanas. Se deben fomentar las innovaciones destinadas a lograr emisiones bajas o nulas en todos los modos de transporte.

(b) Mejor movilidad, menor congestión, mayor seguridad

El objetivo es reconciliar las crecientes necesidades de movilidad con una mayor fluidez del transporte, a través de soluciones innovadoras para unos sistemas de transporte sin discontinuidades intermodales, inclusivos, accesibles, asequibles, seguros y sólidos.El propósito de las actividades será reducir la congestión, mejorar la accesibilidad y las posibilidades de elección de los pasajeros en materia de interoperabilidad y satisfacer las posibilidades de elección de los usuarios impulsando y promoviendo el transporte, la gestión de la movilidad y la logística puerta a puerta integrados; aumentar la intermodalidad y el despliegue de soluciones inteligentes de gestión y planificación; y reducir drásticamente el número de accidentes y el impacto de las amenazas a la seguridad.

(c) Liderazgo mundial para la industria europea del transporte

El objetivo es reforzar la competitividad y el rendimiento de las industrias europeas de fabricación para el transporte y servicios conexos (incluidos los procesos logísticos, el mantenimiento, reparación, modernización y reciclado) al tiempo que se conservar ámbitos de liderazgo europeo (como la aeronáutica).El propósito de las actividades será impulsar la próxima generación de medios de transporte aéreos, fluviales y terrestres innovadores, asegurar una fabricación sostenible de sistemas y equipos innovadores y preparar el terreno para los futuros medios de transporte, trabajando sobre nuevas tecnologías, conceptos y diseños, sistemas inteligentes de control y normas interoperables, procesos de producción eficientes, servicios y procedimientos de certificación innovadores, periodos de desarrollo más breves y costes del ciclo de vida inferiores sin poner en peligro la seguridad operativa.

(d) Investigación socioeconómica y de comportamiento y actividades de prospectiva para la formulación de políticas

El objetivo es apoyar la formulación de las políticas necesarias para promover la innovación y hacer frente a los retos que plantea el transporte y las correspondientes necesidades sociales.El propósito de las actividades será mejorar la comprensión de los impactos, tendencias y perspectivas socioeconómicas relacionadas con el transporte, incluida la evolución futura de la demanda, y facilitar a los responsables políticos datos factuales y análisis. Asimismo se prestará atención a la difusión de los resultados obtenidos merced a dichas actividades.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:47:00";"664357" +"H2020-EU.3.4.";"fr";"H2020-EU.3.4.";"";"";"DÉFIS DE SOCIÉTÉ - Transports intelligents, verts et intégrés";"Transport";"

DÉFIS DE SOCIÉTÉ - Transports intelligents, verts et intégrés

Objectif spécifique

L'objectif spécifique est de parvenir à un système de transport européen économe en ressources, respectueux du climat et de l'environnement, sûr et continu au bénéfice de l'ensemble des citoyens, de l'économie et de la société.L'Europe doit concilier les besoins croissants de mobilité de ses citoyens et de ses marchandises et les besoins en évolution qui sont façonnés par les nouveaux défis démographiques et sociétaux avec les impératifs de performance économique et les exigences d'une société à faible émission de carbone et économe en énergie ainsi que d'une économie capable de s'adapter au changement climatique. En dépit de sa croissance, le secteur des transports doit parvenir à réduire sensiblement ses émissions de gaz à effet de serre et ses autres effets néfastes sur l'environnement et doit s'affranchir de sa dépendance au pétrole et aux autres combustibles fossiles, tout en conservant des niveaux élevés d'efficacité et de mobilité et en promouvant la cohésion territoriale.Une mobilité durable passe impérativement par un changement radical du système de transport, y compris les transports en commun, s'appuyant sur les progrès de la recherche dans le domaine des transports, sur des innovations de grande portée et sur une mise en œuvre cohérente, à l'échelle de l'Europe, de solutions de transport plus écologiques, plus sûres, plus fiables et plus intelligentes.La recherche et l'innovation doivent déboucher en temps utile sur des avancées ciblées pour tous les modes de transport qui contribueront à la réalisation des principaux objectifs stratégiques de l'Union, tout en favorisant sa compétitivité économique, en soutenant le passage à une économie à faible émission de carbone, efficace dans l'utilisation des ressources et capable de s'adapter au changement climatique et en préservant la primauté de l'Union sur le marché mondial tant pour le secteur des services que pour l'industrie manufacturière.Même si les investissements nécessaires dans les activités de recherche, d'innovation et de déploiement seront considérables, l'absence d'amélioration de la viabilité du système de transport et de mobilité dans son ensemble et la non-préservation de la primauté technologique européenne dans ce secteur auront à long terme des coûts sociaux, écologiques et économiques d'une ampleur inacceptable ainsi que des conséquences préjudiciables sur l'emploi et la croissance à long terme en Europe.

Justification et valeur ajoutée de l'Union

Les transports sont l'un des principaux moteurs de la compétitivité et de la croissance économiques de l'Europe. Ils garantissent la mobilité des personnes et des biens, indispensable à un marché unique européen intégré, à la cohésion territoriale et à une société ouverte et inclusive. Ils représentent l'un des principaux atouts de l'Europe du point de vue de la capacité industrielle et de la qualité des services, en jouant un rôle de premier plan dans de nombreux marchés mondiaux. Ensemble, le secteur des transports et celui de la fabrication d'équipements de transport représentent 6,3 % du PIB de l'Union. La contribution globale du secteur des transports à l'économie de l'Union est encore plus importante, compte tenu des échanges commerciaux, des services et de la mobilité des travailleurs. Dans le même temps, le secteur européen des transports est confronté à une concurrence de plus en plus féroce de la part d'autres régions du monde. Des percées technologiques s'imposeront pour assurer la compétitivité future de l'Europe et pour atténuer les faiblesses de notre système de transport actuel.Le secteur des transports est un grand émetteur de gaz à effet de serre et génère jusqu'à un quart de toutes les émissions. Il contribue également pour une large part à d'autres problèmes de pollution de l'air. Il dépend encore à 96 % des combustibles fossiles. Il est indispensable de réduire cet impact environnemental par des améliorations technologiques ciblées, tout en gardant à l'esprit que chaque mode de transport est confronté à des défis divers et se caractérise par des cycles d'intégration de technologies différents. En outre, les embouteillages représentent un problème croissant, les systèmes ne sont pas encore suffisamment intelligents, les solutions de substitution permettant une évolution vers des modes de transport plus durables ne sont pas toujours attractives, le nombre de tués sur les routes reste à un niveau dramatiquement élevé (34 000 personnes par an au sein de l'Union), et les citoyens comme les entreprises souhaitent que le système de transport soit sûr, sécurisé et accessible à tous. Le contexte urbain présente des difficultés spécifiques et ouvre des perspectives en matière de durabilité des transports et d'amélioration de la qualité de la vie.D'ici quelques décennies, les taux de croissance attendus du secteur des transports devraient entraîner la paralysie du trafic européen et rendre insupportables ses coûts économiques et son impact sur la société, ce qui aurait des répercussions négatives sur l'économie et la société. Si les tendances passées se maintiennent à l'avenir, le nombre de voyageurs-kilomètres devrait doubler au cours des quarante prochaines années, et connaître une croissance deux fois plus forte pour ce qui est du transport aérien. Les émissions de CO2 devraient augmenter de 35 % d'ici 2050. Les coûts liés à l'encombrement du trafic devraient progresser d'environ 50 % pour approcher les 200 milliards d'EUR annuellement. Les coûts externes des accidents devraient augmenter d'environ 60 milliards d'EUR par rapport à 2005.L'inaction n'est donc pas envisageable. La recherche et l'innovation, alimentées par les objectifs stratégiques et centrées sur les principaux défis, doivent contribuer de manière substantielle à la réalisation des objectifs de l'Union, qui consistent à limiter à 2 degrés l'élévation de la température mondiale, à réduire de 60 % les émissions de CO2 du secteur des transports, à diminuer considérablement les coûts liés à l'encombrement du trafic et aux accidents et à éradiquer presque totalement la mortalité sur les routes d'ici 2050.Les problèmes de pollution, d'encombrement, de sûreté et de sécurité sont communs à l'ensemble de l'Union et appellent des réponses collaboratives d'envergure européenne. Il sera essentiel d'accélérer le développement et le déploiement de nouvelles technologies et de solutions innovantes concernant les véhicules, les infrastructures et la gestion des transports pour mettre en place un système de transport intermodal et multimodal plus propre, plus sûr, plus sécurisé, accessible et plus efficace au sein de l'Union, pour engranger les résultats qui permettront d'atténuer le changement climatique et de progresser sur le plan de l'utilisation efficace des ressources, et pour préserver la primauté de l'Europe sur les marchés mondiaux des produits et services liés aux transports. Les initiatives nationales individuelles ne suffiront pas à réaliser ces objectifs.Un financement européen de la recherche et de l'innovation relatives aux transports complétera les activités des États membres en se concentrant sur les activités présentant une réelle valeur ajoutée européenne. L'accent sera donc mis sur les secteurs prioritaires qui correspondent aux objectifs stratégiques de l'Union, lorsqu'il convient de réunir une masse critique d'initiatives, que des solutions de transport interopérables ou multimodales intégrées à l'échelle de l'Union peuvent contribuer à éliminer les goulets d'étranglement dans le système de transport, ou que la centralisation des efforts à un niveau transnational ainsi qu'une meilleure utilisation et une diffusion efficace des résultats de la recherche disponibles permettent de réduire les risques liés aux investissements dans le domaine de la recherche, de poser les bases d'un exercice de normalisation conjoint et de réduire le délai de mise sur le marché des résultats de la recherche.Les activités de recherche et d'innovation incluent toute une série d'initiatives, y compris des partenariats en la matière entre les secteurs public et privé, couvrant l'ensemble de la chaîne de l'innovation et suivant une approche intégrée vis-à-vis des solutions de transport innovantes. Plusieurs d'entre elles sont spécifiquement destinées à faciliter la mise sur le marché des résultats de la recherche: approche programmatique de la recherche et de l'innovation, projets de démonstration, actions de commercialisation et soutien aux stratégies de normalisation, de réglementation et d'achat de solutions innovantes servent tous cet objectif. La mobilisation des différentes parties prenantes concernées et de leur expertise contribuera en outre à combler le fossé qui sépare l'obtention de résultats dans le domaine de la recherche et la mise en application de ces résultats dans le secteur des transports.L'investissement dans la recherche et l'innovation en faveur d'un système de transport plus écologique, plus intelligent, pleinement intégré et totalement fiable contribuera de manière décisive aux objectifs de la stratégie Europe 2020 ainsi qu'à ceux de son initiative phare «Une Union de l'innovation». Les activités appuieront la mise en œuvre du livre blanc intitulé «Feuille de route pour un espace européen unique des transports – Vers un système de transport compétitif et économe en ressources». Elles contribueront par ailleurs à réaliser les objectifs stratégiques définis dans les initiatives phares «Une Europe efficace dans l'utilisation des ressources», «Une politique industrielle intégrée à l'ère de la mondialisation» et «Une stratégie numérique pour l'Europe». Elles s'articuleront également avec les initiatives de programmation conjointe pertinentes.

Grandes lignes des activités

Les activités seront organisées de manière à permettre une approche intégrée et propre à chaque mode, selon qu'il convient. Il sera nécessaire d'assurer une visibilité et une continuité sur plusieurs années afin de tenir compte des spécificités propres à chaque mode de transport et de la nature globale des enjeux ainsi que des programmes stratégiques de recherche et d'innovation pertinents des plateformes technologiques européennes dans le domaine des transports.

(a) Des transports économes en énergie et respectueux de l'environnement

L'objectif est de limiter au maximum l'impact des systèmes de transports sur le climat et l'environnement (y compris la pollution sonore et la pollution atmosphérique) en améliorant leur qualité et en rendant ceux-ci plus économes en ressources naturelles et en carburants ainsi qu'en réduisant leurs émissions de gaz à effet de serre et leur dépendance vis-à-vis des combustibles fossiles.Les activités visent prioritairement à réduire la consommation de ressources, en particulier les combustibles fossiles, les émissions de gaz à effet de serre et les niveaux de bruit ainsi qu'à améliorer l'efficacité énergétique des transports et des véhicules; à accélérer le développement, la fabrication et le déploiement d'une nouvelle génération de véhicules propres (électriques ou à l'hydrogène et autres véhicules à émissions faibles ou nulles), notamment grâce à des avancées et à une optimisation sur le plan des moteurs, du stockage d'énergie et des infrastructures; à étudier et à exploiter le potentiel des carburants durables et de substitution et des systèmes de propulsion et d'exploitation innovants et plus efficaces, y compris l'infrastructure de distribution des carburants et les techniques de charge; à optimiser la planification et l'utilisation des infrastructures au moyen de systèmes de transport et d'équipements intelligents ainsi que de la logistique; et à accroître le recours à la gestion de la demande et aux transports publics et non motorisés ainsi qu'aux chaînes de mobilité intermodale, en particulier dans les zones urbaines. L'innovation visant à parvenir à des émissions faibles ou nulles dans tous les modes de transport sera encouragée.

(b)Plus de mobilité, moins d'encombrement, plus de sûreté et de sécurité

L'objectif est de concilier les besoins de mobilité croissants avec une plus grande fluidité des transports, grâce à des solutions innovantes en faveur de systèmes de transport cohérents, intermodaux, inclusifs, accessibles, sûrs, sécurisés, sains, solides et d'un coût abordable.Les activités visent avant tout à réduire les encombrements, à améliorer l'accessibilité, l'interopérabilité et les choix laissés aux passagers, et à répondre aux besoins des utilisateurs en développant et en promouvant les transports porte-à-porte intégrés, la gestion de la mobilité et la logistique; à renforcer l'intermodalité et le déploiement de solutions de planification et de gestion intelligentes; et à réduire considérablement le nombre d'accidents et l'impact des menaces en matière de sûreté.

(c) Primauté sur la scène mondiale pour l'industrie européenne des transports

L'objectif est de renforcer la compétitivité et la performance des constructeurs européens d'équipements de transport et des services associés (y compris les processus logistiques, l'entretien, la réparation, la conversion et le recyclage) tout en maintenant le rôle prépondérant que joue l'Europe dans certains domaines (par exemple, l'aéronautique).Les activités visent avant tout à mettre au point la prochaine génération de moyens de transport aériens, maritimes et terrestres innovants, à assurer la fabrication durable de systèmes et d'équipements innovants et à préparer le terrain pour de futurs moyens de transport, en travaillant sur de nouveaux concepts et de nouvelles conceptions et sur des technologies originales, des systèmes de contrôle intelligents et des normes interopérables, des procédés de fabrication efficaces, des services innovants et des procédures de certification, des délais de développement plus courts et des coûts réduits tout au long du cycle de vie sans compromettre la sécurité et la sûreté opérationnelles.

(d) Recherche socio-économique et comportementale et activités de prospective en appui à la prise de décisions

L'objectif est de contribuer à l'amélioration de la prise de décisions, ce qui est indispensable afin de promouvoir l'innovation, de relever les défis liés aux transports et de répondre aux besoins de société qui y sont liés.Les activités viseront avant tout à assurer une meilleure compréhension des répercussions, des tendances et des perspectives socio-économiques liées aux transports, y compris l'évolution de la demande future, et à fournir aux décideurs politiques des données et des analyses fondées sur des éléments factuels. Une attention particulière sera également accordée à la diffusion des résultats produits par ces activités.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:47:00";"664357" +"H2020-EU.1.4.1.2.";"en";"H2020-EU.1.4.1.2.";"";"";"Integrating and opening existing national and regional research infrastructures of European interest";"";"";"";"H2020";"H2020-EU.1.4.1.";"";"";"2014-09-22 20:39:53";"664127" +"H2020-EU.3.3.2.3.";"en";"H2020-EU.3.3.2.3.";"";"";"Develop competitive and environmentally safe technologies for CO2 capture, transport, storage and re-use";"";"";"";"H2020";"H2020-EU.3.3.2.";"";"";"2014-09-22 20:46:23";"664337" +"H2020-EU.3.2.3.";"de";"H2020-EU.3.2.3.";"";"";"Nachhaltiger und wettbewerbsfähiger Agrar- und Lebensmittelsektor für sichere und gesunde Ernährung";"Potential of aquatic living resources";"

Nachhaltiger und wettbewerbsfähiger Agrar- und Lebensmittelsektor für sichere und gesunde Ernährung

Ziel ist die Bewirtschaftung, nachhaltige Nutzung und Erhaltung aquatischer Bioressourcen mit dem Ziel einer Maximierung des gesellschaftlichen und wirtschaftlichen Nutzens der Meere, der offenen See und der Binnengewässer Europas bei gleichzeitigem Schutz der biologischen Vielfalt. Schwerpunkt der Tätigkeiten ist ein optimaler Beitrag zur Lebensmittel-Versorgungssicherheit durch Entwicklung einer nachhaltigen und umweltfreundlichen Fischerei, die nachhaltige Bewirtschaftung der Ökosysteme unter Bereitstellung von Gütern und Dienstleistungen und eine im Rahmen der Weltwirtschaft wettbewerbsfähige und umweltfreundliche europäischen Aquakultur sowie die Förderung mariner und maritimer Innovationen mit Hilfe der Biotechnologie als Motor für ein intelligentes ""blaues"" Wachstum.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:11";"664301" +"H2020-EU.3.2.3.";"en";"H2020-EU.3.2.3.";"";"";"Unlocking the potential of aquatic living resources";"Potential of aquatic living resources";"

Unlocking the potential of aquatic living resources

The aim is to manage, sustainably exploit and maintain aquatic living resources to maximise social and economic benefits/returns from Europe's oceans, seas and inland waters while protecting biodiversity. The activities shall focus on an optimal contribution to secure food supplies by developing sustainable and environmentally friendly fisheries, on sustainable management of ecosystems providing goods and services, on competitive as well as environmentally friendly European aquaculture in the context of the global economy, and on boosting marine and maritime innovation through biotechnology to fuel smart ""blue"" growth.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:11";"664301" +"H2020-EU.3.2.3.";"es";"H2020-EU.3.2.3.";"";"";"Desbloquear el potencial de los recursos acuáticos vivos";"Potential of aquatic living resources";"

Desbloquear el potencial de los recursos acuáticos vivos

El objetivo es gestionar, explotar de forma sostenible y mantener los recursos acuáticos vivos para maximizar los beneficios y la rentabilidad sociales y económicos de los océanos, mares y aguas continentales europeos, al tiempo que se protege la biodiversidad. Las actividades se centrarán en una contribución óptima al abastecimiento seguro de alimentos desarrollando una pesca sostenible y respetuosa del medio ambiente, una gestión sostenible de los ecosistemas que faciliten bienes y servicios, una acuicultura europea competitiva a la vez que respetuosa del medio ambiente en el contexto de la economía mundial, así como en el fomento de la innovación marina y marítima mediante la biotecnología para propulsar un crecimiento ""azul"" inteligente.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:11";"664301" +"H2020-EU.3.2.3.";"fr";"H2020-EU.3.2.3.";"";"";"Exploiter le potentiel des ressources aquatiques vivantes";"Potential of aquatic living resources";"

Exploiter le potentiel des ressources aquatiques vivantes

L'objectif est de gérer, d'exploiter de manière durable et de préserver ces ressources de façon à maximiser les retombées et les bénéfices économiques et sociaux générés par les océans, les mers et les eaux intérieures de l'Europe tout en protégeant la biodiversité. Les activités se concentrent sur la meilleure façon de contribuer à la sécurité de l'approvisionnement en denrées alimentaires dans le contexte de l'économie mondiale, en développant une pêche durable et écologique, une gestion durable des écosystèmes fournissant des biens et des services ainsi qu'une aquaculture européenne compétitive et respectueuse de l'environnement, ainsi que sur la promotion de l'innovation marine et maritime grâce aux biotechnologies, en vue d'alimenter une croissance intelligente et «bleue».";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:11";"664301" +"H2020-EU.3.2.3.";"pl";"H2020-EU.3.2.3.";"";"";"Uwolnienie potencjału wodnych zasobów biologicznych";"Potential of aquatic living resources";"

Uwolnienie potencjału wodnych zasobów biologicznych

Celem jest gospodarowanie, zrównoważone wykorzystywanie i utrzymanie wodnych zasobów biologicznych w celu maksymalizacji społecznych i gospodarczych korzyści i zysków z oceanów, mórz i wód śródlądowych Europy przy zachowaniu bioróżnorodności. Działania mają skupiać się na optymalizacji wkładu w bezpieczne zaopatrzenie w żywność poprzez rozwój rybołówstwa zrównoważonego i przyjaznego dla środowiska, na zrównoważonym gospodarowaniu ekosystemami będącymi źródłem towarów i usług oraz konkurencyjnej i przyjaznej dla środowiska europejskiej akwakultury w kontekście gospodarki globalnej, a także wspomaganiu innowacji morskich za pomocą biotechnologii w celu stymulowania inteligentnego „niebieskiego wzrostu”.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:11";"664301" +"H2020-EU.3.2.3.";"it";"H2020-EU.3.2.3.";"";"";"Liberare il potenziale delle risorse biologiche acquatiche";"Potential of aquatic living resources";"

Liberare il potenziale delle risorse biologiche acquatiche

L'obiettivo è quello di gestire, sfruttare in modo sostenibile e mantenere le risorse acquatiche viventi al fine di massimizzare il rendimento e i vantaggi sociali ed economici degli oceani, dei mari e delle acque interne d'Europa, proteggendo nel contempo la biodiversità. Le attività si concentrano su un contributo ottimale per garantire l'approvvigionamento alimentare mediante lo sviluppo di una pesca sostenibile e rispettosa dell'ambiente, sulla gestione sostenibile di ecosistemi che forniscono beni e servizi e su una acquacoltura europea concorrenziale e rispettosa dell'ambiente nel contesto dell'economia globale, nonché sulla promozione dell'innovazione marina e marittima attraverso le biotecnologie per stimolare la crescita ""blu"" intelligente.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:11";"664301" +"H2020-EU.3.5.5.";"es";"H2020-EU.3.5.5.";"";"";"Desarrollo de sistemas completos y duraderos de observación e información sobre el medio ambiente mundial";"Environmental observation and information systems";"

Desarrollo de sistemas completos y duraderos de observación e información sobre el medio ambiente mundial

El objetivo es garantizar la disponibilidad de los datos y la información de largo plazo necesarios para afrontar este reto. Las actividades se centrarán en las capacidades, tecnologías e infraestructuras de datos en materia de observación y vigilancia de la Tierra, tanto a través de sensores a distancia como de mediciones sobre el terreno, que pueden ofrecer continuamente información exacta y puntual, sobre la que se puedan elaborar previsiones y proyecciones. Se fomentará un acceso libre, abierto y sin trabas a la información y los datos interoperables. Las actividades contribuirán a definir futuras actividades operativas del Programa Europeo de Vigilancia de la Tierra (Copernicus) y a impulsar el uso de los datos de Copernicus para las actividades de investigación.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:13";"664427" +"H2020-EU.3.5.5.";"fr";"H2020-EU.3.5.5.";"";"";"Développer des systèmes complets et soutenus d'observation et d'information à l'échelle mondiale en matière d'environnement";"Environmental observation and information systems";"

Développer des systèmes complets et soutenus d'observation et d'information à l'échelle mondiale en matière d'environnement

L'objectif est d'assurer la fourniture des données et des informations à long terme nécessaires pour relever ce défi. Les activités se concentrent sur les moyens, les technologies et les infrastructures de données pour l'observation et la surveillance de la Terre au moyen de la télésurveillance et de mesures in situ, capables de fournir continuellement et en temps voulu des informations précises et de permettre ainsi des prévisions et des projections. Un accès entièrement libre aux données et informations interopérables sera encouragé. Les activités aideront à définir de futures tâches opérationnelles du programme Copernicus et à renforcer l'utilisation des données de Copernicus pour les travaux de recherche.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:13";"664427" +"H2020-EU.3.5.5.";"pl";"H2020-EU.3.5.5.";"";"";"Rozwój kompleksowych i trwałych globalnych systemów obserwacji i informacji środowiskowej";"Environmental observation and information systems";"

Rozwój kompleksowych i trwałych globalnych systemów obserwacji i informacji środowiskowej

Celem jest zapewnienie przygotowania długoterminowych danych i informacji potrzebnych do sprostania temu wyzwaniu. Działania mają skupiać się na zdolnościach, technologiach i infrastrukturze danych do celów obserwacji i monitorowania Ziemi, zarówno przy wykorzystaniu teledetekcji, jak i pomiarów in situ, które mogą bez przerwy dostarczać w odpowiednim terminie dokładne informacje i umożliwiać prognozy i przewidywania. Promowany będzie bezpłatny, otwarty i nieograniczony dostęp do interoperacyjnych danych i informacji. Działania mają pomóc w określaniu przyszłej działalności operacyjnej programu Copernicus i zwiększyć wykorzystywanie danych pochodzących z programu Copernicus do celów badawczych.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:13";"664427" +"H2020-EU.3.5.5.";"it";"H2020-EU.3.5.5.";"";"";"Sviluppare sistemi globali e continuativi di informazione e osservazione ambientali a livello mondiale";"Environmental observation and information systems";"

Sviluppare sistemi globali e continuativi di informazione e osservazione ambientali a livello mondiale

L'obiettivo è garantire la fornitura dei dati e informazioni a lungo termine necessari per far fronte a questa sfida. Le attività si concentrano sulle capacità, le tecnologie e le infrastrutture di dati relative all'osservazione e alla sorveglianza della Terra, basate sia sul telerilevamento che su misurazioni in loco, in grado di fornire costantemente informazioni tempestive e dettagliate e di consentire previsioni e proiezioni. È opportuno promuovere un accesso libero, aperto e privo di restrizioni a dati e informazioni interoperabili. Le attività contribuiscono a definire le future attività operative del programma Copernicus e a potenziare l'uso dei dati Copernicus per le attività di ricerca.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:13";"664427" +"H2020-EU.3.5.5.";"en";"H2020-EU.3.5.5.";"";"";"Developing comprehensive and sustained global environmental observation and information systems";"Environmental observation and information systems";"

Developing comprehensive and sustained global environmental observation and information systems

The aim is to ensure the delivery of the long-term data and information required to address this challenge. Activities shall focus on the capabilities, technologies and data infrastructures for Earth observation and monitoring from both remote sensing and in situ measurements that can continuously provide timely and accurate information and permit forecasts and projections. Free, open and unrestricted access to interoperable data and information will be encouraged. Activities shall help define future operational activities of the Copernicus programme and enhance the use of Copernicus data for research activities.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:13";"664427" +"H2020-EU.3.5.5.";"de";"H2020-EU.3.5.5.";"";"";"Entwicklung von Systemen für die umfassende und kontinuierliche globale Umweltüberwachung und von entsprechenden Informationssystemen";"Environmental observation and information systems";"

Entwicklung von Systemen für die umfassende und kontinuierliche globale Umweltüberwachung und von entsprechenden Informationssystemen

Ziel ist die Bereitstellung der zur Bewältigung dieser Herausforderung notwendigen langfristigen Daten und Informationen. Schwerpunkt dieser Tätigkeiten sind die Fähigkeiten, Technologien und Dateninfrastrukturen für die Erdbeobachtung und -überwachung sowohl mittels Fernerkundung als auch durch Messungen vor Ort, die kontinuierlich zeitnahe und präzise Daten liefern können und Prognosen und Projektionen ermöglichen. Gefördert wird der freie, offene und unbeschränkte Zugang zu interoperablen Daten und Informationen. Die Tätigkeiten tragen zur Bestimmung künftiger operativer Tätigkeiten des Copernicus Programms und zur verstärkten Nutzung von Copernicus-Daten für Forschungstätigkeiten bei.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:13";"664427" +"H2020-EU.1.4.2.2.";"en";"H2020-EU.1.4.2.2.";"";"";"Strengthening the human capital of research infrastructures";"";"";"";"H2020";"H2020-EU.1.4.2.";"";"";"2014-09-22 20:40:08";"664135" +"H2020-EU.3.4.5.4.";"en";"H2020-EU.3.4.5.4.";"";"";"ITD Airframe";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:05";"665410" +"H2020-EU.3.4.8.2.";"en";"H2020-EU.3.4.8.2.";"";"";"Innovation Programme 2: Advanced traffic management and control systems";"";"";"";"H2020";"H2020-EU.3.4.8.";"";"";"2016-10-19 15:37:11";"700323" +"H2020-EU.3.2.1.4.";"en";"H2020-EU.3.2.1.4.";"";"";"Sustainable forestry";"";"";"";"H2020";"H2020-EU.3.2.1.";"";"";"2014-09-22 20:44:52";"664291" +"H2020-EU.3.2.3.3.";"en";"H2020-EU.3.2.3.3.";"";"";"Boosting marine and maritime innovation through biotechnology";"";"";"";"H2020";"H2020-EU.3.2.3.";"";"";"2014-09-22 20:45:22";"664307" +"H2020-EU.3.2.3.2.";"en";"H2020-EU.3.2.3.2.";"";"";"Developing competitive and environmentally-friendly European aquaculture";"";"";"";"H2020";"H2020-EU.3.2.3.";"";"";"2014-09-22 20:45:18";"664305" +"H2020-EU.3.6.3.1.";"en";"H2020-EU.3.6.3.1.";"";"";"Study European heritage, memory, identity, integration and cultural interaction and translation, including its representations in cultural and scientific collections, archives and museums, to better inform and understand the present by richer interpretations of the past";"";"";"";"H2020";"H2020-EU.3.6.3.";"";"";"2014-09-22 20:50:12";"664457" +"H2020-EU.3.4.5.1.";"en";"H2020-EU.3.4.5.1.";"";"";"IADP Large Passenger Aircraft";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:42:53";"665404" +"H2020-EU.3.4.8.5.";"en";"H2020-EU.3.4.8.5.";"";"";"Innovation Programme 5: Technologies for sustainable and attractive European rail freight";"";"";"";"H2020";"H2020-EU.3.4.8.";"";"";"2016-11-16 17:49:06";"700255" +"H2020-EU.3.2.6.1.";"en";"H2020-EU.3.2.6.1.";"";"";"Sustainable and competitive bio-based industries and supporting the development of a European bio-economy";"";"";"";"H2020";"H2020-EU.3.2.6.";"";"";"2014-09-22 21:39:27";"665317" +"H2020-EU.3.7.6.";"en";"H2020-EU.3.7.6.";"";"";"Ensure privacy and freedom, including in the Internet and enhance the societal, legal and ethical understanding of all areas of security, risk and management";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2014-09-22 20:50:45";"664475" +"H2020-EU.3.7.2.";"en";"H2020-EU.3.7.2.";"";"";"Protect and improve the resilience of critical infrastructures, supply chains and tranport modes";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2014-09-22 20:50:30";"664467" +"H2020-EU.3.7.7.";"en";"H2020-EU.3.7.7.";"";"";"Enhance stadardisation and interoperability of systems, including for emergency purposes";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2014-09-22 20:50:49";"664477" +"H2020-EU.3.7.5.";"en";"H2020-EU.3.7.5.";"";"";"Increase Europe's resilience to crises and disasters";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2015-01-23 18:42:15";"664473" +"H2020-EU.3.2.5.3.";"en";"H2020-EU.3.2.5.3.";"";"";"Cross-cutting concepts and technologies enabling maritime growth";"";"";"";"H2020";"H2020-EU.3.2.5.";"";"";"2014-09-22 20:45:50";"664319" +"H2020-EU.2.1.5.1.";"pl";"H2020-EU.2.1.5.1.";"";"";"Technologie dla fabryk przyszłości";"Technologies for Factories of the Future";"

Technologie dla fabryk przyszłości

Promowanie zrównoważonego rozwoju przemysłowego poprzez ułatwienie strategicznego przejścia w Europie od produkcji opartej na kosztach do podejścia nastawionego na efektywne gospodarowanie zasobami i tworzenie produktów o wysokiej wartości dodanej oraz opartej na ICT, inteligentnej i wysoko wydajnej produkcji w systemie zintegrowanym.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:03";"664199" +"H2020-EU.2.1.5.1.";"de";"H2020-EU.2.1.5.1.";"";"";"Technologien für Fabriken der Zukunft";"Technologies for Factories of the Future";"

Technologien für Fabriken der Zukunft

Förderung eines nachhaltigen Wachstums der Industrie durch Erleichterung einer strategischen Umstellung in Europa von der kostenorientierten Herstellung zur ressourcenschonenden Schaffung von Produkten mit hohem Mehrwert und zur IKT-gestützten intelligenten Hochleistungsfertigung in einem integrierten System.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:03";"664199" +"H2020-EU.2.1.5.1.";"it";"H2020-EU.2.1.5.1.";"";"";"Tecnologie per le fabbriche del futuro";"Technologies for Factories of the Future";"

Tecnologie per le fabbriche del futuro

Promuovere la crescita industriale sostenibile in Europa agevolando uno spostamento strategico dalla produzione orientata ai costi a un approccio basato sull'efficienza sotto il profilo delle risorse e sulla creazione di prodotti a elevato valore aggiunto e a una produzione intelligente e ad alte prestazione basata sulle TIC in un sistema integrato.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:03";"664199" +"H2020-EU.2.1.5.1.";"fr";"H2020-EU.2.1.5.1.";"";"";"Des technologies pour les usines du futur";"Technologies for Factories of the Future";"

Des technologies pour les usines du futur

Promouvoir une croissance industrielle durable en facilitant une transition stratégique en Europe, passant d'un processus de fabrication axé sur les coûts à une approche fondée sur une utilisation efficace des ressources et la création de produits présentant une haute valeur ajoutée ainsi que sur des modes de fabrication recourant aux TIC, intelligents et à haute performance, dans un système intégré.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:03";"664199" +"H2020-EU.2.1.5.1.";"es";"H2020-EU.2.1.5.1.";"";"";"Tecnologías para las fábricas del futuro";"Technologies for Factories of the Future";"

Tecnologías para las fábricas del futuro

Promover el crecimiento industrial sostenible facilitando un cambio estratégico en Europa para pasar de la fabricación basada en los costes de producción a un enfoque basado en la utilización eficiente de recursos y en la creación de productos de un alto valor añadido y una fabricación posibilitada por las TIC, inteligente y de alto rendimiento, en un sistema integrado.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:03";"664199" +"H2020-EU.3.2.5.";"de";"H2020-EU.3.2.5.";"";"";"Übergreifende Meeresforschung und maritime Forschung";"Cross-cutting marine and maritime research";"

Übergreifende Meeresforschung und maritime Forschung

Ziel ist es, die Auswirkungen der Meere und Ozeane der Union auf die Gesellschaft und das Wirtschaftswachstum zu steigern durch die nachhaltige Bewirtschaftung der Meeresressourcen sowie die Nutzung verschiedener Quellen von Meeresenergie und die weitreichenden unterschiedlichen Formen der Nutzung der Meere.Der Schwerpunkt der Tätigkeiten liegt auf bereichsübergreifenden wissenschaftlichen und technologischen Herausforderungen im marinen und im maritimen Bereich, um in der ganzen Bandbreite der marinen und maritimen Industriezweige das Potenzial von Meeren und Ozeanen so zu erschließen, dass gleichzeitig der Schutz der Umwelt und die Anpassung an den Klimawandel gewährleistet ist. Ein strategischer koordinierter Ansatz für marine und maritime Forschung in allen Herausforderungen und Schwerpunkte von Horizont 2020 wird auch die Umsetzung relevanter Maßnahmen der Union zur Erreichung blauer Wachstumsziele fördern.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-23 17:08:10";"664316" +"H2020-EU.3.2.5.";"es";"H2020-EU.3.2.5.";"";"";"Investigación transversal marina y marítima";"Cross-cutting marine and maritime research";"

Investigación transversal marina y marítima

El objetivo consiste en aumentar el impacto de de los mares y aguas continentales de la Unión sobre la sociedad y el crecimiento económico mediante la explotación sostenible de los recursos marinos así como la utilización de las diversas fuentes de energía marina y la amplia gama de diferentes usos que se hacen de los mares.Las actividades se centrarán en los conocimientos transversales científicos y tecnológicos marinos y marítimos con la intención de liberar el potencial de los mares y las aguas continentales a través de una gama de industrias marinas y marítimas, protegiendo al mismo tiempo el medio ambiente y adaptándose al cambio climático. Este planteamiento coordinado estratégico de la investigación marina y marítima en todos los retos y pilares de Horizonte 2020 apoyará asimismo la aplicación de las políticas pertinentes de la Unión para contribuir al logro de los objetivos clave de crecimiento azul.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-23 17:08:10";"664316" +"H2020-EU.3.2.5.";"fr";"H2020-EU.3.2.5.";"";"";"Recherche marine et maritime à caractère transversal";"Cross-cutting marine and maritime research";"

Recherche marine et maritime à caractère transversal

L'objectif est d'augmenter l'effet des mers et des océans de l'Union sur la société et la croissance économique grâce à l'exploitation durable des ressources marines ainsi qu'à l'utilisation des différentes sources d'énergie marine et aux très nombreux modes d'exploitation des mers.Les activités se concentrent sur les enjeux scientifiques et technologiques transversaux dans le domaine marin et maritime en vue de libérer le potentiel des mers et des océans pour tous les secteurs industriels marins et maritimes, tout en protégeant l'environnement et en veillant à l'adaptation au changement climatique. Une approche stratégique coordonnée pour la recherche marine et maritime à travers tous les défis et priorités d'Horizon 2020 soutiendra également la mise en œuvre des politiques concernées de l'Union afin de contribuer à atteindre les objectifs clés en matière de croissance bleue.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-23 17:08:10";"664316" +"H2020-EU.3.2.5.";"en";"H2020-EU.3.2.5.";"";"";"Cross-cutting marine and maritime research";"Cross-cutting marine and maritime research";"

Cross-cutting marine and maritime research

The aim is to increase the impact of Union seas and oceans on society and economic growth through the sustainable exploitation of marine resources as well as the use of different sources of marine energy and the wide range of different uses that is made of the seas.Activities shall focus on cross-cutting marine and maritime scientific and technological challenges with a view to unlocking the potential of seas and oceans across the range of marine and maritime industries, while protecting the environment and adapting to climate change. A strategic coordinated approach for marine and maritime research across all challenges and priorities of Horizon 2020 will also support the implementation of relevant Union policies to help deliver key blue growth objectives.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-23 17:08:10";"664316" +"H2020-EU.3.2.5.";"pl";"H2020-EU.3.2.5.";"";"";"Przekrojowe badania morskie";"Cross-cutting marine and maritime research";"

Przekrojowe badania morskie

Celem jest zwiększenie wpływu mórz i oceanów w Unii na wzrost gospodarczy poprzez zrównoważone wykorzystywanie zasobów morskich oraz różnych źródeł energii morskiej oraz wiele innych różnych sposobów użytkowania mórz.Działania mają się skupiać na przekrojowych morskich wyzwaniach naukowo-technicznych i mają odblokować potencjał mórz i oceanów we wszystkich sektorach przemysłu morskiego, a jednocześnie chronić środowisko i zapewnić przystosowanie się do zmiany klimatu. To skoordynowane podejście strategiczne do badań morskich w ramach wszystkich wyzwań i priorytetów programu „Horyzont 2020” będzie także wspierać wdrażanie odnośnych polityk Unii celem realizacji głównych założeń „niebieskiego wzrostu”.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-23 17:08:10";"664316" +"H2020-EU.3.2.5.";"it";"H2020-EU.3.2.5.";"";"";"Ricerca marina e marittima trasversale";"Cross-cutting marine and maritime research";"

Ricerca marina e marittima trasversale

L'obiettivo è quello di aumentare l'impatto dei mari e degli oceani dell'Unione sulla società e sulla crescita economica attraverso lo sviluppo sostenibile delle risorse marine, l'uso delle varie fonti di energia marina e la grande varietà di utilizzazioni differenti del mare.Le attività sono incentrate su sfide scientifiche e tecnologiche trasversali nei settori marino e marittimo allo scopo di sbloccare il potenziale dei mari e degli oceani in tutto l'insieme delle industrie marine e marittime, proteggendo nel contempo l'ambiente e operando un adeguamento al cambiamento climatico. Un approccio strategico coordinato alla ricerca marina e marittima nell'ambito dell'insieme delle sfide e delle priorità di Orizzonte 2020 sosterrà inoltre l'attuazione delle pertinenti politiche dell'Unione al fine di contribuire al raggiungimento degli obiettivi chiave per la ""crescita blu"".";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-23 17:08:10";"664316" +"H2020-EU.5.d.";"en";"H2020-EU.5.d.";"";"";"Encourage citizens to engage in science through formal and informal science education, and promote the diffusion of science-based activities, namely in science centres and through other appropriate channels";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:52:52";"664543" +"H2020-EU.1.2.3.";"de";"H2020-EU.1.2.3.";"";"";"FET – Leitinitiativen";"FET Flagships";"

FET – Leitinitiativen

Mit der Verfolgung großer interdisziplinärer wissenschaftlich-technologischer Herausforderungen (""FET – Leitinitiativen"") werden unter Berücksichtigung der Ergebnisse der vorbereitenden FET-Projekte ehrgeizige großmaßstäbliche, von Wissenschaft und Technik angeregte Forschungstätigkeiten gefördert, mit denen ein wissenschaftlicher und technischer Durchbruch auf denjenigen Gebieten angestrebt wird, die in einem offenen und transparenten Vorgehen unter Einbindung der Mitgliedstaaten und der einschlägigen interessierten Kreise als relevant bestimmt wurden. Diese Tätigkeiten könnten von der Koordinierung der europäischen, nationalen und regionalen Agenden profitieren. Der wissenschaftliche Fortschritt dürfte eine solide und breite Grundlage für künftige technologische Innovationen und deren wirtschaftliche Anwendung schaffen und auch der Gesellschaft neuartige Möglichkeiten eröffnen. Für diese Tätigkeiten wird auf die bestehenden Finanzierungsinstrumente zurückgegriffen.40 % der FET-Mittel werden für ""FET – offener Bereich"" verwendet.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:18";"664107" +"H2020-EU.1.2.3.";"en";"H2020-EU.1.2.3.";"";"";"FET Flagships";"FET Flagships";"

FET Flagships

By pursuing grand interdisciplinary scientific and technological challenges ('FET Flagships'), FET shall, taking into full account the outcome of FET preparatory projects, support ambitious large-scale, science and technology-driven research aiming to achieve a scientific and technological breakthrough in areas identified as relevant in an open and transparent manner involving the Member States and relevant stakeholders. Such activities could benefit from the coordination between European, national and regional agendas. The scientific advance should provide a strong and broad basis for future technological innovation and economic application, plus novel benefits for society. These activities shall be realised using the existing funding instruments.40 % of FET resources will be devoted to FET Open.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:18";"664107" +"H2020-EU.1.2.3.";"it";"H2020-EU.1.2.3.";"";"";"TEF faro";"FET Flagships";"

TEF faro

Perseguendo le grandi sfide interdisciplinari in materia di scienza e tecnologie (""TEF faro""), le TEF sostengono, tenendo pienamente conto dei risultati dei progetti preparatori delle TEF, una ricerca ambiziosa su ampia scala, basata sulla scienza e sulla tecnologia e mirata a conseguire scoperte scientifiche e tecnologiche epocali in settori individuati come rilevanti in maniera aperta e trasparente, con il coinvolgimento degli Stati membri e dei soggetti interessati. Tali attività potrebbero trarre vantaggio dal coordinamento dei programmi regionali, nazionali ed europei. Il progresso scientifico dovrebbe fornire una base solida e ampia per le future innovazioni tecnologiche e le applicazioni economiche, oltre a generare nuovi vantaggi per la società. Queste attività sono realizzate ricorrendo agli strumenti di finanziamento esistenti.Il 40 % delle risorse delle TEF sarà destinato alle TEF aperte.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:18";"664107" +"H2020-EU.1.2.3.";"pl";"H2020-EU.1.2.3.";"";"";"FET Flagships";"FET Flagships";"

FET Flagships

Podejmując wielkie interdyscyplinarne wyzwania naukowe i technologiczne („FET flagships”), FET, przy pełnym uwzględnieniu projektów przygotowawczych FET, wspierają ambitne, realizowane na dużą skalę, stymulowane nauką i technologią badania zmierzające do osiągnięcia naukowego i technologicznego przełomu w dziedzinach określonych jako mające znaczenie, w których w otwarty i przejrzysty sposób uczestniczą państwa członkowskie i odpowiednie zainteresowane strony. Takie działania mogłyby skorzystać na skoordynowaniu programów europejskich, krajowych i regionalnych. Postęp naukowy powinien zapewnić mocne i szerokie podstawy dla przyszłych innowacji technologicznych i ich wykorzystania w gospodarce, a także nowe korzyści dla społeczeństwa. Działania te realizowane są z wykorzystaniem istniejących instrumentów finansowania.40% zasobów FET zostanie przeznaczone na FET Open.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:18";"664107" +"H2020-EU.1.2.3.";"es";"H2020-EU.1.2.3.";"";"";"FET Flagships";"FET Flagships";"

FET Flagships

Abordando los grandes retos científicos y tecnológicos interdisciplinarios (""FET Flagships""), FET apoyará, teniendo plenamente en cuenta los resultados de los proyectos preparatorios de FET, la investigación ambiciosa, impulsada por la ciencia y la tecnología y a gran escala, que aspire a lograr una ruptura científica y tecnológica en ámbitos considerados pertinentes, de un modo abierto y transparente que implique a los Estados miembros y a las partes interesadas. Estas actividades podrían beneficiarse de la coordinación de los programas europeos nacionales y regionales. El avance científico debe proporcionar una base sólida y amplia para la innovación tecnológica y su explotación económica en el futuro, así como nuevos beneficios para la sociedad. Estas actividades se realizan utilizando los instrumentos de financiación existentes.El 40 % de los recursos FET se consagrarán a ""FET Open"".";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:18";"664107" +"H2020-EU.1.2.3.";"fr";"H2020-EU.1.2.3.";"";"";"FET Flagships";"FET Flagships";"

FET Flagships

En s'efforçant de relever les grands défis scientifiques et technologiques de caractère interdisciplinaire («FET Flagships»), le FET, en tenant pleinement compte des résultats des projets préparatoires qui s'y rapportent, soutient des activités de recherche scientifique et technologique ambitieuses et à grande échelle visant à réaliser, d'une manière ouverte et transparente et avec la participation des États membres et des parties prenantes concernées, une percée scientifique et technologique dans des domaines jugés pertinents. De telles activités pourraient bénéficier de la coordination entre les programmes européens, nationaux et régionaux. La percée scientifique réalisée devrait offrir une vaste et solide assise à l'innovation technologique et à l'exploitation économique futures, et apporter de nouveaux avantages à la société. Ces activités sont réalisées au moyen des instruments financiers existants.40 % des ressources du FET seront allouées au «FET Open».";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:18";"664107" +"H2020-EU.3.3.6.";"fr";"H2020-EU.3.3.6.";"";"";"La solidité du processus décisionnel et l'implication du public";"Robust decision making and public engagement";"

La solidité du processus décisionnel et l'implication du public

Les activités mettent l'accent sur le développement d'outils, de méthodes, de modèles et de scénarios prospectifs permettant d'apporter aux politiques un soutien ferme et transparent, y compris des activités relatives à la mobilisation du public, aux effets sur l'environnement, à la participation des utilisateurs et à l'évaluation de la durabilité, permettant une meilleure compréhension des tendances et des perspectives socio-économiques dans le domaine énergétique.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:52";"664353" +"H2020-EU.3.3.6.";"es";"H2020-EU.3.3.6.";"";"";"Solidez en la toma de decisiones y compromiso público";"Robust decision making and public engagement";"

Solidez en la toma de decisiones y compromiso público

Las actividades se centrarán en el desarrollo de herramientas, métodos, modelos y supuestos de evolución futura para un apoyo a las políticas sólido y transparente, incluidas actividades relativas al compromiso del público, la participación del usuario, el impacto medioambiental y la evaluación de la sostenibilidad, mejorando la comprensión de las tendencias y perspectivas socioeconómicas relacionadas con la energía.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:52";"664353" +"H2020-EU.3.3.6.";"pl";"H2020-EU.3.3.6.";"";"";"Solidne procesy decyzyjne i udział społeczeństwa";"Robust decision making and public engagement";"

Solidne procesy decyzyjne i udział społeczeństwa

Działania mają skupiać się na wypracowaniu narzędzi, metod, modeli oraz długofalowych i przyszłościowych scenariuszy przewidujących solidne i przejrzyste wsparcie polityczne, w tym na działaniach dotyczących udziału społeczeństwa i zaangażowania użytkowników, oddziaływania na środowisko i ocen zrównoważoności, które pozwolą lepiej zrozumieć związane z energią tendencje i perspektywy społeczno-gospodarcze.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:52";"664353" +"H2020-EU.3.3.6.";"it";"H2020-EU.3.3.6.";"";"";"Processo decisionale e impegno pubblico di rilievo";"Robust decision making and public engagement";"

Processo decisionale e impegno pubblico di rilievo

Le attività si concentrano in particolare sullo sviluppo di strumenti, metodi, modelli e scenari futuri e lungimiranti per un solido e trasparente sostegno alla politica, comprese le attività relative alla partecipazione del pubblico, al coinvolgimento degli utenti, all'impatto ambientale e alla valutazione di sostenibilità, per migliorare la comprensione delle tendenze e prospettive socioeconomiche connesse all'energia.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:52";"664353" +"H2020-EU.3.3.6.";"de";"H2020-EU.3.3.6.";"";"";"Qualifizierte Entscheidungsfindung und Einbeziehung der Öffentlichkeit";"Robust decision making and public engagement";"

Qualifizierte Entscheidungsfindung und Einbeziehung der Öffentlichkeit

Schwerpunkt der Tätigkeiten ist die Entwicklung von Instrumenten, Verfahren, Modellen und vorausschauenden und perspektivischen Szenarien für eine qualifizierte und transparente Unterstützung der Politik, auch im Hinblick auf das Engagement der Öffentlichkeit, die Einbeziehung der Nutzer, die Auswirkungen auf die Umwelt sowie die Bewertung der Nachhaltigkeit, womit das Verständnis energiebezogener sozioökonomischer Tendenzen und Perspektiven verbessert werden soll.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:52";"664353" +"H2020-EU.2.1.4.";"fr";"H2020-EU.2.1.4.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles – Biotechnologies";"Biotechnology";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles – Biotechnologies

Objectif spécifique concernant les biotechnologies

L'objectif spécifique des activités de recherche et d'innovation dans le domaine des biotechnologies est de développer des produits et des processus industriels compétitifs, durables, sûrs et innovants et de servir de moteur d'innovation dans divers secteurs européens, tels que l'agriculture, la sylviculture, l'alimentation, l'énergie, la chimie et la santé, ainsi que la bioéconomie fondée sur la connaissance.Une solide base scientifique, technologique et d'innovation dans le domaine des biotechnologies contribuera à asseoir la primauté des entreprises européennes pour ce qui est de cette technologie clé générique. Cette position sera encore renforcée par la prise en considération de l'évaluation de la santé et de la sécurité, des incidences économiques et environnementales de l'utilisation de cette technologie, et de la gestion des risques généraux et spécifiques lors du déploiement des biotechnologies.

Justification et valeur ajoutée de l'Union

Portées par l'extension des connaissances relatives aux systèmes vivants, les biotechnologies sont amenées à générer quantité de nouvelles applications et à renforcer la base industrielle et la capacité d'innovation de l'Union. L'importance croissante des biotechnologies se reflète notamment dans la proportion d'applications industrielles, y compris les produits biopharmaceutiques, la production de denrées alimentaires et d'aliments pour animaux, ainsi que les produits biochimiques, dont la part de marché devrait augmenter pour atteindre 12 à 20 % de la production de substances chimiques d'ici 2015. Grâce à la sélectivité et à l'efficacité des biosystèmes, les biotechnologies contribuent également au respect de plusieurs des «douze principes» de la chimie verte. Les charges économiques pouvant peser sur les entreprises de l'Union peuvent être réduites en exploitant le potentiel de réduction des émissions de CO2 propre aux processus biotechnologiques et aux bioproduits, qui devrait se situer entre 1 et 2,5 milliards de tonnes d'équivalent CO2 par an d'ici 2030.Dans le secteur biopharmaceutique européen, quelque 20 % des médicaments actuels sont déjà issus des biotechnologies. Parmi ceux-ci, jusqu'à 50 % sont des nouveaux médicaments. Les biotechnologies joueront un rôle majeur dans la transition vers une bioéconomie, de nouveaux processus industriels étant mis au point dans ce cadre. Les biotechnologies ouvrent également de nouvelles voies pour le développement d'une agriculture, d'une aquaculture et d'une sylviculture durables, et pour l'exploitation du potentiel considérable que représentent les ressources marines pour la production d'applications industrielles, sanitaires, énergétiques, chimiques et environnementales innovantes. La croissance du secteur émergent des biotechnologies marines (ou «bleues») a été estimée à 10 % par an.D'autres sources fondamentales d'innovation se situent à l'interface entre les biotechnologies et d'autres technologies génériques et convergentes, dont les nanotechnologies et les TIC. Elles pourraient trouver des applications, notamment, dans le sondage et le diagnostic.

Grandes lignes des activités

(a) Promouvoir les biotechnologies de pointe comme futur moteur d'innovation

Soutien aux domaines technologiques émergents, tels que la biologie synthétique, la bioinformatique et la biologie des systèmes, qui possèdent un potentiel considérable pour ce qui est du développement de produits et de technologies innovants et d'applications totalement innovantes.

(b) Produits et processus industriels fondés sur les biotechnologies

Développement des biotechnologies industrielles et de la conception de bioprocédés à l'échelle industrielle pour la mise au point de produits industriels compétitifs et de processus durables (par exemple dans le domaine de la chimie, de la santé, de l'exploitation minière, de l'énergie, du papier et de la pâte à papier, des produits à base de fibres et du bois, du textile, de la production d'amidon ou de fécule ou de la transformation des produits alimentaires) et promotion de leur dimension environnementale et sanitaire, y compris les opérations de nettoyage.

(c) Des technologies «plateformes» innovantes et compétitives

Développement des technologies «plateformes» (telles que la génomique, la métagénomique, la protéomique, la métabolimique, les instruments moléculaires, les systèmes d'expression, les plateformes de phénotypage et les plateformes cellulaires) afin de renforcer la primauté et l'avantage concurrentiel de l'Europe dans un grand nombre de secteurs ayant des retombées économiques.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:44";"664189" +"H2020-EU.2.1.4.";"pl";"H2020-EU.2.1.4.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Biotechnologia";"Biotechnology";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Biotechnologia

Cel szczegółowy w dziedzinie biotechnologii

Celem szczegółowym badań naukowych i innowacji w dziedzinie biotechnologii jest rozwój konkurencyjnych, zrównoważonych, bezpiecznych oraz innowacyjnych produktów i procesów przemysłowych, a także stymulowanie innowacji w wielu innych europejskich sektorach, takich jak rolnictwo, leśnictwo, żywność, energia, chemia i zdrowie, a także oparta na wiedzy biogospodarka.Silna baza naukowa, technologiczna i innowacyjna w dziedzinie biotechnologii ułatwi przemysłowi europejskiemu utrzymanie wiodącej pozycji w zakresie tej kluczowej technologii prorozwojowej. Ta pozycja zostanie jeszcze wzmocniona poprzez uwzględnienie kwestii oceny zdrowia i bezpieczeństwa, gospodarczych i środowiskowych skutków zastosowania technologii oraz aspektów zarządzania całościowym i konkretnym ryzykiem przy zastosowaniu biotechnologii.

Uzasadnienie i unijna wartość dodana

Stymulowana rozwojem wiedzy o systemach biologicznych biotechnologia będzie źródłem wielu nowych zastosowań oraz wzmocni bazę przemysłową Unii i jej zdolność do innowacji. Przykładami rosnącego znaczenia biotechnologii są zastosowania przemysłowe, w tym biofarmaceutyki, produkcja żywności i pasz oraz biochemikalia, których udział w rynku do 2015 r. wzrośnie, według oszacowań, do 12%–20% produkcji chemicznej. Dzięki selektywności i efektywności systemów biologicznych biotechnologia odpowiada również niektórym z tzw. dwunastu zasad zielonej chemii. Możliwe obciążenia gospodarcze dla przedsiębiorstw w Unii można ograniczyć poprzez wykorzystanie potencjału procesów biotechnologicznych i bioproduktów w zakresie ograniczania emisji CO2, które, według oszacowań, do 2030 r. będą wynosić od 1 do 2,5 mld ton ekwiwalentu CO2 rocznie.W europejskim sektorze biofarmaceutycznym już ok. 20% dostępnych obecnie lekarstw powstaje przy wykorzystaniu osiągnięć biotechnologii, natomiast w przypadku nowych lekarstw jest to 50%. Biotechnologia odegra znaczną rolę w przejściu do biogospodarki, gdyż opracowane zostaną nowe procesy przemysłowe. Biotechnologia toruje również drogę do rozwoju zrównoważonych: rolnictwa, akwakultury i leśnictwa oraz do wykorzystania ogromnego potencjału zasobów morskich do wytworzenia innowacyjnych zastosowań w dziedzinie przemysłu, zdrowia, energii, chemii i środowiska. Przewiduje się, że powstający sektor biotechnologii morskiej (niebieskiej) będzie rósł w tempie 10% rocznie.Pozostałe kluczowe źródła innowacji to interakcja między biotechnologią a innymi technologiami prorozwojowymi i konwergencyjnymi, w szczególności nanotechnologiami i ICT, oraz z zastosowaniami takimi jak detekcja czy diagnozowanie.

Ogólne kierunki działań

(a) Wspieranie najnowocześniejszych biotechnologii jako przyszłych czynników stymulujących innowację

Rozwój powstających dziedzin technologii, takich jak biologia syntetyczna, bioinformatyka i biologia systemowa, niosących ze sobą wielką obietnicę opracowania innowacyjnych produktów i technologii oraz zupełnie nowatorskich zastosowań.

(b) Produkty i procesy przemysłowe oparte na biotechnologii

Rozwój biotechnologii przemysłowej i projektowania biotechnologicznego na skalę przemysłową w celu tworzenia konkurencyjnych produktów i zrównoważonych procesów przemysłowych (takich jak w branży chemicznej, ochrony zdrowia, górnictwa, energetycznej, celulozowo-papierniczej, produktów włóknistych i drewna, tekstylnej, skrobi, przetwarzaniu żywności) oraz jego wymiar środowiskowy i dotyczący zdrowia, w tym operacje oczyszczania.

(c) Innowacyjne i konkurencyjne technologie platformowe

Rozwój technologii platformowych (np. genomiki, metagenomiki, proteomiki, metabolomiki, narzędzi molekularnych, systemów ekspresji, platform fenotypowania i platform komórkowych) w celu wzmacniania wiodącej pozycji i zwiększania przewagi konkurencyjnej w wielu sektorach mających wpływ na gospodarkę.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:44";"664189" +"H2020-EU.2.1.4.";"es";"H2020-EU.2.1.4.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación – Biotecnología";"Biotechnology";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación – Biotecnología

Objetivo específico para la biotecnología

El objetivo específico de la investigación e innovación sobre biotecnología es desarrollar productos y procesos industriales competitivos, sostenibles, seguros e innovadores y servir de motor de la innovación para varios sectores europeos, como la agricultura, la silvicultura, la alimentación, la energía los productos químicos y la salud, así como la bioeconomía basada en el conocimiento.Una sólida base científica, tecnológica y de innovación en biotecnología ayudará a las industrias europeas a garantizar el liderazgo en esta tecnología facilitadora clave. Esta posición se reforzará integrando los aspectos de evaluación de la salud y la seguridad, el impacto económico y medioambiental del uso de la tecnología y la gestión de los riesgos globales y específicos en el despliegue de la biotecnología.

Justificación y valor añadido de la Unión

Espoleada por la expansión del conocimiento de los sistemas vivos, la biotecnología está llamada a generar una corriente de aplicaciones nuevas y a reforzar la base industrial de la Unión y su capacidad de innovación. Ejemplos de la creciente importancia de la biotecnología son las aplicaciones industriales, inclusive los medicamentos biológicos, la producción de alimentos y piensos y las sustancias bioquímicas, previéndose que la cuota de mercado de estas últimas llegue al 12 % - 20 % de la producción química en 2015. La biotecnología responde también a varios de los denominados doce principios de la química ""verde"", debido a la selectividad y eficiencia de los biosistemas. Es posible reducir las eventuales cargas económicas para las empresas de la Unión aprovechando el potencial de los procesos biotecnológicos y los bioproductos para reducir las emisiones de CO2, que se estima serán de entre 1 000 y 2 500 millones de toneladas equivalentes de CO2 al año para 2030.En el sector biofarmacéutico europeo, el 20 % aproximadamente de los medicamentos actuales y hasta un 50 % de los nuevos derivan ya de la biotecnología. La biotecnología desempeñará un papel determinante en la transición hacia una bioeconomía al desarrollar nuevos procesos industriales. La biotecnología también ha abierto nuevas vías para impulsar la agricultura, la acuicultura y la silvicultura sostenibles y para explotar el enorme potencial que tienen los recursos marinos para producir aplicaciones industriales, sanitarias, energética, químicas y medioambientales innovadoras. Se ha pronosticado que el sector emergente de la biotecnología marina (""azul"") crecerá a un ritmo del 10 % anual.Otras fuentes clave de innovación se encuentran en la interfaz entre la biotecnología y otras tecnologías de capacitación y convergentes, en particular las nanotecnologías y las TIC, con aplicaciones tales como la teledetección y el diagnóstico.

Líneas generales de las actividades

(a) Impulsar las biotecnologías de vanguardia como futuro motor de la innovación

Desarrollo de ámbitos tecnológicos emergentes como la biología sintética, la bioinformática y la biología de sistemas, que ofrecen buenas perspectivas en materia de productos y tecnologías innovadores y de aplicaciones completamente nuevas.

(b) Productos y procesos industriales basados en la biotecnología

Impulso de la biotecnología industrial y de la concepción a escala industrial de bioprocesos para productos y procesos industriales competitivos y sostenibles (por ejemplo en química, sanidad, minería, energía, industria papelera, productos basados en fibras y madera, textil, almidón o transformación de alimentos) y su dimensión medioambiental, incluidas las operaciones de limpieza.

(c) Tecnologías para plataformas innovadoras y competitivas

Desarrollo de tecnologías de plataforma (p. ej. genómica, metagenómica, proteómica, metabolómica, herramientas moleculares, sistemas de expresión, plataformas de fenotipificación) para potenciar el liderazgo y la ventaja competitiva en un gran número de sectores económicos de gran repercusión.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:44";"664189" +"H2020-EU.2.1.4.";"de";"H2020-EU.2.1.4.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Biotechnologie";"Biotechnology";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Biotechnologie

Einzelziel für die Biotechnologie

Einzelziel der biotechnologischen Forschung und Innovation ist die Entwicklung wettbewerbsfähiger, nachhaltiger, sicherer und innovativer Industrieprodukte und -prozesse sowie ihr Beitrag als Innovationsmotor für andere europäische Sektoren wie Landwirtschaft, Forstwirtschaft, Lebensmittel, Energie, Chemie und Gesundheit sowie die wissensgestützte Bio-Wirtschaft.Solide biotechnologische Grundlagen in Wissenschaft, Technologie und Innovation unterstützen die europäische Industrie in der Sicherung ihrer Führungsrolle in dieser Schlüsseltechnologie. Diese Position wird noch gestärkt, indem beim Einsatz der Biotechnologie Fragen der Gesundheits- und Sicherheitsbewertung, die Folgen für Wirtschaft und Umwelt aufgrund der Nutzung dieser Technologie und Aspekte des Sicherheitsmanagements des Gesamtrisikos sowie spezifischer Risiken einbezogen werden.

Begründung und Mehrwert für die Union

Angesichts der Ausweitung der Kenntnisse über lebende Systeme dürfte die Biotechnologie eine Flut neuer Anwendungen hervorbringen und die Industriebasis der Union sowie deren Innovationskapazitäten stärken. Beispiele für die wachsende Bedeutung der Biotechnologie sind industrielle Anwendungen wie Biopharmaka, Lebens- und Futtermittelproduktion und Biochemikalien, wobei der Marktanteil von Biochemikalien Schätzungen zufolge bis 2015 auf bis zu 12 % bis 20 % der Chemieproduktion steigen wird. Aufgrund der Selektivität und Effizienz der Biosysteme wird sich die Biotechnologie auch mit einigen der sogenannten zwölf Prinzipien der grünen Chemie befassen. Die möglichen wirtschaftlichen Belastungen für Unionsunternehmen lassen sich reduzieren, indem das Potenzial biotechnologischer Prozesse und biogestützter Produkte für die Reduzierung der CO2-Emissionen genutzt wird, die auf 1 bis 2,5 Mrd. Tonnen CO2-Äquivalent bis 2030 veranschlagt werden.Bereits jetzt werden im biopharmazeutischen Sektor Europas etwa 20 % der auf dem Markt befindlichen Arzneimittel mit Hilfe der Biotechnologie hergestellt, wobei bis zu 50% auf neue Arzneimittel entfallen. Der Biotechnologie wird mittels der Entwicklung neuer Industrieprozesse eine gewichtige Rolle beim Übergang zu einer ökologisch fundierten Wirtschaft zukommen. Die Biotechnologie eröffnet auch neue Wege für den Aufbau einer nachhaltigen Landwirtschaft, Aquakultur und Forstwirtschaft und für die Nutzung des enormen Potenzials mariner Ressourcen für innovative Anwendungen in Industrie, Gesundheitswesen, Energie, Chemie und Umweltschutz. Schätzungen zufolge wird der neu entstehende Sektor der marinen (blauen) Biotechnologie pro Jahr um 10% wachsen.Weitere entscheidende Quellen für die Innovation sind die Schnittstellen zwischen der Biotechnologie und anderen wichtigen und konvergierenden Grundlagentechnologien, vor allem den Nanotechnologien und IKT, mit Anwendungen wie Sensor- und Diagnosetechnik.

Einzelziele und Tätigkeiten in Grundzügen

(a) Unterstützung der Spitzenforschung in der Biotechnologie als künftiger Innovationsmotor

Entwicklung neu entstehender technologischer Bereiche wie synthetische Biologie, Bioinformatik und Systembiologie, die sehr vielversprechend im Hinblick auf innovative Produkte und Technologien sowie vollständig neue Anwendungen sind.

(b) Biotechnologische Industrieprodukte und -prozesse

Entwicklung industrieller Biotechnologie und Konzeption von Bioprozessen im industriellen Maßstab für wettbewerbsfähige Industrieprodukte und nachhaltige Prozesse (z. B. in den Bereichen Chemie, Gesundheit, Mineralgewinnung, Energie, Zellstoff und Papier, Fasererzeugnisse und Holz, Textil, Stärke und Lebensmittelverarbeitung) und ihre Umwelt- und Gesundheitsdimension unter Einschluss von Clean-up-Verfahren.

(c) Innovative und wettbewerbsfähige Plattformtechnologien

Aufbau von Plattformtechnologien (z. B. Genomik, Metagenomik, Proteomik, Metabolomik, molekulare Werkzeuge, Expressionssysteme, Phänotypisierungsplattformen und zellbasierte Plattformen) zur Festigung der Führungsrolle und für den Ausbau des Wettbewerbsvorteils in einem breiteren Spektrum von Sektoren mit wirtschaftlicher Bedeutung.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:44";"664189" +"H2020-EU.2.1.4.";"it";"H2020-EU.2.1.4.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali – Biotecnologie";"Biotechnology";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali – Biotecnologie

Obiettivo specifico della biotecnologia

L'obiettivo specifico della ricerca e dell'innovazione nel settore delle biotecnologie è sviluppare prodotti e processi industriali competitivi, sostenibili, sicuri e innovativi e contribuire come motore innovativo in un certo numero di settori europei, come l'agricoltura, la silvicoltura, i prodotti alimentari, l'energia, i prodotti chimici e la salute, nonché la bioeconomia basata sulla conoscenza.Una forte base scientifica, tecnologica e innovativa nel settore della biotecnologia sosterrà le industrie europee garantendo una leadership in questa tecnologia abilitante fondamentale. Tale posizione sarà ulteriormente rafforzata dall'integrazione della valutazione sanitaria e di sicurezza, dell'impatto economico e ambientale dell'impiego della tecnologia e degli aspetti di gestione dei rischi complessivi e specifici derivanti dall'impiego delle biotecnologie.

Motivazione e valore aggiunto dell'Unione

Alimentata dall'espansione delle conoscenze in materia di sistemi viventi, la biotecnologia mira a generare un flusso di nuove applicazioni e a rafforzare la base industriale dell'Unione e la sua capacità di innovazione. Esempi della crescente importanza della biotecnologia sono reperibili nelle applicazioni industriali anche biofarmaceutiche, relative alla produzione di alimenti e mangimi e biochimiche, la cui quota di mercato dovrebbe aumentare fino al 12-20 % della produzione chimica entro il 2015. Un certo numero dei cosiddetti dodici principi di chimica verde è interessato dalla biotecnologia, considerata la selettività e l'efficienza dei biosistemi. Gli eventuali oneri economici per le imprese dell'Unione possono essere ridotti sfruttando il potenziale dei processi biotecnologici e dei prodotti biologici al fine di ridurre le emissioni di CO2, di un intervallo stimato compreso tra 1 e 2,5 miliardi di tonnellate di CO2 equivalente l'anno entro il 2030.Nel settore biofarmaceutico europeo all'incirca il 20 % dei farmaci esistenti deriva già dalla biotecnologia, quota che sale al 50 % per quanto concerne i nuovi farmaci. La biotecnologia svolgerà un ruolo importante nella transizione verso la bioeconomia mediante lo sviluppo di nuovi processi industriali. La biotecnologia crea anche nuove possibilità per sviluppare un'agricoltura, un'acquacoltura e una silvicoltura sostenibili e sfruttare l'enorme potenziale delle risorse marine per la produzione di applicazioni innovative in ambito industriale, sanitario, energetico, chimico e ambientale. Si prevede che il settore emergente della biotecnologia marina (""blu"") sia destinato a crescere del 10 % annuo.Altre fonti principali di innovazione si trovano all'incrocio fra la biotecnologia e altre tecnologie abilitanti e convergenti, in particolare le nanotecnologie e le TIC, con applicazioni quali il rilevamento e la diagnosi.

Le grandi linee delle attività

(a) Rafforzare le biotecnologie d'avanguardia in quanto motore delle future innovazioni

Sviluppo dei settori a tecnologia emergente come la biologia sintetica, la bioinformatica e la biologia dei sistemi, che risultano molto promettenti per tecnologie e prodotti innovativi e applicazioni del tutto nuove.

(b) Prodotti e processi industriali basati sulla biotecnologia

Sviluppo della biotecnologia industriale e della concezione di bioprocessi su scala industriale per prodotti industriali competitivi e processi sostenibili (ad esempio chimica, salute, industria mineraria, energia, pasta e carta, legna e prodotti a base di fibre, tessile, amido, trasformazione alimentare), nonché delle sue dimensioni ambientale e sanitaria, comprese le operazioni di pulizia.

(c) Tecnologie di piattaforma innovative e competitive

Sviluppo di tecnologie di piattaforma, quali ad esempio genomica, meta-genomica, proteomica, metabolomica, strumenti molecolari, sistemi di espressione, piattaforme di fenotipizzazione e piattaforme basate sulle cellule, per rafforzare la leadership e il vantaggio competitivo in un'ampia gamma di settori che hanno un impatto economico.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:44";"664189" +"H2020-EU.2.1.2.2.";"pl";"H2020-EU.2.1.2.2.";"";"";"Zapewnienie bezpiecznego i zrównoważonego rozwoju i stosowania nanotechnologii";"Safe and sustainable nanotechnologies";"

Zapewnienie bezpiecznego i zrównoważonego rozwoju i stosowania nanotechnologii

Rozwój wiedzy naukowej dotyczącej potencjalnego wpływu nanotechnologii i nanosystemów na zdrowie lub środowisko oraz opracowanie narzędzi oceny ryzyka i zarządzania w całym cyklu życia, z uwzględnieniem zagadnień standaryzacji";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:01";"664165" +"H2020-EU.2.1.2.2.";"fr";"H2020-EU.2.1.2.2.";"";"";"Assurer la sûreté et la viabilité du développement et de l'application des nanotechnologies";"Safe and sustainable nanotechnologies";"

Assurer la sûreté et la viabilité du développement et de l'application des nanotechnologies

Faire progresser les connaissances scientifiques concernant l'impact potentiel des nanotechnologies et des nanosystèmes sur la santé ou l'environnement, et fournir les instruments permettant une évaluation et une gestion des risques tout au long de leur cycle de vie, y compris en matière de normalisation.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:01";"664165" +"H2020-EU.2.1.2.2.";"es";"H2020-EU.2.1.2.2.";"";"";"Garantía de un desarrollo y una aplicación seguros y sostenibles de las nanotecnologías";"Safe and sustainable nanotechnologies";"

Garantía de un desarrollo y una aplicación seguros y sostenibles de las nanotecnologías

Hacer avanzar los conocimientos científicos sobre el impacto potencial de las nanotecnologías y los nanosistemas sobre la salud o el medio ambiente, y aportar herramientas para la evaluación y gestión de riesgos a lo largo de todo el ciclo de vida, incluidos los aspectos de normalización.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:01";"664165" +"H2020-EU.2.1.2.2.";"de";"H2020-EU.2.1.2.2.";"";"";"Gewährleistung der sicheren und nachhaltigen Entwicklung und Anwendung von Nanotechnologien";"Safe and sustainable nanotechnologies";"

Gewährleistung der sicheren und nachhaltigen Entwicklung und Anwendung von Nanotechnologien

Gewinnung wissenschaftlicher Erkenntnisse über die potenziellen Auswirkungen der Nanotechnologien und Nanosysteme auf Gesundheit oder Umwelt und Bereitstellung von Werkzeugen für Risikoabschätzung und Risikomanagement während des gesamten Lebenszyklus unter Einschluss von Fragen der Normung.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:01";"664165" +"H2020-EU.2.1.2.2.";"it";"H2020-EU.2.1.2.2.";"";"";"Garantire lo sviluppo e l'applicazione sicuri e sostenibili delle nanotecnologie";"Safe and sustainable nanotechnologies";"

Garantire lo sviluppo e l'applicazione sicuri e sostenibili delle nanotecnologie

Migliorare le conoscenze scientifiche relative all'impatto potenziale delle nanotecnologie e dei nanosistemi sulla salute e sull'ambiente, nonché fornire gli strumenti per valutare e gestire i rischi lungo tutto il ciclo di vita, comprese le questioni relative alla standardizzazione.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:01";"664165" +"H2020-EU.2.1.2.2.";"en";"H2020-EU.2.1.2.2.";"";"";"Ensuring the safe and sustainable development and application of nanotechnologies";"Safe and sustainable nanotechnologies";"

Ensuring the safe and sustainable development and application of nanotechnologies

Advancing scientific knowledge of the potential impact of nanotechnologies and nanosystems on health or on the environment, and providing tools for risk assessment and management along the entire life cycle, including standardisation issues.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:01";"664165" +"H2020-EU.3.6.2.2.";"en";"H2020-EU.3.6.2.2.";"";"";"Explore new forms of innovation, with special emphasis on social innovation and creativity and understanding how all forms of innovation are developed, succeed or fail";"";"";"";"H2020";"H2020-EU.3.6.2.";"";"";"2014-09-22 20:49:58";"664449" +"H2020-EU.1.2.2.";"fr";"H2020-EU.1.2.2.";"";"";"FET Proactive";"FET Proactive";"

FET Proactive

En favorisant le développement de thèmes et communautés émergents («FET Proactive»), le FET, en étroite relation avec les thèmes «Défis de société» et «Primauté industrielle», s'ouvre à une série de thèmes prometteurs de la recherche exploratoire, susceptibles de générer une masse critique de projets interconnectés qui, ensemble, garantissent une large couverture de ces domaines de recherche, sous une multitude d'angles différents, et constituent un réservoir européen de connaissances.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:14";"664105" +"H2020-EU.1.2.2.";"es";"H2020-EU.1.2.2.";"";"";"FET Proactive";"FET Proactive";"

FET Proactive

Nutriendo temas y comunidades emergentes (""FET Proactive""), FET abordará, en estrecha colaboración con los retos de la sociedad y los temas de liderazgo industrial, una serie de temas de investigación exploratoria prometedores, con potencial para generar una masa crítica de proyectos interrelacionados que, conjuntamente, permitan una exploración amplia y polifacética de los temas y constituyan un depósito común europeo de conocimientos.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:14";"664105" +"H2020-EU.1.2.2.";"en";"H2020-EU.1.2.2.";"";"";"FET Proactive";"FET Proactive";"

FET Proactive

By nurturing emerging themes and communities ('FET Proactive'), FET shall, in close association with the societal challenges and industrial leadership themes, address a number of promising exploratory research themes with the potential to generate a critical mass of inter-related projects that, together, make up a broad and multi-faceted exploration of the themes and build a European pool of knowledge.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:14";"664105" +"H2020-EU.1.2.2.";"pl";"H2020-EU.1.2.2.";"";"";"FET Proactive";"FET Proactive";"

FET Proactive

Wspierając nowo powstające zagadnienia i społeczności („FET Proactive”), FET, w ścisłym powiązaniu z tematyką wyzwań społecznych i wiodącej pozycji w przemyśle, obejmują swoim zakresem wiele obiecujących kierunków badań poszukiwawczych, odznaczających się potencjałem wytworzenia masy krytycznej wzajemnie powiązanych projektów, które obejmują szeroki wachlarz wieloaspektowych działań badawczych i przyczyniają się do utworzenia europejskiej puli wiedzy.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:14";"664105" +"H2020-EU.1.2.2.";"it";"H2020-EU.1.2.2.";"";"";"TEF proattive";"FET Proactive";"

TEF proattive

Favorendo i temi e le comunità emergenti (""TEF proattive""), le TEF affrontano, in stretta associazione con le sfide per la società e i temi connessi alla leadership industriale, un certo numero di temi promettenti nell'ambito della ricerca esplorativa dotati del potenziale di generare una massa critica di progetti interrelati che, nel complesso, costituiscano un'esplorazione ampia e sfaccettata dei temi per sfociare nella costruzione di una insieme europeo di conoscenze.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:14";"664105" +"H2020-EU.1.2.2.";"de";"H2020-EU.1.2.2.";"";"";"FET – proaktiver Bereich";"FET Proactive";"

FET – proaktiver Bereich

Durch die Förderung neu entstehender Themen und Gemeinschaften (""FET – proaktiver Bereich"") werden in enger Verbindung mit den Schwerpunkten ""Gesellschaftliche Herausforderungen"" und ""Führende Rolle bei grundlegenden und industriellen Technologien"" vielversprechende Themen der Sondierungsforschung erschlossen, die eine kritische Masse zusammenhängender Projekte generieren können, welche zusammengenommen eine breite Palette facettenreicher Themen darstellen und zum Aufbau eines europäischen Wissenspools beitragen.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:14";"664105" +"H2020-EU.3.5.3.";"pl";"H2020-EU.3.5.3.";"";"";"Zapewnienie zrównoważonych dostaw surowców nieenergetycznych i nierolniczych";"Supply of non-energy and non-agricultural raw materials";"

Zapewnienie zrównoważonych dostaw surowców nieenergetycznych i nierolniczych

Celem jest poszerzenie bazy wiedzy na temat surowców oraz rozwój innowacyjnych rozwiązań w zakresie racjonalnych pod względem kosztów, zasobooszczędnych i przyjaznych dla środowiska poszukiwań, wydobycia, przetwarzania, użytkowania oraz ponownego wykorzystywania, recyklingu i odzysku surowców oraz ich zastępowania gospodarczo atrakcyjnymi i zrównoważonymi środowiskowo alternatywami o mniejszym wpływie na środowisko, w tym procesami i systemami działającymi na zasadzie obiegu zamkniętego. Działania mają koncentrować się na: poszerzaniu bazy wiedzy na temat dostępności surowców; promowaniu zrównoważonych i efektywnych dostaw, użytkowania i ponownego wykorzystywania surowców, w tym surowców mineralnych, lądowych i morskich; nalezieniu alternatyw dla surowców krytycznych oraz podniesieniu świadomości społecznej i umiejętności związanych z surowcami.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:35";"664407" +"H2020-EU.3.5.3.";"en";"H2020-EU.3.5.3.";"";"";"Ensuring the sustainable supply of non-energy and non-agricultural raw materials";"Supply of non-energy and non-agricultural raw materials";"

Ensuring the sustainable supply of non-energy and non-agricultural raw materials

The aim is to improve the knowledge base on raw materials and develop innovative solutions for the cost-effective, resource-efficient and environmentally friendly exploration, extraction, processing, use and re-use, recycling and recovery of raw materials and for their substitution by economically attractive and environmentally sustainable alternatives with a lower environmental impact, including closed-loop processes and systems. Activities shall focus on improving the knowledge base on the availability of raw materials; promoting the sustainable and efficient supply, use and re-use of raw materials, including mineral resources, from land and sea; finding alternatives for critical raw materials; and improving societal awareness and skills on raw materials.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:35";"664407" +"H2020-EU.3.5.3.";"it";"H2020-EU.3.5.3.";"";"";"Garantire un approvvigionamento sostenibile di materie prime non energetiche e non agricole";"Supply of non-energy and non-agricultural raw materials";"

Garantire un approvvigionamento sostenibile di materie prime non energetiche e non agricole

Lo scopo è migliorare la base di conoscenze sulle materie prime e sviluppare soluzioni innovative per l'esplorazione, l'estrazione, il trattamento, l'utilizzazione e la riutilizzazione, il riciclaggio e il recupero di materie prime efficienti in termini di costi e sotto il profilo delle risorse e rispettosi dell'ambiente e per la loro sostituzione con alternative a minor impatto ambientale economicamente attraenti e sostenibili sul piano ambientale, compresi processi e sistemi a ciclo chiuso. Le attività si concentrano sul miglioramento della base di conoscenze relativa alla disponibilità di materie prime, sulla promozione della fornitura, dell'utilizzo e del riutilizzo sostenibili ed efficaci delle materie prime, comprese le risorse minerarie, a terra e in mare, sull'individuazione di alternative alle materie prime essenziali e sul miglioramento della consapevolezza e delle competenze sociali riguardo alle materie prime.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:35";"664407" +"H2020-EU.3.5.3.";"fr";"H2020-EU.3.5.3.";"";"";"Garantir un approvisionnement durable en matières premières non énergétiques et non agricoles";"Supply of non-energy and non-agricultural raw materials";"

Garantir un approvisionnement durable en matières premières non énergétiques et non agricoles

L'objectif est de consolider la base de connaissances sur les matières premières et de mettre au point des solutions innovantes pour assurer la prospection, l'extraction, la transformation, l'utilisation, la réutilisation, le recyclage et la récupération des matières premières à moindre coût, dans le cadre d'une utilisation efficace des ressources et dans le respect de l'environnement, et pour remplacer ces matières premières par d'autres produits intéressants du point de vue économique, respectant les principes du développement durable et moins néfastes pour l'environnement, y compris des processus et des systèmes en circuit fermé. Les activités visent avant tout à améliorer la base de connaissances sur la disponibilité des matières premières, à promouvoir l'approvisionnement durable et efficace en matières premières ainsi que l'utilisation et la réutilisation durables et efficaces de ces dernières, y compris les ressources minérales, sur terre et en mer, à trouver des matières de remplacement pour les matières premières les plus importantes et à accroître la prise de conscience de la société et les compétences en ce qui concerne les matières premières.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:35";"664407" +"H2020-EU.3.5.3.";"de";"H2020-EU.3.5.3.";"";"";"Gewährleistung einer nachhaltigen Versorgung mit nicht-energetischen und nicht-landwirtschaftlichen Rohstoffen";"Supply of non-energy and non-agricultural raw materials";"

Gewährleistung einer nachhaltigen Versorgung mit nicht-energetischen und nicht-landwirtschaftlichen Rohstoffen

Ziel ist es, mehr Erkenntnisse über Rohstoffe zu gewinnen und innovative Lösungen für die kosteneffiziente, ressourcenschonende und umweltfreundliche Exploration, Gewinnung, Verarbeitung, Verwendung, Wiederverwendung und -verwertung sowie Rückgewinnung von Rohstoffen und für deren Ersatz durch wirtschaftlich interessante und ökologisch nachhaltige Alternativen mit besserer Umweltbilanz zu entwickeln, einschließlich Kreislaufprozessen und -systemen. Schwerpunkt der Tätigkeiten ist die Verbesserung der Wissensbasis über die Verfügbarkeit von Rohstoffen, die Förderung einer nachhaltigen und effizienten Versorgung mit und Verwendung sowie Wiederverwendung von Rohstoffen, einschließlich an Land und am Meeresboden gewonnener Mineralien, die Suche nach Alternativen für kritische Rohstoffe sowie die Schärfung des gesellschaftlichen Bewusstseins und die Verbesserung der Qualifikationen im Hinblick auf Rohstoffe.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:35";"664407" +"H2020-EU.3.5.3.";"es";"H2020-EU.3.5.3.";"";"";"Garantía de un abastecimiento sostenible de materias primas no agrícolas y no energéticas";"Supply of non-energy and non-agricultural raw materials";"

Garantía de un abastecimiento sostenible de materias primas no agrícolas y no energéticas

El objetivo es mejorar la base de conocimientos sobre las materias primas y buscar soluciones innovadoras para la exploración, extracción, tratamiento, utilización, reutilización, reciclado y recuperación de materias primas de forma rentable, eficiente en la utilización de recursos y respetuosa del medio ambiente, y para su sustitución por alternativas económicamente atractivas y ecológicamente sostenibles de menor impacto ambiental inclusive sistemas y procesos de circuito cerrado. Las actividades se centrarán en: mejorar la base de conocimientos sobre la disponibilidad de materias primas; promover el abastecimiento sostenible y eficiente, la utilización y reutilización de materias primas, incluidos los recursos minerales, de la tierra y del mar; encontrar alternativas a las materias primas críticas; y mejorar la concienciación social y la capacitación en el área de las materias primas.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:35";"664407" +"H2020-Euratom-1.";"en";"H2020-Euratom-1.";"";"";"Indirect actions";"";"";"";"H2020";"H2020-Euratom";"";"";"2014-09-23 20:22:20";"664517" +"H2020-EU.3.2.3.1.";"en";"H2020-EU.3.2.3.1.";"";"";"Developing sustainable and environmentally-friendly fisheries";"";"";"";"H2020";"H2020-EU.3.2.3.";"";"";"2014-09-22 20:45:15";"664303" +"H2020-EU.3.6.1.";"es";"H2020-EU.3.6.1.";"";"";"Sociedades inclusivas";"Inclusive societies";"

Sociedades inclusivas

El objetivo es conseguir una mayor comprensión de los cambios de la sociedad europea y sus consecuencias en términos de cohesión social, y analizar y desarrollar la inclusión social, económica y política y una dinámica intercultural positiva en Europa y con los socios internacionales, a través de la ciencia de vanguardia y la interdisciplinariedad, los avances tecnológicos y las innovaciones organizativas. Las principales cuestiones que se han abordar en lo que respecta a los modelos europeos de cohesión y bienestar social son, entre otras cosas, la migración, la integración, el cambio demográfico, el envejecimiento de la población y la discapacidad, la educación y el aprendizaje permanente, así como la reducción de la pobreza y de la exclusión social, teniendo en cuenta las diferentes características regionales y culturales.La investigación en el ámbito de las Ciencias Sociales y las Humanidades desempeña aquí un papel de primer orden ya que explora los cambios que se producen en el espacio y con el transcurso del tiempo y posibilita la exploración de futuros imaginados. Europa tiene una larga historia común tanto de cooperación como de conflicto. Sus dinámicas interacciones culturales son fuente de inspiración y oportunidades. Son necesarios trabajos de investigación para comprender el sentimiento de identidad y de pertenencia en las distintas comunidades, regiones y naciones. La investigación ayudará a los responsables a diseñar políticas que promuevan el empleo, combatan la pobreza y eviten el desarrollo de diversas formas de división, conflicto y exclusión social y política, discriminación y desigualdad en las sociedades europeas, como las desigualdades de género e intergeneracionales, la discriminación por discapacidad u origen étnico, o las brechas digital y de la innovación, así como con otras regiones del mundo. En particular, efectuará aportaciones a la aplicación y adaptación de la estrategia Europa 2020 y a la acción exterior de la Unión en general.Las actividades se centrarán en la comprensión, la promoción o la aplicación de:(a) los mecanismos para promover un crecimiento inteligente, sostenible e integrador; (b) las organizaciones, prácticas, servicios y políticas fiables necesarias para construir sociedades resistentes, inclusivas, participativas, abiertas y creativas en Europa, en especial teniendo en cuenta la migración, la integración y el cambio demográfico; (c) el papel de Europa como actor mundial, en particular en cuanto a los derechos humanos y la justicia mundial; (d) la promoción de entornos sostenibles e inclusivos a través de una ordenación y concepción territorial y urbana innovadoras. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:32";"664437" +"H2020-EU.3.6.1.";"fr";"H2020-EU.3.6.1.";"";"";"Des sociétés ouvertes à tous";"Inclusive societies";"

Des sociétés ouvertes à tous

L'objectif est de mieux comprendre les changements de société en Europe et leurs répercussions sur la cohésion sociale, et d'analyser et de développer l'inclusion sociale, économique et politique ainsi que la dynamique interculturelle positive en Europe et avec les partenaires internationaux, au moyen d'activités scientifiques de pointe et de l'interdisciplinarité, d'avancées technologiques et d'innovations sur le plan de l'organisation. Les principaux défis à relever en ce qui concerne les modèles européens de cohésion sociale et de bien-être sont, notamment, l'immigration, l'intégration, l'évolution démographique, le vieillissement de la population et le handicap, l'éducation et l'apprentissage tout au long de la vie ainsi que la réduction de la pauvreté et de l'exclusion sociale, en tenant compte des différentes caractéristiques régionales et culturelles.La recherche en sciences sociales et humaines joue un rôle prépondérant dans ce contexte car elle étudie les changements spatiotemporels et permet l'analyse des avenirs envisagés. L'Europe a une longue histoire commune faite de coopération et de conflit. Ses interactions culturelles dynamiques servent d'inspiration et offrent des perspectives. La recherche est nécessaire pour comprendre le sentiment d'identité et d'appartenance selon les communautés, les régions et les nations. Elle aidera les décideurs politiques à élaborer des politiques qui permettent de favoriser l'emploi, de lutter contre la pauvreté et de prévenir le développement de diverses formes de divisions, de conflits et d'exclusions politiques et sociales, de discriminations et d'inégalités, telles que les inégalités entre les sexes et entre les générations, la discrimination due au handicap ou à l'origine ethnique, la fracture numérique ou les écarts en matière d'innovation, au sein des sociétés européennes et dans d'autres régions du monde. Elle doit en particulier alimenter le processus de mise en œuvre et d'adaptation de la stratégie Europe 2020 et l'action extérieure de l'Union au sens large.Les activités visent à comprendre et à promouvoir ou à mettre en œuvre:(a) les mécanismes permettant de favoriser une croissance intelligente, durable et inclusive; (b) les organisations, les pratiques, les services et les politiques dignes de confiance qui sont nécessaires pour construire des sociétés résilientes, inclusives, participatives, ouvertes et créatives en Europe, en tenant compte en particulier de l'immigration, de l'intégration et de l'évolution démographique; (c) le rôle de l'Europe en tant qu'acteur sur la scène mondiale, notamment en ce qui concerne les droits de l'homme et la justice mondiale; (d) la promotion d'environnements durables et ouverts à tous par un aménagement et une conception du territoire et de l'espace urbain innovants. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:32";"664437" +"H2020-EU.3.6.1.";"de";"H2020-EU.3.6.1.";"";"";"Integrative Gesellschaften";"Inclusive societies";"

Integrative Gesellschaften

Ziel ist ein besseres Verständnis des gesellschaftlichen Wandels in Europa und seiner Auswirkungen auf den sozialen Zusammenhalt sowie die Analyse und die Entwicklung der gesellschaftlichen, wirtschaftlichen und politischen Integration und einer positiven interkulturellen Dynamik in Europa und mit internationalen Partnern durch Spitzenforschung und Interdisziplinarität, technologische Fortschritte und organisatorische Innovationen. Zu den Hauptherausforderungen in Bezug auf die europäischen Modelle für den sozialen Zusammenhalt und das Wohlergehen zählen u. a.Migration, Integration, der demografische Wandel, die alternde Gesellschaft und Behinderungen, Bildung und lebenslanges Lernen sowie die Armutsbekämpfung und die soziale Ausgrenzung, wobei die unterschiedlichen regionalen und kulturellen Gegebenheiten zu beachten sind. Sozial- und Geisteswissenschaften spielen hierbei eine führende Rolle, da sie Veränderungen über Raum und Zeit hinweg erforschen und die Erforschung fiktiver Zukunftsverhältnisse ermöglichen. Europa hat eine große gemeinsame Geschichte sowohl in Form von Zusammenarbeit als auch in Form von Konflikten. Die dynamischen kulturellen Interaktionen in Europa bieten Anregungen und Chancen. Forschung ist notwendig, um die Identität von und die Zugehörigkeit zu unterschiedlichen Gemeinschaften, Regionen und Nationen zu verstehen. Die Forschung soll die politischen Entscheidungsträger bei der Festlegung von Strategien unterstützen, die der Beschäftigungsförderung, der Bekämpfung der Armut und der Vermeidung der Entwicklung verschiedener Formen von Abspaltung, Konflikten sowie politischer und sozialer Ausgrenzung, Diskriminierung und Ungleichheiten dienen, wie etwa Ungleichheiten zwischen den Geschlechtern und Generationen, Diskriminierungen aufgrund einer Behinderung oder der ethnischen Herkunft oder der digitalen Kluft oder Innovationskluft in europäischen Gesellschaften und in anderen Regionen der Welt. Sie dient insbesondere der Umsetzung und Anpassung der Strategie Europa 2020 und außenpolitischer Maßnahmen der Union im weitesten Sinn.Schwerpunkt der Tätigkeiten ist es, Folgendes zu verstehen und zu fördern bzw. einzuführen:(a) Mechanismen für die Förderung eines intelligenten, nachhaltigen und integrativen Wachstums; (b) bewährte Organisationsstrukturen, Verfahren, Dienstleistungen und Strategien, die für den Aufbau widerstandsfähiger, integrativer, offener und kreativer Gesellschaften in Europa erforderlich sind, insbesondere unter Berücksichtigung der Migration, der Integration und des demografischen Wandels; (c) Rolle Europas als globaler Akteur, insbesondere in Bezug auf Menschenrechte und globales Recht; (d) Förderung eines nachhaltigen und integrativen Umfelds durch innovative Raum- und Stadtplanung. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:32";"664437" +"H2020-EU.3.6.1.";"it";"H2020-EU.3.6.1.";"";"";"Società inclusive";"Inclusive societies";"

Società inclusive

L'obiettivo è comprendere meglio i cambiamenti sociali in atto in Europa e il loro impatto sulla coesione sociale e analizzare e sviluppare l'inclusione sociale, economica e politica e le dinamiche interculturali positive in Europa e con i partner internazionali, per mezzo di una scienza d'avanguardia e di un approccio interdisciplinare, di progressi tecnologici e innovazioni organizzative. Le sfide principali da affrontare in materia di modelli europei di coesione sociale e benessere sono tra l'altro la migrazione, l'integrazione, il cambiamento demografico, l'invecchiamento della società e la disabilità, l'istruzione e l'apprendimento permanente nonché la riduzione della povertà e dell'esclusione sociale, tenendo conto delle diverse caratteristiche regionali e culturali.La ricerca nell'ambito delle scienze sociali e delle discipline umanistiche svolge un ruolo di guida, in quanto osserva le mutazioni nel tempo e nello spazio e permette di esplorare futuri possibili. L'Europa ha una lunga storia comune di cooperazione e conflitto. Le sue interazioni culturali dinamiche offrono ispirazione e opportunità. La ricerca è necessaria per comprendere l'identità e l'appartenenza a livello di comunità, regioni e nazioni. La ricerca sosterrà i responsabili politici nella definizione di politiche che sostengano l'occupazione, lottino contro la povertà e prevengano lo sviluppo di diverse forme di separazione, conflitto ed esclusione politica e sociale, discriminazioni e disuguaglianze, quali le disuguaglianze di genere e intergenerazionali, la discriminazione a causa della disabilità o dell'origine etnica e i divari digitali o in materia di innovazione, nelle società europee e nelle altre regioni del mondo. In particolare la ricerca contribuisce all'attuazione e all'adattamento della strategia Europa 2020 e della più ampia azione esterna dell'Unione.Le attività si concentrano sulla comprensione e l'incentivazione o attuazione dei seguenti elementi:(a) i meccanismi per promuovere una crescita intelligente, sostenibile e inclusiva; (b) le organizzazioni di fiducia, le pratiche, le politiche e i servizi che sono necessari per la costruzione di società adattabili, inclusive, partecipative, aperte e creative in Europa, tenendo conto in particolare della migrazione, dell'integrazione e del cambiamento demografico; (c) il ruolo di attore mondiale dell'Europa, segnatamente per quanto riguarda i diritti umani e la giustizia nel mondo; (d) la promozione degli ambienti sostenibili e inclusivi mediante pianificazione e progettazione territoriali e urbane innovative. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:32";"664437" +"H2020-EU.3.6.1.";"pl";"H2020-EU.3.6.1.";"";"";"Społeczeństwa integracyjne";"Inclusive societies";"

Społeczeństwa integracyjne

Celem jest lepsze zrozumienie zmian społecznych w Europie i ich wpływu na spójność społeczną oraz analiza i rozwój integracji społecznej, gospodarczej i politycznej, a także pozytywnej dynamiki międzykulturowej w Europie i w stosunkach z partnerami międzynarodowymi, poprzez pionierską działalność naukową i interdyscyplinarność, postępy technologiczne i innowacje organizacyjne. Główne wyzwania, jakim trzeba stawić czoła w przypadku europejskich modeli spójności społecznej i dobrobytu, to m.in. migracja, integracja, zmiany demograficzne, starzenie się społeczeństwa i niepełnosprawność, edukacja i uczenie się przez całe życie, a także redukcja ubóstwa i wykluczenia społecznego przy uwzględnieniu różnych uwarunkowań regionalnych i kulturowych.Badania w dziedzinie nauk społecznych i humanistycznych odgrywają tutaj wiodącą rolę, ponieważ analizują zmiany zachodzące w czasie i przestrzeni i umożliwiają sprawdzenie tworzonych w wyobraźni wizji przyszłości. Europa ma ogromną wspólną historię zarówno współpracy, jak i konfliktu. Jej dynamiczne interakcje kulturalne dostarczają inspiracji i możliwości. Niezbędne są badania naukowe pozwalające zrozumieć tożsamość i poczucie przynależności do poszczególnych społeczności, regionów i narodów. Badania naukowe zapewnią decydentom wsparcie w kształtowaniu polityki sprzyjającej zatrudnieniu, zwalczającej ubóstwo i zapobiegającej rozwojowi różnych form podziałów, konfliktów oraz wykluczenia politycznego i społecznego, dyskryminacji i nierówności, takich jak nierówności płci i nierówności międzypokoleniowe, dyskryminacji ze względu na niepełnosprawność lub pochodzenie etniczne lub nierówny dostęp do technologii cyfrowych lub innowacji, w społeczeństwach europejskich, jak również w stosunku do innych regionów świata. W szczególności badania naukowe mają przyczynić się do wdrożenia i dostosowania strategii „Europa 2020” oraz szerokich działań zewnętrznych Unii.Działania mają skoncentrować się na zrozumieniu i wspieraniu bądź wdrażaniu:(a) mechanizmów promowania inteligentnego i trwałego wzrostu gospodarczego sprzyjającego włączeniu społecznemu; (b) zaufanych organizacji, praktyk, usług i polityk, które są konieczne, aby zbudować odporne integracyjne, partycypacyjne, otwarte i kreatywne społeczeństwa w Europie, ze szczególnym uwzględnieniem migracji, integracji i zmian demograficznych; (c) roli Europy jako globalnego podmiotu, w szczególności w dziedzinie praw człowieka i wymiaru sprawiedliwości na świecie; (d) promowania zrównoważonych i integracyjnych środowisk poprzez innowacyjne planowanie i projektowanie przestrzenne i urbanistykę. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:32";"664437" +"H2020-EU.3.6.1.";"en";"H2020-EU.3.6.1.";"";"";"Inclusive societies";"Inclusive societies";"

Inclusive societies

The aim is to gain a greater understanding of the societal changes in Europe and their impact on social cohesion, and to analyse and develop social, economic and political inclusion and positive inter-cultural dynamics in Europe and with international partners, through cutting-edge science and interdisciplinarity, technological advances and organisational innovations. The main challenges to be tackled concerning European models for social cohesion and well-being are, inter alia, migration, integration, demographic change, the ageing society and disability, education and lifelong learning, as well as the reduction of poverty and social exclusion taking into account the different regional and cultural characteristics.Social sciences and humanities research plays a leading role here as it explores changes over time and space and enables exploration of imagined futures. Europe has a huge shared history of both co-operation and conflict. Its dynamic cultural interactions provide inspiration and opportunities. Research is needed to understand identity and belonging across communities, regions and nations. Research will support policymakers in designing policies that foster employment, combat poverty and prevent the development of various forms of divisions, conflict and political and social exclusion, discrimination and inequalities, such as gender and intergenerational inequalities, discrimination due to disability or ethnic origin, or digital or innovation divides, in European societies and in other regions of the world. It shall in particular feed into the implementation and the adaptation of the Europe 2020 strategy and the broad external action of the Union.The focus of activities shall be to understand and foster or implement:(a) the mechanisms to promote smart, sustainable and inclusive growth; (b) trusted organisations, practices, services and policies that are necessary to build resilient, inclusive, participatory, open and creative societies in Europe, in particular taking into account migration, integration and demographic change; (c) Europe's role as a global actor, notably regarding human rights and global justice; (d) the promotion of sustainable and inclusive environments through innovative spatial and urban planning and design. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:32";"664437" +"H2020-EU.4.a.";"en";"H2020-EU.4.a.";"";"";"Teaming of excellent research institutions and low performing RDI regions";"Teaming of research institutions and low performing regions";"

Teaming of excellent research institutions and low performing RDI regions

aiming at the creation of new (or significant upgrade of existing) centres of excellence in low performing RDI Member States and regions.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:00";"664483" +"H2020-EU.4.a.";"es";"H2020-EU.4.a.";"";"";"Creación de nuevos centros de excelencia";"Teaming of research institutions and low performing regions";"

Creación de nuevos centros de excelencia

(o mejora considerable de los ya existentes) en los Estados miembros y regiones con menor rendimiento de desarrollo tecnológico e innovación.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:00";"664483" +"H2020-EU.4.a.";"pl";"H2020-EU.4.a.";"";"";"łączeniu w zespoły najlepszych instytucji badawczych (ang. teaming) oraz przedstawicieli regionów osiągających słabe wyniki w zakresie badań, rozwoju i innowacji,";"Teaming of research institutions and low performing regions";"

łączeniu w zespoły najlepszych instytucji badawczych (ang. teaming) oraz przedstawicieli regionów osiągających słabe wyniki w zakresie badań, rozwoju i innowacji,

co będzie miało na celu utworzenie nowych (lub znaczące podniesienie statusu istniejących) centrów doskonałości w państwach członkowskich i regionach osiągających słabe wyniki w zakresie badań, rozwoju i innowacji. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:00";"664483" +"H2020-EU.4.a.";"fr";"H2020-EU.4.a.";"";"";"Faire travailler ensemble des institutions de recherche d'excellence et des régions peu performantes en matière de recherche, de développement et d'innovation ";"Teaming of research institutions and low performing regions";"

Faire travailler ensemble des institutions de recherche d'excellence et des régions peu performantes en matière de recherche, de développement et d'innovation

L'objectif étant de créer de nouveaux centres d'excellence (ou de remettre à niveau ceux qui existent) dans les États membres et les régions peu performants en matière de recherche, de développement et d'innovation.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:00";"664483" +"H2020-EU.4.a.";"de";"H2020-EU.4.a.";"";"";"Zusammenführung von exzellenten Forschungseinrichtungen und hinsichtlich Forschung, Entwicklung und Innovation leistungsschwachen Regionen";"Teaming of research institutions and low performing regions";"

Zusammenführung von exzellenten Forschungseinrichtungen und hinsichtlich Forschung, Entwicklung und Innovation leistungsschwachen Regionen

mit dem Ziel, neue Exzellenzzentren in den hinsichtlich Forschung, Entwicklung und Innovation leistungsschwachen Mitgliedstaaten und Regionen zu schaffen (oder bestehende Zentren umfassend aufzurüsten).";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:00";"664483" +"H2020-EU.4.a.";"it";"H2020-EU.4.a.";"";"";"Raggruppamento di istituti di ricerca di eccellenza e regioni con prestazioni meno soddisfacenti dal punto di vista dell'RSI";"Teaming of research institutions and low performing regions";"

Raggruppamento di istituti di ricerca di eccellenza e regioni con prestazioni meno soddisfacenti dal punto di vista dell'RSI

Miranti a creare nuovi centri di eccellenza (o a migliorare in modo significativo quelli esistenti) in Stati membri e regioni con prestazioni meno soddisfacenti dal punto di vista dell'RSI.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:00";"664483" +"H2020-EU.3.6.3.2.";"en";"H2020-EU.3.6.3.2.";"";"";"Research into European countries' and regions' history, literature, art, philosophy and religions and how these have informed contemporary European diversity";"";"";"";"H2020";"H2020-EU.3.6.3.";"";"";"2015-01-23 18:42:15";"664459" +"H2020-EU.4.c.";"fr";"H2020-EU.4.c.";"";"";"Instaurer des «chaires EER»";"ERA chairs";"

Instaurer des «chaires EER»

Instaurer des «chaires EER» pour attirer des universitaires de renom dans des institutions ayant un clair potentiel d'excellence dans la recherche, afin d'aider ces institutions à libérer pleinement ce potentiel et créer de ce fait des conditions de concurrence égales pour la recherche et l'innovation dans l'EER. Il faudrait étudier les possibilités de synergies avec les activités du CER.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:07";"664487" +"H2020-EU.4.c.";"pl";"H2020-EU.4.c.";"";"";"Ustanowieniu „katedr EPB” (ang. „ERA chairs”)";"ERA chairs";"

Ustanowieniu „katedr EPB” (ang. „ERA chairs”)

w celu przyciągnięcia wybitnych przedstawicieli środowisk akademickich do instytucji dysponujących wyraźnym potencjałem doskonałości badawczej, aby pomóc tym instytucjom w pełni uwolnić ich potencjał i stworzyć tym samym równe warunki działania w zakresie badań naukowych i innowacji w EPB. Należy zbadać możliwość synergii z działalnością Europejskiej Rady ds. Badań Naukowych.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:07";"664487" +"H2020-EU.4.c.";"de";"H2020-EU.4.c.";"";"";"Einrichtung von EFR-Lehrstühlen";"ERA chairs";"

Einrichtung von EFR-Lehrstühlen

um herausragende Wissenschaftler für Einrichtungen mit einem eindeutigen Potenzial für Exzellenz in der Forschung zu interessieren, damit diese Einrichtungen ihr Potenzial in vollem Umfang freisetzen können und so im Europäischen Forschungsraum gleichberechtigte Bedingungen für Forschung und Innovation entstehen. Mögliche Synergien mit den Tätigkeiten des ERC sollten erforscht werden.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:07";"664487" +"H2020-EU.4.c.";"it";"H2020-EU.4.c.";"";"";"Istituzione di cattedre ""SER""";"ERA chairs";"

Istituzione di cattedre ""SER""

Per attirare accademici di alto livello negli istituti con un chiaro potenziale di ricerca di eccellenza, al fine di aiutare tali istituti a realizzare pienamente il loro potenziale e creare così condizioni eque per la ricerca e l'innovazione nel SER. Occorre esplorare possibili sinergie con le attività del CER.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:07";"664487" +"H2020-EU.4.c.";"es";"H2020-EU.4.c.";"";"";"Establecimiento de ""cátedras del EEI""";"ERA chairs";"

Establecimiento de ""cátedras del EEI""

para atraer a personal prominente de las instituciones académicas a instituciones que tengan un claro potencial para la excelencia en la investigación con el fin de ayudar a dichas instituciones a desarrollar plenamente su potencial y lograr así un contexto de igualdad de oportunidades para el impulso de la investigación y la innovación en el EEI. Deberían explorarse posibles sinergias con las actividades del Consejo Europeo de Investigación.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:07";"664487" +"H2020-EU.3.3.8.1.";"en";"H2020-EU.3.3.8.1.";"";"";"Increase the electrical efficiency and the durability of the different fuel cells used for power production to levels which can compete with conventional technologies, while reducing costs";"";"";"";"H2020";"H2020-EU.3.3.8.";"";"";"2014-09-22 21:40:04";"665335" +"H2020-EU.3.5.1.";"it";"H2020-EU.3.5.1.";"";"";"Lotta e adattamento ai cambiamenti climatici";"Fighting and adapting to climate change";"

Lotta e adattamento ai cambiamenti climatici

Lo scopo è sviluppare e valutare misure e strategie di adattamento e attenuazione innovative, efficienti in termini di costi e sostenibili concernenti i gas ad effetto serra e gli aerosol (CO2 e diversi dal CO2), sottolineando le soluzioni verdi tecnologiche e non, attraverso la produzione di prove finalizzata a un'azione informata, tempestiva ed efficace e la messa in rete delle competenze richieste. Le attività si concentrano sul miglioramento della comprensione dei cambiamenti climatici e dei rischi associati ai fenomeni estremi nonché ai cambiamenti improvvisi legati al clima al fine di fornire proiezioni climatiche affidabili, sulla valutazione degli impatti a livello globale, regionale e locale e delle vulnerabilità, sullo sviluppo di misure di adeguamento e di prevenzione e gestione dei rischi innovative ed efficienti in termini di costi e sul sostegno alle politiche e alle strategie di mitigazione, tra cui gli studi incentrati sull'impatto di altre politiche settoriali.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:05";"664391" +"H2020-EU.3.5.1.";"de";"H2020-EU.3.5.1.";"";"";"Klimaschutz und Anpassung an den Klimawandel";"Fighting and adapting to climate change";"

Klimaschutz und Anpassung an den Klimawandel

Ziel ist die Entwicklung und Bewertung innovativer, kosteneffizienter und nachhaltiger Anpassungs- und Minderungsmaßnahmen und -strategien, die auf CO2 und andere Treibhausgase und Aerosole und sowohl technologische als auch nichttechnologische ""grüne"" Lösungen abstellen, indem Daten generiert werden, die es ermöglichen, in Kenntnis der Sachlage frühzeitige und wirksame Maßnahmen zu treffen und die notwendigen Kompetenzen zu vernetzen. Schwerpunkt der Tätigkeiten sind ein besseres Verständnis des Klimawandels und der Gefahren, die mit Extremereignissen und abrupten klimabezogenen Veränderungen verbunden sind, im Hinblick auf die Bereitstellung zuverlässiger Klimaprojektionen, die Bewertung der Folgen auf globaler, regionaler und lokaler Ebene, Schwachstellen, die Entwicklung innovativer und kosteneffizienter Anpassungs- und Risikovermeidungs- und -bewältigungsmaßnahmen sowie die Unterstützung von Minderungsstrategien, einschließlich Studien mit Schwerpunkt auf den Auswirkungen anderer sektorbezogener Strategien.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:05";"664391" +"H2020-EU.3.5.1.";"fr";"H2020-EU.3.5.1.";"";"";"Combattre le changement climatique et s'y adapter";"Fighting and adapting to climate change";"

Combattre le changement climatique et s'y adapter

L'objectif est de définir et d'étudier des mesures et des stratégies d'adaptation et d'atténuation qui soient à la fois novatrices, économiquement avantageuses et durables concernant les gaz à effet de serre (CO2 et autres) et les aérosols, et qui viennent appuyer des solutions écologiques, technologiques ou non, grâce à la production de données utiles à l'adoption, en connaissance de cause, de mesures précoces et efficaces et grâce à la mise en réseau des compétences requises. Les activités viseront essentiellement à améliorer la compréhension du phénomène du changement climatique et des risques associés aux évènements extrêmes et aux changements brutaux liés au climat afin de fournir des projections fiables en la matière; à évaluer les impacts au niveau mondial, régional et local, ainsi que les vulnérabilités; à élaborer des mesures d'adaptation, de prévention et de gestion des risques novatrices et présentant un bon rapport coût-efficacité; et à soutenir les politiques et stratégies d'atténuation, y compris les études qui portent sur l'impact des autres politiques sectorielles.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:05";"664391" +"H2020-EU.3.5.1.";"pl";"H2020-EU.3.5.1.";"";"";"Walka ze zmianą klimatu i przystosowanie się do niej";"Fighting and adapting to climate change";"

Walka ze zmianą klimatu i przystosowanie się do niej

Celem jest rozwój i ocena innowacyjnych, racjonalnych pod względem kosztów i zrównoważonych środków i strategii łagodzących zmianę klimatu i umożliwiających przystosowanie się do niej, dotyczących emisji gazów cieplarnianych i aerozoli zawierających CO2 i niezawierających go, uwzględniających ekologiczne rozwiązania technologiczne i nietechnologiczne, poprzez gromadzenie danych na potrzeby merytorycznych, wczesnych i skutecznych działań oraz tworzenie sieci podmiotów dysponujących odpowiednimi kompetencjami. Działania mają się koncentrować na: poprawie zrozumienia zmiany klimatu i zagrożeń związanych ze zdarzeniami ekstremalnymi i nagłymi zmianami dotyczącymi klimatu, co ma służyć przygotowaniu wiarygodnych prognoz w tym zakresie; ocenie skutków na poziomie globalnym, regionalnym i lokalnym oraz słabych punktów; na opracowaniu innowacyjnych, efektywnych kosztowo środków przystosowania się do zmiany klimatu i zapobiegania ryzyku oraz zarządzania ryzykiem oraz wspieraniu polityk oraz strategii związanych z łagodzeniem zmiany klimatu, w tym badań, których głównym przedmiotem jest oddziaływanie polityk prowadzonych w innych sektorach. ";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:05";"664391" +"H2020-EU.3.5.1.";"es";"H2020-EU.3.5.1.";"";"";"Lucha contra el cambio climático y adaptación al mismo";"Fighting and adapting to climate change";"

Lucha contra el cambio climático y adaptación al mismo

El objetivo es desarrollar y evaluar medidas y estrategias de adaptación y mitigación innovadoras, rentables y sostenibles, referidas tanto al CO2 como a otros gases de efecto invernadero y aerosoles, que propongan soluciones ""verdes"" tanto tecnológicas como no tecnológicas, mediante la generación de datos para actuar con prontitud, eficacia y conocimiento de causa y poner en red las competencias necesarias. Las actividades se centrarán en: mejorar la comprensión del cambio climático y los riesgos asociados con los fenómenos extremos y los cambios abruptos relacionados con el clima con el fin de proporcionar proyecciones climáticas fiables; evaluar los impactos a escala mundial, regional y local y puntos vulnerables y elaborar medidas rentables e innovadoras de adaptación, y de prevención y gestión del riesgo; respaldar las políticas y estrategias de mitigación, incluidos los estudios que se centran en el impacto de otras políticas sectoriales.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:05";"664391" +"H2020-EU.3.1.5.3.";"en";"H2020-EU.3.1.5.3.";"";"";"Using in-silico medicine for improving disease management and prediction";"";"";"";"H2020";"H2020-EU.3.1.5.";"";"";"2014-09-22 20:44:18";"664273" +"H2020-EU.3.3.8.2.";"en";"H2020-EU.3.3.8.2.";"";"";"Increase the energy efficiency of production of hydrogen mainly from water electrolysis and renewable sources while reducing operating and capital costs, so that the combined system of the hydrogen production and the conversion using the fuel cell system can compete with the alternatives for electricity production available on the market";"";"";"";"H2020";"H2020-EU.3.3.8.";"";"";"2014-09-22 21:40:08";"665337" +"H2020-EU.3.1.6.2.";"en";"H2020-EU.3.1.6.2.";"";"";"Optimising the efficiency and effectiveness of healthcare provision and reducing inequalities by evidence based decision making and dissemination of best practice, and innovative technologies and approaches";"";"";"";"H2020";"H2020-EU.3.1.6.";"";"";"2014-09-22 20:44:29";"664279" +"H2020-EU.3.1.4.1.";"en";"H2020-EU.3.1.4.1.";"";"";"Active ageing, independent and assisted living";"";"";"";"H2020";"H2020-EU.3.1.4.";"";"";"2014-09-22 20:44:00";"664263" +"H2020-EU.4.c.";"en";"H2020-EU.4.c.";"";"";"Establishing ‚ERA Chairs’";"ERA chairs";"

Establishing ‚ERA Chairs’

to attract outstanding academics to institutions with a clear potential for research excellence, in order to help these institutions fully unlock this potential and hereby create a level playing field for research and innovation in the ERA. Possible synergies with ERC activities should be explored.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:07";"664487" +"H2020-EU.3.5.1.";"en";"H2020-EU.3.5.1.";"";"";"Fighting and adapting to climate change";"Fighting and adapting to climate change";"

Fighting and adapting to climate change

The aim is to develop and assess innovative, cost-effective and sustainable adaptation and mitigation measures and strategies, targeting both CO2 and non-CO2 greenhouse gases and aerosols, and underlining both technological and non technological green solutions, through the generation of evidence for informed, early and effective action and the networking of the required competences. Activities shall focus on improving the understanding of climate change and the risks associated with extreme events and abrupt climate-related changes with a view to providing reliable climate projections; assessing impacts at global, regional and local level, and vulnerabilities; developing innovative cost-effective adaptation and risk prevention and management measures; and supporting mitigation policies and strategies, including studies that focus on impact from other sectoral policies.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:05";"664391" +"H2020-EU.3.6.1.2.";"en";"H2020-EU.3.6.1.2.";"";"";"Trusted organisations, practices, services and policies that are necessary to build resilient, inclusive, participatory, open and creative societies in Europe, in particular taking into account migration, integration and demographic change";"";"";"";"H2020";"H2020-EU.3.6.1.";"";"";"2014-09-22 20:49:39";"664441" +"H2020-EU.3.7.1.";"en";"H2020-EU.3.7.1.";"";"";"Fight crime, illegal trafficking and terrorism, including understanding and tackling terrorist ideas and beliefs";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2014-09-22 20:50:27";"664465" +"H2020-EU.2.1.3.";"de";"H2020-EU.2.1.3.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Fortgeschrittene Werkstoffe";"Advanced materials";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien - Fortgeschrittene Werkstoffe

Einzelziel für fortgeschrittene Werkstoffe

Einzelziel der Forschung und Innovation auf dem Gebiet der fortgeschrittenen Werkstoffe ist die Entwicklung von Werkstoffen mit neuen Funktionalitäten und verbesserter Leistung in der Anwendung, um die Zahl der wettbewerbsfähigen und sicheren Produkte mit möglichst geringen Umweltauswirkungen und geringem Ressourcenverbrauch zu erhöhen.Werkstoffe stehen als wichtige Grundlage im Mittelpunkt der industriellen Innovation. Fortgeschrittene Werkstoffe, in denen noch mehr Wissen steckt, die neue Funktionalitäten und eine höhere Leistung haben, sind für die industrielle Wettbewerbsfähigkeit und nachhaltige Entwicklung für eine große Bandbreite von Anwendungen und Sektoren unerlässlich.

Begründung und Mehrwert für die Union

Für die Entwicklung leistungsfähigerer und nachhaltiger Produkte und Verfahren sowie für die Substitution knapper Ressourcen sind neue fortgeschrittene Werkstoffe notwendig. Diese Werkstoffe werden uns mit ihrer höheren Nutzleistung, ihrem niedrigeren Ressourcen- und Energieverbrauch sowie mit ihrer Nachhaltigkeit während der gesamten Lebensdauer der Produkte helfen, die industriellen und gesellschaftlichen Herausforderungen zu bewältigen.Die anwendungsorientierte Entwicklung erfordert häufig die Konzeption vollständig neuer Werkstoffe, die in der Lage sind, die angestrebten Leistungen in der Anwendung zu erbringen. Diese Werkstoffe sind ein wichtiges Glied in der Kette zur Herstellung hochwertiger Produkte. Auch sind sie die Grundlage für den Fortschritt in Querschnittstechnologien (etwa bei Technologien im Bereich der Gesundheitsfürsorge sowie in den Biowissenschaften, der Elektronik und Photonik) sowie in geradezu allen Marktsektoren. Wert- und Leistungssteigerungen eines Produkts hängen vor allem von den Werkstoffen selbst ab. Mit einer jährlichen Wachstumsrate von etwa 6 % und einer erwarteten Marktgröße von etwa 100 Mrd. EUR bis 2015 kommt den fortgeschrittenen Werkstoffen hinsichtlich Wertschöpfung und Stellenwert erhebliche Bedeutung zu.Bei der Konzeption der Werkstoffe wird der gesamte Lebenszyklus – von der Bereitstellung der verfügbaren Werkstoffe bis zum Ende des Lebenszyklus – berücksichtigt, wobei mit innovativen Ansätzen der Einsatz von Ressourcen (auch von Energie) während ihrer Verarbeitung minimiert wird oder die negativen Auswirkungen auf Mensch und Umwelt so gering wie möglich gehalten werden. Diese Betrachtung erstreckt sich auch auf die fortgesetzte Nutzung, die Verwertung oder eine Sekundärnutzung am Ende des Lebenszyklus der Werkstoffe sowie auf entsprechende gesellschaftliche Innovationen wie Änderungen im Verbraucherverhalten und neue Geschäftsmodelle.Um den Fortschritt zu beschleunigen, wird ein multidisziplinärer und konvergenter Ansatz gefördert, der sich auf Chemie, Physik, Ingenieurwissenschaften, theoretische Modelle und Computermodelle, Biowissenschaften und zunehmend auch auf kreatives Industriedesign stützt.Neuartige Allianzen ""grüner"" Innovationen und industrielle Symbiosen werden gefördert, um Unternehmen in die Lage zu versetzen und zu diversifizieren, ihre Geschäftsmodelle auszuweiten und ihre Abfallstoffe als Grundlage für neue Produktionen zu nutzen.

Einzelziele und Tätigkeiten in Grundzügen

(a) Übergreifende und grundlegende Werkstofftechnologien

Forschung zu individuell entwickelten Werkstoffen sowie zu funktionalen und multifunktionalen Werkstoffen mit höherem Know-how-Gehalt, neuen Funktionsmerkmalen und verbesserter Leistung und zu Strukturwerkstoffen für Innovationen in allen Industriesektoren einschließlich der Kreativbranchen.

(b) Entwicklung und Transformation von Werkstoffen

Forschung und Entwicklung im Hinblick auf künftige Produkte, die im Industriemaßstab effizient, sicher und nachhaltig konzipiert und hergestellt werden können, wobei das Endziel in einem ""abfallfreien"" Werkstoffmanagement in Europa besteht.

(c) Management von Werkstoffkomponenten

Forschung und Entwicklung neuer und innovativer Techniken für Materialien und ihre Komponenten und Systeme.

(d) Werkstoffe für eine nachhaltige und ressourcenschonende Industrie mit geringen Emissionen

Entwicklung neuer Produkte, Anwendungen und Geschäftsmodelle sowie Beitrag zu einem verantwortungsbewussten energiesparenden Verbraucherverhalten sowie zu einer Produktion mit niedrigem CO2-Ausstoß.

(e)Werkstoffe für kreative Branchen, einschließlich Kulturerbe

Anwendung von Design und Entwicklung konvergierender Technologien zur Erschließung neuer Geschäftsmöglichkeiten, einschließlich Erhalt und Restaurierung von Material von historischem oder kulturellem Wert, sowie neuartiger Werkstoffe.

(f) Metrologie, Merkmalsbeschreibung, Normung und Qualitätskontrolle

Förderung von Technologien wie Merkmalsbestimmung, nichtdestruktive Bewertung, laufende Beurteilung und Überwachung und Modelle für Leistungsprognosen für den Fortschritt und Folgewirkungen in der Werkstoffwissenschaft und -technik.

(g) Optimierung des Werkstoffeinsatzes

Forschung und Entwicklung zur Untersuchung von Substitutionen und Alternativen für den Einsatz von Werkstoffen und innovativen Ansätzen für Geschäftsmodelle sowie Identifizierung kritischer Ressourcen.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:15";"664173" +"H2020-EU.2.1.3.";"it";"H2020-EU.2.1.3.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali - Materiali avanzati";"Advanced materials";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali - Materiali avanzati

Obiettivo specifico dei materiali avanzati

L'obiettivo specifico della ricerca e dell'innovazione nei materiali avanzati è sviluppare materiali con nuove funzionalità e migliori prestazioni d'uso, per prodotti più competitivi e sicuri che consentano di ridurre al minimo l'impatto sull'ambiente e il consumo delle risorse.I materiali sono al centro dell'innovazione industriale e rappresentano fattori determinanti. I materiali avanzati a più elevato contenuto di conoscenze, dotati di nuove funzionalità e migliori prestazioni, sono indispensabili per la competitività industriale e lo sviluppo sostenibile in una vasta gamma di applicazioni e settori.

Motivazione e valore aggiunto dell'Unione

Per sviluppare prodotti e processi più sostenibili e con migliori prestazioni e sostituire risorse scarse sono necessari nuovi materiali avanzati. Tali materiali costituiscono parte della soluzione alle sfide industriali e per la società che ci troviamo davanti, poiché offrono migliori prestazioni d'uso, minori requisiti per l'uso di risorse ed energia, nonché la sostenibilità nel corso dell'intero ciclo di vita dei prodotti.Lo sviluppo orientato sulle applicazioni spesso comporta la progettazione di materiali del tutto nuovi e in grado di fornire le prestazioni di servizio previste. Tali materiali sono un elemento importante nella catena di approvvigionamento della fabbricazione di valore elevato. Essi costituiscono inoltre la base per realizzare progressi in settori tecnologici trasversali (ad esempio le tecnologie sanitarie, le bioscienze, l'elettronica e la fotonica) e praticamente in tutti i settori di mercato. I materiali stessi rappresentano un passo fondamentale per aumentare il valore dei prodotti e le loro prestazioni. Il valore e l'impatto stimati dei materiali avanzati sono significativi, con un tasso di crescita annuo di circa il 6 % e una dimensione di mercato prevista dell'ordine di 100 miliardi di EUR entro il 2015.I materiali sono progettati secondo un approccio basato sul ciclo di vita completo, dalla fornitura di materiali disponibili fino alla fine della vita (""dalla culla alla culla""), con approcci innovativi per ridurre al minimo le risorse, compresa l'energia, necessarie per la loro trasformazione o per ridurre al minimo l'impatto negativo sull'uomo e sull'ambiente. Sono integrati anche l'uso continuo, il riciclaggio o l'utilizzazione secondaria dei materiali arrivati a fine ciclo nonché la pertinente innovazione sociale, quali i cambiamenti nel comportamento dei consumatori e i nuovi modelli commerciali.Per accelerare i progressi si incoraggia un approccio pluridisciplinare e convergente che inglobi la chimica, la fisica, l'ingegneria, la modellizzazione teorica e computazionale, le scienze biologiche e una progettazione industriale sempre più creativa.Si incoraggiano le nuove alleanze verdi per l'innovazione e le simbiosi industriali che consentono alle industrie di diversificare ed espandere il proprio modello commerciale, riutilizzare i rifiuti come base per le nuove produzioni.

Le grandi linee delle attività

(a) Tecnologie trasversali e abilitanti in materia di materiali

Ricerca sui materiali in base alla progettazione, sui materiali funzionali, sui materiali multifunzionali a più elevata intensità di conoscenze, dotati di nuove funzionalità e migliori prestazioni, e sui materiali strutturali per l'innovazione in tutti i settori industriali, comprese le industrie creative.

(b) Sviluppo e trasformazione di materiali

Ricerca e sviluppo per garantire uno sviluppo e un ampliamento di scala efficienti, sicuri e sostenibili volti a consentire la produzione industriale di futuri prodotti basati sulla progettazione verso una gestione a bassa produzione di rifiuti dei materiali in Europa.

(c) Gestione dei componenti dei materiali

Ricerca e sviluppo di tecniche nuove e innovative per materiali e relativi componenti e sistemi.

(d) Materiali per un'industria sostenibile, efficiente sotto il profilo delle risorse e a basse emissioni

Sviluppo di nuovi prodotti e applicazioni, di modelli commerciali e comportamenti responsabili dei consumatori in grado di ridurre la domanda di energia nonché di agevolare la produzione a basse emissioni di carbonio.

(e) Materiali per le industrie creative, comprese quelle relative al patrimonio

Applicazione, progettazione e sviluppo di tecnologie convergenti per creare nuove opportunità commerciali, tra cui la conservazione e il ripristino dei materiali con valore storico o culturale nonché i nuovi materiali.

(f) Metrologia, caratterizzazione, standardizzazione e controllo di qualità

Promozione delle tecnologie quali la caratterizzazione, la valutazione non distruttiva, l'esame e il monitoraggio continui e la modellizzazione di tipo predittivo delle prestazioni per consentire progressi e impatto nella scienza e nell'ingegneria dei materiali.

(g) Ottimizzazione dell'impiego di materiali

Ricerca e sviluppo per lo studio di surrogati e soluzioni alternative all'utilizzo di alcuni materiali e lo studio di approcci innovativi in materia di modelli aziendali e individuazione delle risorse essenziali.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:15";"664173" +"H2020-EU.2.1.3.";"es";"H2020-EU.2.1.3.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación - Materiales avanzados";"Advanced materials";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación - Materiales avanzados

Objetivo específico para los materiales avanzados

El objetivo específico de la investigación y la innovación sobre materiales avanzados es elaborar materiales con nuevas funcionalidades y mejor rendimiento en el servicio, a fin de obtener productos más competitivos y seguros que reduzcan al máximo el impacto sobre el medio ambiente y el consumo de recursos.Los materiales están en el núcleo de la innovación industrial y son facilitadores clave. Unos materiales avanzados con mayor contenido de conocimientos, nuevas funcionalidades y mejor rendimiento son indispensables para la competitividad industrial y el desarrollo sostenible en toda una amplia gama de aplicaciones y sectores.

Justificación y valor añadido de la Unión

Son necesarios nuevos materiales avanzados para desarrollar productos y procesos sostenibles y de mejor comportamiento, así como para sustituir recursos escasos. Estos materiales forman parte de la solución a nuestros retos industriales y de la sociedad, al ofrecer un mejor rendimiento en su utilización, un menor consumo de recursos y energía, y sostenibilidad durante todo el ciclo de vida de los productos.El desarrollo impulsado por las aplicaciones implica a menudo el diseño de materiales totalmente nuevos, con capacidad para entregar en el servicio las prestaciones planificadas. Estos materiales constituyen un elemento importante de la cadena de suministro de la fabricación de alto valor. También son la base para el progreso en ámbitos tecnológicos de carácter transversal (por ejemplo, tecnologías de asistencia sanitaria, biociencias, electrónica y fotónica), y en prácticamente todos los sectores del mercado. Los propios materiales representan un paso clave para aumentar el valor de los productos y sus prestaciones. El valor estimado y el impacto de los materiales avanzados es significativo, con una tasa de crecimiento anual del 6 % aproximadamente, previéndose que su mercado ascienda a unos 100 000 millones EUR en 2015.Los materiales se concebirán con arreglo a un enfoque del ciclo de vida completo, desde el suministro de los materiales disponibles hasta el final de su vida (""de la cuna a la cuna""), con enfoques innovadores para minimizar los recursos (incluida la energía) necesarios para su transformación o para reducir al máximo los impactos negativos para las personas y el medio ambiente. También se abordarán el uso continuo, el reciclado o la utilización secundaria al final de su vida útil de los materiales, así como la innovación social conexa, como los cambios en el comportamiento de los consumidores y los nuevos modelos de negocio.Con vistas a acelerar el progreso, se fomentará un planteamiento convergente y multidisciplinario, en el que intervengan la química, la física, las ciencias de la ingeniería, la modelización teórica y computacional, las ciencias biológicas y un diseño industrial cada vez más creativo.Se fomentarán nuevas alianzas por la innovación ecológica y la simbiosis industrial, permitiendo que las industrias se diversifiquen, amplíen sus modelos de negocio, reutilicen sus residuos como base para nuevas producciones.

Líneas generales de las actividades

(a) Tecnologías de materiales transversales y de capacitación

Investigación en torno a materiales diseñados, materiales funcionales, materiales multifuncionales que impliquen un mayor contenido de conocimiento, nuevas funcionalidades y mayores rendimientos, y materiales estructurales, con vistas a la innovación en todos los sectores industriales, inclusive los sectores creativos.

(b) Desarrollo y transformación de materiales

Investigación y desarrollo a fin de garantizar un desarrollo y aumento de escala eficientes, seguros y sostenibles que hagan posible la fabricación industrial de futuros productos basados en el diseño, con vistas a una gestión de materiales ""sin desechos"" en Europa.

(c) Gestión de componentes de materiales

Investigación y desarrollo de técnicas nuevas e innovadoras de producción de materiales, componentes y sistemas.

(d) Materiales para una industria sostenible, eficiente en recursos y de bajas emisiones

Desarrollo de nuevos productos y aplicaciones, modelos de negocio y comportamiento responsable de los consumidores que reduzca la demanda de energía, y facilitación de la producción con baja emisión de carbono.

(e) Materiales para las industrias creativas, inclusive el patrimonio

Aplicación del diseño y el desarrollo de tecnologías convergentes para crear nuevas oportunidades empresariales, incluida la preservación y restauración de materiales de valor histórico o cultural, así como de materiales nuevos.

(f) Metrología, caracterización, normalización y control de calidad

Promoción de tecnologías como la caracterización, la evaluación no destructiva, la evaluación y supervisión continuas y la modelización predictiva de las prestaciones para avanzar y conseguir un impacto positivo en ciencia e ingeniería de materiales.

(g) Optimización del uso de materiales

Investigación y desarrollo para estudiar la sustitución y alternativas a la utilización de materiales y enfoques innovadores con respecto a los modelos de negocio, así como determinación de los recursos críticos.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:15";"664173" +"H2020-EU.2.1.3.";"fr";"H2020-EU.2.1.3.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles - Matériaux avancés";"Advanced materials";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles - Matériaux avancés

Objectif spécifique concernant les matériaux avancés

L'objectif spécifique de la recherche et de l'innovation dans le domaine des matériaux avancés est de mettre au point des matériaux aux fonctionnalités nouvelles et aux performances en service améliorées, qui permettront de développer des produits sûrs et plus compétitifs ayant un impact minimal sur l'environnement et consommant un minimum de ressources.Les matériaux sont au cœur de l'innovation industrielle, dont ils constituent l'un des principaux catalyseurs. Des matériaux avancés à plus forte intensité de connaissance, aux fonctionnalités nouvelles et aux performances améliorées sont indispensables à la compétitivité des entreprises et au développement durable dans un grand nombre d'applications et de secteurs.

Justification et valeur ajoutée de l'Union

De nouveaux matériaux avancés sont nécessaires au développement de produits et de processus durables et plus performants, ainsi que pour remplacer des ressources rares. De tels matériaux constituent une partie de la solution aux défis industriels et de société: ils sont plus performants, consomment moins de ressources et d'énergie et présentent un caractère durable pendant tout le cycle de vie des produits.Le développement axé sur les applications suppose souvent la conception de matériaux totalement nouveaux capables de réaliser en service les performances attendues. Ces matériaux sont un élément important de la chaîne d'approvisionnement dans les processus de fabrication à haute valeur ajoutée. Ils constituent par ailleurs les fondements du progrès dans les domaines technologiques transversaux (tels que les technologies des soins de santé, les sciences de la vie, l'électronique et la photonique) et dans la quasi-totalité des secteurs du marché. Les matériaux eux-mêmes représentent une étape décisive dans l'augmentation de la valeur des produits et de leurs performances. La valeur et l'impact estimés des matériaux avancés ne sont pas négligeables: leur taux de croissance annuelle est d'environ 6 %, et ils devraient représenter un marché de l'ordre de 100 milliards d'euros d'ici 2015.Les matériaux seront conçus en tenant compte de leur cycle de vie complet, de l'approvisionnement en matériaux jusqu'à la fin de vie (principe «du berceau au berceau», également appelé «recyclage permanent»), en recourant à des approches innovantes pour limiter au maximum les ressources (y compris l'énergie) nécessaires à leur transformation ou les répercussions négatives pour les êtres humains et l'environnement. Sont également couverts l'utilisation continue, le recyclage ou l'utilisation secondaire en fin de vie de ces matériaux, ainsi que les innovations sociétales qui y sont liées, par exemple les changements de comportements chez les consommateurs et les nouveaux modèles d'entreprise.Pour permettre des progrès plus rapides, une approche convergente et pluridisciplinaire, couvrant la chimie, la physique, les sciences de l'ingénieur, la modélisation théorique et informatique, les sciences biologiques et une conception industrielle de plus en plus créative, est encouragée.Les alliances et associations symbiotiques innovantes entre entreprises en faveur d'une innovation écologique sont encouragées, pour permettre aux entreprises de se diversifier et d'élargir leur modèle d'entreprise et de réutiliser leurs déchets comme fondements de nouvelles productions.

Grandes lignes des activités

(a) Technologies des matériaux transversales et génériques

Recherche sur les matériaux sur mesure, fonctionnels et multifonctionnels, possédant un contenu élevé de connaissances, de nouvelles fonctionnalités et une performance améliorée, ainsi que sur les matériaux structurels à des fins d'innovation dans tous les secteurs industriels, y compris les industries de la création.

(b) Développement et transformation des matériaux

Recherche et développement à des fins de développement et de valorisation efficaces, sûrs et durables, afin de permettre la fabrication industrielle de futurs produits conçus pour progresser vers une gestion sans déchets des matériaux en Europe.

(c) Gestion des composants de matériaux

Recherche et développement portant sur des techniques nouvelles et innovantes pour les matériaux et leurs composants et systèmes.

(d) Matériaux pour une industrie durable, efficace dans l'utilisation des ressources et à faible émission de carbone

Développement de nouveaux produits et de nouvelles applications, mise au point de modèles d'entreprise et instauration d'habitudes de consommation responsables, qui réduisent la demande en énergie et facilitent une production à faibles émissions de carbone.

(e) Matériaux pour des entreprises créatives, y compris dans le domaine du patrimoine

Conception et développement de technologies convergentes en vue de créer de nouveaux débouchés commerciaux, y compris la préservation et la restauration de matériaux présentant une valeur historique ou culturelle, ainsi que des matériaux nouveaux.

(f) Métrologie, caractérisation, normalisation et contrôle de la qualité

Promotion des technologies telles que la caractérisation, l'évaluation non destructive, l'évaluation et le suivi permanents et la modélisation prédictive des performances pour permettre des avancées et des répercussions dans les domaines de la science des matériaux et de l'ingénierie.

(g) Optimisation de l'utilisation des matériaux

Recherche et développement axés sur la recherche de solutions alternatives et de substitution à l'utilisation de certains matériaux, sur l'étude d'approches innovantes concernant les modèles commerciaux, et sur le recensement des ressources critiques.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:15";"664173" +"H2020-EU.2.1.3.";"pl";"H2020-EU.2.1.3.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Materiały zaawansowane";"Advanced materials";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Materiały zaawansowane

Cel szczegółowy w dziedzinie materiałów zaawansowanych

Celem szczegółowym badań naukowych i innowacji w dziedzinie materiałów zaawansowanych jest rozwój materiałów o nowych funkcjach i udoskonalonej wydajności użytkowej do wykorzystania w bardziej konkurencyjnych i bezpiecznych produktach, minimalizujących wpływ na środowisko i zużycie zasobów.Materiały to podstawa innowacji w przemyśle i kluczowy czynnik je umożliwiający. Materiały zaawansowane w większym stopniu oparte na wiedzy naukowej, odznaczające się nowymi funkcjami i większą wydajnością są niezbędne dla konkurencyjności przemysłowej i zrównoważonego rozwoju w wielu zastosowaniach i sektorach.

Uzasadnienie i unijna wartość dodana

Nowe materiały zaawansowane są potrzebne do rozwoju produktów i procesów o większej wydajności i lepszej charakterystyce ekologicznej, a także do zastępowania trudno dostępnych zasobów. Takie materiały stanowią część rozwiązania dla stojących przed nami wyzwań przemysłowych i społecznych, oferując lepszą wydajność użytkową, niższe zużycie zasobów i energii oraz zrównoważenie środowiskowe w całym cyklu życia produktu.Rozwój ukierunkowany na zastosowania często wiąże się z projektowaniem zupełnie nowych materiałów, umożliwiających osiągnięcie planowanej wydajności użytkowej. Takie materiały są ważnym elementem łańcucha dostaw w procesach produkcyjnych wysokiej wartości. Stanowią również podstawę postępu w przekrojowych dziedzinach technologii (np. technologii stosowanych w opiece zdrowotnej, nauk biologicznych, elektroniki i fotoniki), a także w praktycznie wszystkich sektorach rynku. Same materiały stanowią kluczowy etap w podnoszeniu wartości produktów i ich wydajności. Szacowana wartość i oddziaływanie materiałów zaawansowanych są duże, a roczna stopa wzrostu ich rynku wynosi 6% i oczekuje się, że do 2015 r. jego wartość będzie zbliżona do 100 mld EUR.Projektując materiały, uwzględnia się pełny cykl życia, od dostawy dostępnych materiałów po koniec cyklu („od kołyski do kołyski”), stosując innowacyjne podejścia w celu minimalizacji ilości zasobów (w tym energii) potrzebnych do ich przekształcenia lub do minimalizacji niekorzystnego oddziaływania na ludzi i środowisko. Uwzględnia się również kwestie ciągłego wykorzystania, recyklingu lub wtórnego wykorzystania materiałów po zakończeniu cyklu życia produktu, a także powiązane innowacje społeczne, np. zmiany zachowań konsumentów i nowe modele biznesowe.W celu przyspieszenia postępów wspiera się multidyscyplinarne podejście nastawione na konwergencję, obejmujące chemię, fizykę, nauki techniczne, modelowanie teoretyczne i obliczeniowe, nauki biologiczne i coraz bardziej kreatywne wzornictwo przemysłowe.Promowane są nowatorskie sojusze na rzecz ekologicznych innowacji oraz symbioza przemysłowa, umożliwiające przemysłowi różnicowanie działalności oraz rozszerzanie modeli działalności, wtórne wykorzystanie odpadów jako podstawy dla nowej produkcji.

Ogólne kierunki działań

(a) Przekrojowe i prorozwojowych technologie materiałowe

Badania naukowe w zakresie materiałów pod kątem projektowania, materiałów funkcjonalnych, materiałów wielofunkcyjnych w większym stopniu oparte na wiedzy naukowej, nowych funkcjach i udoskonalonej wydajności oraz materiałów strukturalnych na potrzeby innowacji we wszystkich sektorach przemysłu, w tym w sektorach kreatywnych.

(b) Rozwój i przekształcanie materiałów

Działania badawczo-rozwojowe mające na celu efektywne, bezpieczne i zrównoważone opracowywanie i zwiększanie skali, umożliwiające przemysłowe wytwarzanie produktów opartych na przyszłych projektach, zmierzające w kierunku bezodpadowej gospodarki materiałowej w Europie.

(c) Gospodarowanie składnikami materiałów

Działania badawczo-rozwojowe w zakresie nowych i innowacyjnych technik produkcji materiałów, oraz ich komponentów i systemów.

(d) Materiały dla zrównoważonego, zasobooszczędnego i niskoemisyjnego przemysłu

Rozwijanie nowych produktów i zastosowań, modeli biznesowych oraz odpowiedzialnych zachowań konsumentów ograniczających zapotrzebowanie na energię i ułatwiających produkcję niskoemisyjną.

(e) Materiały dla sektorów kreatywnych, w tym związanych z dziedzictwem

Opracowanie wzornictwa i rozwój technologii konwergencyjnych w celu tworzenia nowych możliwości biznesowych, w tym ochrona i odnawianie materiałów mających wartość historyczną lub kulturalną, jak również materiałów nowatorskich.

(f) Metrologia, charakteryzowanie, standaryzacja i kontrola jakości

Promowanie technologii służących takim celom jak charakteryzowanie, nieniszcząca ewaluacja, stałe ocenianie i monitorowanie oraz predyktywne modelowanie wydajności na potrzeby postępów w materiałoznawstwie i inżynierii oraz ich oddziaływania.

(g) Optymalizacja wykorzystania materiałów

Działania badawczo-rozwojowe służące poszukiwaniu rozwiązań zastępczych i alternatywnych w odniesieniu do zastosowań materiałów, a także innowacyjnych podejść do modeli biznesowych oraz identyfikacji kluczowych zasobów";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:41:15";"664173" +"H2020-EU.2.1.2.";"it";"H2020-EU.2.1.2.";"";"";"LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali – Nanotecnologie";"Nanotechnologies";"

LEADERSHIP INDUSTRIALE - Leadership nel settore delle tecnologie abilitanti e industriali – Nanotecnologie

Obiettivo specifico delle nanotecnologie

L'obiettivo specifico della ricerca e dell'innovazione nel campo delle nanotecnologie è garantire all'Unione un ruolo di leadership in questo mercato globale in crescita rapida, mediante la promozione di progressi scientifici e tecnologici e di investimenti nel settore delle nanotecnologie e la loro diffusione in prodotti e servizi competitivi a elevato valore aggiunto, in tutta una serie di applicazioni e settori.Entro il 2020, le nanotecnologie saranno integrate senza soluzione di continuità nella maggior parte delle tecnologie e delle applicazioni, orientate a settori quali i vantaggi per i consumatori, la qualità della vita, l'assistenza sanitaria, lo sviluppo sostenibile e un forte potenziale industriale per raggiungere soluzioni per la produttività e l'efficienza delle risorse non disponibili in precedenza.È inoltre necessario che l'Europa diventi il parametro di riferimento mondiale in materia di diffusione di nanotecnologie sicure e responsabili nonché per quanto attiene a una gestione in grado di garantire rendimenti sociali e industriali elevati, associati a standard elevati in materia di sicurezza e sostenibilità.I prodotti che utilizzano le nanotecnologie costituiscono un mercato mondiale che l'Europa non può permettersi di ignorare. Le stime di mercato relative al valore dei prodotti che incorporano le nanotecnologie come componente essenziale sono pari a 700 miliardi di EUR entro il 2015 e a 2 000 miliardi entro il 2020, con rispettivamente 2 e 6 milioni di posti di lavoro. Occorre che le imprese europee del settore delle nanotecnologie sfruttino questo mercato in rapida crescita e riescano ad acquisire una quota di mercato pari almeno alla quota europea di finanziamento della ricerca globale (un quarto) entro il 2020.

Motivazione e valore aggiunto dell'Unione

Le nanotecnologie rappresentano uno spettro di tecnologie in evoluzione dotate di potenziale accertato, con un impatto rivoluzionario, ad esempio sui materiali, le TIC, la mobilità dei trasporti, le scienze della vita, l'assistenza sanitaria (compresi i trattamenti sanitari), i beni di consumo e l'industria quando la ricerca è applicata ai prodotti e processi produttivi rivoluzionari, sostenibili e competitivi.Le nanotecnologie hanno un ruolo essenziale da svolgere nell'affrontare le sfide individuate nella strategia Europa 2020. La riuscita dell'introduzione di queste tecnologie abilitanti fondamentali contribuirà alla competitività dell'industria dell'Unione, consentendo nuovi e migliori prodotti o processi più efficienti, rispondendo altresì alle sfide per la società odierne e future.Il finanziamento globale della ricerca sulle nanotecnologie è raddoppiato, passando da circa 6,5 miliardi di EUR nel 2004 a circa 12,5 miliardi di EUR nel 2008, dove l'Unione rappresenta circa un quarto del totale. Unione ha riconosciuto la leadership di ricerca nel settore delle nanoscienze e delle nanotecnologie con una proiezione di circa 4 000 imprese nell'Unione entro il 2015. Occorre conservare e potenziare tale leadership nella ricerca e approfondire la sua conversione per uso pratico e nella commerciale.L'Europa deve ora garantire e consolidare la sua posizione sul mercato mondiale, promuovendo la cooperazione su larga scala all'interno e tra le varie catene del valore e i diversi settori industriali per realizzare l'aumento di scala del processo di queste tecnologie in prodotti commerciali sicuri e sostenibili. Gli aspetti della valutazione e della gestione del rischio, nonché una gestione responsabile emergono come fattori che determinano il futuro impatto delle nanotecnologie sulla società, l'ambiente e l'economia.Pertanto, il centro focale delle attività consiste in un'applicazione diffusa, responsabile e sostenibile delle nanotecnologie nell'economia, per consentire vantaggi dal forte impatto sociale e industriale. Per garantire le potenziali opportunità, comprese la costituzione di nuove imprese e la creazione di nuovi posti di lavoro, è necessario che la ricerca fornisca gli strumenti necessari per consentire di attuare correttamente la standardizzazione e la normazione.

Le grandi linee delle attività

(a) Sviluppo di nanomateriali, nanodispositivi e nanosistemi della prossima generazione

Mirati a creare prodotti del tutto nuovi che consentano soluzioni sostenibili in un'ampia gamma di settori.

(b) Garantire lo sviluppo e l'applicazione sicuri e sostenibili delle nanotecnologie

Migliorare le conoscenze scientifiche relative all'impatto potenziale delle nanotecnologie e dei nanosistemi sulla salute e sull'ambiente, nonché fornire gli strumenti per valutare e gestire i rischi lungo tutto il ciclo di vita, comprese le questioni relative alla standardizzazione.

(c) Sviluppare la dimensione sociale delle nanotecnologie

Focusing on governance of nanotechnology for societal and environmental benefit.

(d) Sintesi e produzione efficienti e sostenibili di nanomateriali, componenti e sistemi

Accento sulle nuove operazioni, l'integrazione intelligente di processi nuovi ed esistenti, compresa la convergenza di tecnologie, nonché ampliamento di scala per conseguire la produzione di alta precisione su vasta scala di prodotti e impianti polivalenti e flessibili, al fine di garantire un efficace trasferimento delle conoscenze verso l'innovazione industriale.

(e) Sviluppo e standardizzazione di tecniche, metodi di misurazione e attrezzature abilitanti

Accento sulle tecnologie di supporto a sostegno dello sviluppo e dell'introduzione sul mercato di nanomateriali e nanosistemi sicuri complessi.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:54";"664161" +"H2020-EU.2.1.2.";"de";"H2020-EU.2.1.2.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE -Führende Rolle bei grundlegenden und industriellen Technologien -Nanotechnologien";"Nanotechnologies";"

FÜHRENDE ROLLE DER INDUSTRIE - Führende Rolle bei grundlegenden und industriellen Technologien -Nanotechnologien

Einzelziel für Nanotechnologien

Einzelziel der Forschung und Innovation auf dem Gebiet der Nanotechnologien ist die Sicherung der Führungsrolle der Union auf diesem durch hohe Wachstumsraten gekennzeichneten Weltmarkt durch Anreize für wissenschaftlich-technische Fortschritte bei den Nanotechnologien und Investitionen in dieselben und der Einsatz der Nanotechnologien in wettbewerbsfähigen Produkten und Dienstleistungen mit hoher Wertschöpfung in unterschiedlichsten Anwendungen und Sektoren.Bis 2020 werden die Nanotechnologien allgegenwärtig sein, d. h. sie werden sich nahtlos in die meisten Technologien und Anwendungen zum Nutzen der Verbraucher, der Lebensqualität, der Gesundheitsfürsorge und der nachhaltigen Entwicklung einfügen und das große Potenzial der Industrie ausschöpfen, um bislang unerreichbare Lösungen für die Produktivität und Ressourceneffizienz zu realisieren.Europa muss auch weltweit Maßstäbe für den sicheren und verantwortbaren Einsatz der Nanotechnologie und diesbezügliche Governancesysteme setzen, die einen hohen sowohl gesellschaftlichen als auch industriellen Nutzen in Verbindung mit hohen Sicherheits- und Nachhaltigkeitsstandards gewährleisten.Produkte, die Nanotechnologien nutzen, stellen einen Weltmarkt dar, den zu ignorieren Europa sich nicht leisten kann. Marktschätzungen zufolge erreichen Produkte, die Nanotechnologie als Hauptkomponente beinhalten, bis 2015 einen Wert von 700 Mrd. EUR und bis 2020 einen Wert von 2 Billionen EUR und schaffen zwei bzw. sechs Millionen Arbeitsplätze. Europas Nanotechnologieunternehmen sollten diesen Markt mit zweistelligen Wachstumsraten nutzen und bis 2020 einen Marktanteil von 25%, d. h. in gleicher Höhe wie der Anteil Europas an der globalen Forschungsförderung erlangen.

Begründung und Mehrwert für die Union

Nanotechnologien bilden ein breites Spektrum neu entstehender Technologien mit nachgewiesenem Potenzial, die umwälzende Auswirkungen beispielsweise auf Werkstoffe, IKT, Verkehrsmobilität, Biowissenschaften, Gesundheitsfürsorge (einschließlich Behandlung), Verbrauchsgüter und Fertigung haben, sobald die Forschungsergebnisse in bahnbrechende, nachhaltige und wettbewerbsfähige Produkte und Produktionsprozesse umgewandelt werden.Nanotechnologien spielen eine entscheidende Rolle bei der Bewältigung der Herausforderungen, die in der Strategie Europa 2020 benannt wurden. Der erfolgreiche Einsatz dieser Schlüsseltechnologien wird durch neuartige und bessere Produkte oder effizientere Verfahren zur Wettbewerbsfähigkeit der Unionswirtschaft beitragen und Antworten auf aktuelle und künftige gesellschaftliche Herausforderungen liefern.Die Forschungsförderung für Nanotechnologien wurde weltweit von etwa 6,5 Mrd. EUR im Jahr 2004 auf etwa 12,5 Mrd. EUR im Jahr 2008 verdoppelt, wobei auf die Union etwa ein Viertel dieses Gesamtbetrags entfällt. Mit den bis 2015 projizierten rund 4 000 Unternehmen in der Union ist die Führung der Unionsforschung auf dem Gebiet der Nanowissenschaften und Nanotechnologien anerkannt. Diese Führungsposition in der Forschung muss beibehalten und ausgebaut werden und auch in praktischen Anwendungen und kommerzieller Verwertung ihren Niederschlag finden.Europa muss nunmehr seine Stellung auf dem Weltmarkt sichern und ausbauen und sollte hierfür im großen Maßstab die Zusammenarbeit über verschiedene Wertschöpfungsketten hinweg und auch innerhalb dieser Wertschöpfungsketten und zwischen verschiedenen Branchen fördern, um diese Technologien in größerem Prozessmaßstab für sichere, nachhaltige und wirtschaftlich sinnvolle Produkte einzusetzen. Als entscheidend für die künftigen Auswirkungen der Nanotechnologien auf Gesellschaft, Umwelt und Wirtschaft zeigen sich Fragen der Risikoabschätzung und des Risikomanagements sowie die verantwortungsvolle Governance.Damit liegt der Schwerpunkt der Tätigkeiten auf der breit gefächerten, verantwortbaren und nachhaltigen Anwendung der Nanotechnologien in der Wirtschaft, um aus ihnen einen hohen gesellschaftlichen und wirtschaftlichen Nutzen zu ziehen. Die Forschung sollte die notwendigen Werkzeuge für eine ordnungsgemäße Normung und Regulierung liefern, damit die potenziellen Möglichkeiten, wie Unternehmensneugründungen und die Schaffung neuer Arbeitsplätze, auch ausgeschöpft werden können.

Einzelziele und Tätigkeiten in Grundzügen

(a)Entwicklung von Nanowerkstoffen, Nanogeräten und Nanosystemen der nächsten Generation

Ziel sind grundlegend neue Produkte, die tragfähige Lösungen in einem breiten Spektrum von Sektoren ermöglichen.

(b) Gewährleistung der sicheren und nachhaltigen Entwicklung und Anwendung von Nanotechnologien

Gewinnung wissenschaftlicher Erkenntnisse über die potenziellen Auswirkungen der Nanotechnologien und Nanosysteme auf Gesundheit oder Umwelt und Bereitstellung von Werkzeugen für Risikoabschätzung und Risikomanagement während des gesamten Lebenszyklus unter Einschluss von Fragen der Normung.

(c) Entwicklung der gesellschaftlichen Dimension der Nanotechnologie

Schwerpunkt ist die Governance der Nanotechnologie zum Nutzen der Gesellschaft und der Umwelt.

(d)Effiziente und nachhaltige Synthese und Herstellung von Nanowerkstoffen, Komponenten und Systemen

Schwerpunkt sind neue Abläufe, die intelligente Integration neuer und vorhandener Prozesse – einschließlich der Konvergenz verschiedener Technologien – sowie die Maßstabsvergrößerung im Hinblick auf die hochpräzise Großfertigung von Produkten und flexiblen Mehrzweckanlagen, so dass Erkenntnisse effizient in industrielle Innovationen einfließen.

(e) Entwicklung und Normung kapazitätssteigernder Techniken, Messverfahren und Geräte

Schwerpunkt sind die Grundlagentechnologien für die Entwicklung und Markteinführung sicherer komplexer Nanowerkstoffe und Nanosysteme.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:54";"664161" +"H2020-EU.2.1.2.";"es";"H2020-EU.2.1.2.";"";"";"LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación – Nanotecnologías";"Nanotechnologies";"

LIDERAZGO INDUSTRIAL - Liderazgo en tecnologías industriales y de capacitación – Nanotecnologías

Objetivo específico para las nanotecnologías

El objetivo específico de la investigación y la innovación sobre nanotecnologías es garantizar el liderazgo de la Unión en este mercado mundial en fuerte crecimiento, estimulando los avances científicos y tecnológicos y la inversión en las nanotecnologías y su incorporación a productos y servicios competitivos de alto valor añadido en una diversidad de aplicaciones y sectores.Para 2020, las nanotecnologías estarán integradas sin fisuras con la mayoría de las tecnologías y aplicaciones, en virtud de los beneficios que aportan a los consumidores, la calidad de vida, la asistencia sanitaria y el desarrollo sostenible y de su enorme potencial industrial para aportar soluciones no disponibles anteriormente para la productividad y el uso eficiente de los recursos.Europa debe también establecer la referencia mundial en materia de despliegue y gobernanza seguras y responsables de las nanotecnologías, garantizando una alta rentabilidad industrial y un impacto social combinados con unos altos niveles de seguridad y de sostenibilidad.Los productos que utilizan las nanotecnologías representan un mercado mundial que Europa no puede permitirse dejar de lado. Estimaciones del valor de los productos que incorporan la nanotecnología como componente esencial lo sitúan en 700 000 millones de euros en 2015 y en 2 billones de euros en 2020, correspondiendo a 2 y 6 millones de puestos de trabajo, respectivamente. Las empresas europeas de nanotecnología deben explotar este crecimiento del mercado de dos dígitos y ser capaces de hacerse con una cuota de mercado igual, como mínimo, a la cuota de Europa en la financiación mundial de la investigación (a saber, la cuarta parte) para 2020.

Justificación y valor añadido de la Unión

Las nanotecnologías constituyen una gama de tecnologías en plena evolución con potencial demostrado, que tienen un impacto revolucionario en, por ejemplo, los materiales, las TIC, la movilidad del transporte, las ciencias de la vida, la asistencia y el tratamiento sanitarios y los bienes de consumo y su fabricación, una vez que la investigación se traduzca en productos y procesos de producción rupturistas, sostenibles y competitivos.Las nanotecnologías deben desempeñar un papel crucial a la hora de abordar los retos enunciados en la estrategia Europa 2020. El éxito en el despliegue de estas tecnologías facilitadoras clave contribuirá a la competitividad de la industria de la Unión al hacer posibles productos nuevos y mejores o procedimientos más eficaces y aportar respuestas a los retos de la sociedad actuales y futuros.La financiación mundial para la investigación sobre nanotecnologías se ha duplicado, pasando de alrededor de 6 500 millones EUR en 2004 a aproximadamente 12 500 millones en 2008, representando la Unión aproximadamente la cuarta parte de este total. La Unión posee un reconocido liderazgo en la investigación sobre nanociencias y nanotecnologías, con una proyección de alrededor de 4 000 empresas en la Unión para 2015. Este liderazgo en investigación debe mantenerse, extenderse y reflejarse en mayor medida en el uso práctico y en la comercialización.Ahora, Europa necesita asentar y reforzar su posición en el mercado mundial promoviendo la cooperación a gran escala dentro de diversas cadenas de valor y a través de ellas, así como entre diferentes sectores industriales, para aumentar la escala de estas tecnologías y generar productos comerciales seguros, sostenibles y viables. Las cuestiones de evaluación y gestión del riesgo, así como de gobernanza responsable, están erigiéndose en factores determinantes del futuro impacto de las nanotecnologías en la sociedad, el medio ambiente y la economía.Así pues, el objetivo de las actividades será la aplicación generalizada, responsable y sostenible de las nanotecnologías en la economía, a fin de conseguir beneficios de amplia repercusión social e industrial. Para aprovechar las oportunidades potenciales, incluida la creación de nuevas empresas y la generación de nuevos puestos de trabajo, la investigación debe proporcionar las herramientas necesarias para permitir una correcta aplicación de la normalización y la reglamentación.

Líneas generales de las actividades

(a) Desarrollo de la próxima generación de nanomateriales, nanosistemas y nanodispositivos

Encaminado a obtener productos fundamentalmente nuevos que hagan posibles soluciones sostenibles en una amplia gama de sectores.

(b) Garantía de un desarrollo y una aplicación seguros y sostenibles de las nanotecnologías

Hacer avanzar los conocimientos científicos sobre el impacto potencial de las nanotecnologías y los nanosistemas sobre la salud o el medio ambiente, y aportar herramientas para la evaluación y gestión de riesgos a lo largo de todo el ciclo de vida, incluidos los aspectos de normalización.

(c) Desarrollo de la dimensión social de la nanotecnología

Centrándose en la gobernanza de la nanotecnología para beneficio de la sociedad y del medio ambiente.

(d) Síntesis y fabricación eficientes y sostenibles de nanomateriales, componentes y sistemas

Centrándose en operaciones nuevas, la integración inteligente de procesos nuevos y existentes, inclusive la convergencia tecnológica, como en el caso de la nanobiotecnología, y la transposición a mayor escala para conseguir la fabricación de gran escala y alta precisión de productos y unas instalaciones flexibles y polivalentes que garanticen una transferencia eficiente de los conocimientos a la innovación industrial.

(e) Desarrollo y normalización de técnicas, métodos de medición y equipos que potencien la capacidad

Centrándose en las tecnologías subyacentes para apoyar el desarrollo y la introducción en el mercado de nanomateriales y nanosistemas complejos y seguros.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:54";"664161" +"H2020-EU.2.1.2.";"pl";"H2020-EU.2.1.2.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Nanotechnologie";"Nanotechnologies";"

WIODĄCA POZYCJA W PRZEMYŚLE - Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych – Nanotechnologie

Cel szczegółowy w dziedzinie nanotechnologii

Celem szczegółowym badań naukowych i innowacji w dziedzinie nanotechnologii jest zabezpieczenie wiodącej pozycji Unii na tym szybko rozwijającym się globalnym rynku poprzez stymulowanie postępu naukowo-technicznego oraz inwestycji w nanotechnologie i ich absorpcji w konkurencyjnych produktach i usługach o wysokiej wartości dodanej w wielu różnych zastosowaniach i sektorach.Do 2020 r. nanotechnologie znajdą się w głównym nurcie działalności, zostaną bowiem spójnie zintegrowane z większością technologii i zastosowań, którą to integrację będą stymulować względy związane z korzyściami dla konsumentów, jakością życia, opieką zdrowotną, zrównoważonym rozwojem i dużym potencjałem przemysłowym służącym opracowaniu poprzednio niedostępnych rozwiązań w zakresie wydajności i oszczędnego gospodarowania zasobami.Europa musi także ustanowić globalny punkt odniesienia w zakresie bezpiecznego i odpowiedzialnego zastosowania nanotechnologii oraz zarządzania nią zapewniającego duże korzyści przemysłowe oraz oddziaływanie społeczne, połączone z wysokimi standardami bezpieczeństwa i zrównoważoności.Produkty wykorzystujące nanotechnologie tworzą światowy rynek, na którego zignorowanie Europa nie może sobie pozwolić. Szacuje się, że rynkowa wartość produktów obejmujących nanotechnologię jako główny element osiągnie 700 mld EUR do 2015 r. i 2 bln EUR do 2020 r., czemu będzie odpowiadać powstanie, odpowiednio, 2 i 6 mln miejsc pracy. Europejskie przedsiębiorstwa zajmujące się nanotechnologią powinny wykorzystać ten dwucyfrowy wzrost rynku i być w stanie do 2020 r. przejąć udział w rynku równy co najmniej udziałowi Europy w globalnym finansowaniu badań naukowych (tj. jedną czwartą).

Uzasadnienie i unijna wartość dodana

Nanotechnologie to grupa rozwijających się technologii o dowiedzionym potencjale, które, po przełożeniu efektów badań naukowych na przełomowe, zrównoważone i konkurencyjne produkty i procesy produkcyjne, będą mieć rewolucyjne oddziaływanie w dziedzinie np. materiałów, ICT, mobilności transportowej, nauk o życiu, opieki zdrowotnej (w tym leczenia), towarów konsumpcyjnych i produkcji.Nanotechnologie mają do odegrania zasadniczą rolę w sprostaniu wyzwaniom określonym w strategii „Europa 2020”. Udane wdrożenie tych kluczowych technologii prorozwojowych wzmocni konkurencyjność przemysłu Unii, umożliwiając wprowadzenie nowatorskich i udoskonalonych produktów lub bardziej efektywnych procesów, a także reagowanie na obecne i przyszłe wyzwania społeczne.Wartość globalnego finansowania badań naukowych w dziedzinie nanotechnologii niemal podwoiła się między 2004 a 2008 r. z 6,5 mld EUR do 12,5 mld EUR, przy czym ok. jednej czwartej tego finansowania pochodziło z Unii. Unia docenia wagę wiodącej pozycji w badaniach naukowych w zakresie nanonauki i nanotechnologii, przewidując, że do 2015 r. w tej dziedzinie w Unii będzie działać ok. 4 tys. przedsiębiorstw. Ta wiodąca rola w dziedzinie badań naukowych musi zostać utrzymana i zwiększona, a także w jeszcze większym stopniu przełożona na zastosowania praktyczne i komercjalizację.Europa musi teraz zabezpieczyć i umocnić swoją pozycję na rynku światowym poprzez promowanie prowadzonej na szeroką skalę współpracy w obrębie różnych łańcuchów wartości i pomiędzy nimi, a także między różnymi sektorami przemysłu, aby procesy bazujące na tych technologiach mogły dostarczyć bezpiecznych, zrównoważonych i opłacalnych produktów nadających się do wykorzystania handlowego. Kwestie oceny ryzyka i zarządzania nim, a także odpowiedzialność w zarządzaniu okazują się być czynnikami decydującymi o przyszłym wpływie nanotechnologii na społeczeństwo, środowisko i gospodarkę.Działania są zatem ukierunkowane na powszechne, odpowiedzialne oraz zrównoważone zastosowanie nanotechnologii w gospodarce, tak aby osiągnąć korzyści o dużym znaczeniu społecznym i przemysłowym. W celu zapewnienia potencjalnych możliwości, w tym zakładania nowych przedsiębiorstw i tworzenia nowych miejsc pracy, badania naukowe powinny dostarczyć niezbędnych narzędzi umożliwiających wprowadzenie odpowiedniej standaryzacji i regulacji.

Ogólne kierunki działań

(a) Rozwój nowej generacji nanomateriałów, nanourządzeń i nanosystemów

Dążenie do opracowania fundamentalnie nowych produktów, umożliwiających wprowadzenie zrównoważonych rozwiązań w szerokim wachlarzu sektorów.

(b) Zapewnienie bezpiecznego i zrównoważonego rozwoju i stosowania nanotechnologii

Rozwój wiedzy naukowej dotyczącej potencjalnego wpływu nanotechnologii i nanosystemów na zdrowie lub środowisko oraz opracowanie narzędzi oceny ryzyka i zarządzania w całym cyklu życia, z uwzględnieniem zagadnień standaryzacji.

(c) Rozwój wymiaru społecznego nanotechnologii

Nacisk na zarządzanie w zakresie nanotechnologii z korzyścią dla społeczeństwa i środowiska.

(d) Efektywna i zrównoważona synteza i produkcja nanomateriałów, części i systemów

Ukierunkowanie na nowe działania, inteligentną integrację nowych i istniejących procesów, w tym konwergencję technologii, a także zwiększenie skali z myślą o wysoce precyzyjnym wielkoskalowym wytwarzaniu produktów i elastycznych wielofunkcyjnych zakładach, zapewniające skuteczne przekształcenie wiedzy w innowacje przemysłowe.

(e) Rozwój i standaryzacja technik zwiększania przepustowości oraz metody i urządzenia pomiarowe

Ukierunkowanie na bazowe technologie wspierające rozwój i wprowadzanie na rynek bezpiecznych złożonych nanomateriałów i nanosystemów.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:54";"664161" +"H2020-EU.2.1.2.";"fr";"H2020-EU.2.1.2.";"";"";"PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles – Les nanotechnologies";"Nanotechnologies";"

PRIMAUTÉ INDUSTRIELLE - Primauté dans le domaine des technologies génériques et industrielles – Les nanotechnologies

Objectif spécifique concernant les nanotechnologies

L'objectif spécifique de la recherche et de l'innovation dans le domaine des nanotechnologies est d'assurer la primauté de l'Union sur ce marché mondial à forte croissance, en encourageant les progrès scientifiques et technologiques ainsi que l'investissement dans les nanotechnologies et en favorisant leur intégration dans des produits et services compétitifs et à forte valeur ajoutée, dans toute une série d'applications et de secteurs.D'ici 2020, les nanotechnologies seront intégrées de façon harmonieuse à la plupart des technologies et des applications, dans un souci d'utilité pour les consommateurs, d'amélioration de la qualité de vie et des soins de santé, et de contribution au développement durable, et au vu des possibilités considérables et inédites qu'elles offrent aux entreprises sur le plan de la productivité et de la rentabilité.L'Europe doit par ailleurs devenir, sur la scène mondiale, un modèle de diffusion et de gestion sûres et responsables des nanotechnologies, profitant largement tant à la société qu'aux entreprises, tout en respectant des normes exigeantes en matière de sécurité et de durabilité.Les produits intégrant des nanotechnologies représentent un marché mondial que l'Europe ne peut se permettre de négliger. La valeur des produits dont les nanotechnologies constituent la principale composante devrait représenter 700 milliards d'EUR d'ici 2015 et 2 000 milliards d'EUR d'ici 2020, ce qui correspond respectivement à 2 et 6 millions d'emplois. Les entreprises européennes spécialisées dans les nanotechnologies devraient tirer profit de cette croissance à deux chiffres du marché et être en mesure de conquérir, d'ici 2020, une part de marché au moins égale à la part de l'Europe dans le financement de la recherche à l'échelle mondiale (soit un quart).

Justification et valeur ajoutée de l'Union

Les nanotechnologies forment une gamme de technologies en pleine évolution, au potentiel avéré, qui bouleversent totalement des secteurs tels que celui des matériaux, des TIC, de la mobilité des transports, des sciences de la vie, des soins de santé (y compris de la thérapeutique), des biens de consommation et de la fabrication, lorsque la recherche conduit au développement de produits et de processus de production révolutionnaires durables et compétitifs.Les nanotechnologies ont un rôle essentiel à jouer en vue de relever les défis recensés dans le cadre de la stratégie Europe 2020. Le déploiement fructueux de ces technologies clés génériques contribuera à assurer la compétitivité des entreprises européennes en permettant le développement de produits innovants et améliorés ou de processus plus efficaces. Il permettra également de relever les défis de société actuels et à venir.Le financement de la recherche sur les nanotechnologies a doublé entre 2004 et 2008 sur la scène mondiale, passant de quelque 6,5 milliards d'EUR à environ 12,5 milliards d'EUR. L'Union compte pour un quart environ de ce montant. L'Union, qui devrait compter en son sein quelque 4 000 entreprises actives dans ce secteur d'ici 2015, est reconnue comme chef de file de la recherche relative aux nanosciences et aux nanotechnologies. Ce rôle moteur dans la recherche doit être maintenu, renforcé et se traduire davantage par des applications pratiques et par leur commercialisation.L'Europe doit à présent asseoir et renforcer sa position sur le marché mondial en promouvant une coopération à grande échelle au sein d'un grand nombre de chaînes de valeur et entre ces dernières, ainsi qu'entre différents secteurs industriels, pour pouvoir convertir ces technologies en produits commerciaux sûrs, durables et viables. La question de l'évaluation et de la gestion des risques et celle d'une gouvernance responsable influenceront de manière décisive le futur impact sociétal, environnemental et économique des nanotechnologies.Les activités mettent donc l'accent sur l'application généralisée, responsable et durable des nanotechnologies à l'économie, de façon à produire un maximum de bénéfices pour les entreprises et la société. Pour pouvoir tenir ses promesses, notamment en termes de création d'entreprises et d'emplois, la recherche devrait fournir les outils qui permettront la bonne mise en œuvre des processus de normalisation et de réglementation.

Grandes lignes des activités

(a) Développer les nanomatériaux, les nanodispositifs et les nanosystèmes de la prochaine génération

Cibler les produits fondamentalement nouveaux permettant des solutions durables dans toute une série de secteurs.

(b) Assurer la sûreté et la viabilité du développement et de l'application des nanotechnologies

Faire progresser les connaissances scientifiques concernant l'impact potentiel des nanotechnologies et des nanosystèmes sur la santé ou l'environnement, et fournir les instruments permettant une évaluation et une gestion des risques tout au long de leur cycle de vie, y compris en matière de normalisation.

(c) Développer la dimension sociétale des nanotechnologies

Développer une gestion des nanotechnologies centrée sur les bénéfices qu'elles apportent à la société et à l'environnement.

(d) Assurer une synthèse et une fabrication efficaces et durables des nanomatériaux, de leurs composants et de leurs systèmes

Cibler les nouvelles exploitations, l'intégration intelligente des processus nouveaux et existants, y compris les convergences technologiques, ainsi que le passage à une production à grande échelle de grande précision et à des sites de production flexibles et polyvalents, afin d'assurer une conversion efficace du savoir en innovation industrielle.

(e) Mettre au point et standardiser des techniques, des méthodes de mesure et des équipements permettant une extension des capacités

Mettre l'accent sur les technologies de soutien qui sous-tendent le développement et la mise sur le marché de nanomatériaux et de nanosystèmes complexes et sûrs.";"";"H2020";"H2020-EU.2.1.";"";"";"2014-09-22 20:40:54";"664161" +"H2020-EU.3.6.1.1.";"en";"H2020-EU.3.6.1.1.";"";"";"The mechanisms to promote smart, sustainable and inclusive growth";"";"";"";"H2020";"H2020-EU.3.6.1.";"";"";"2014-09-22 20:49:36";"664439" +"H2020-EU.1.3.4.";"pl";"H2020-EU.1.3.4.";"";"";"Zwiększenie oddziaływania strukturalnego przez współfinansowanie działań";"MSCA Co-funding";"

Zwiększenie oddziaływania strukturalnego przez współfinansowanie działań

Celem jest zwiększenie, przy wykorzystaniu dodatkowo pozyskanych funduszy, ilościowego i strukturalnego wpływu działań „Maria Skłodowska-Curie” oraz sprzyjanie najwyższej jakości na poziomie krajowym w zakresie szkolenia naukowców, ich mobilności i rozwoju kariery.Kluczowe działania polegają na zachęceniu, poprzez mechanizm współfinansowania, organizacji regionalnych, krajowych i międzynarodowych, zarówno publicznych, jak i prywatnych do tworzenia nowych programów oraz dostosowania już istniejących programów do celów międzynarodowego i międzysektorowego szkolenia, mobilności i rozwoju kariery. Pozwoli to na podniesienie jakości szkolenia naukowców w Europie na wszystkich etapach kariery, w tym na poziomie doktoranckim, ułatwienie swobodnego przepływu naukowców i wiedzy naukowej w Europie, promowanie atrakcyjnych karier naukowych poprzez otwartą rekrutację i zachęcające warunki pracy, wspieranie współpracy w zakresie badań naukowych i innowacji między uniwersytetami, instytucjami badawczymi i przedsiębiorstwami oraz wspomaganie współpracy między państwami trzecimi i organizacjami międzynarodowymi.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:36";"664117" +"H2020-EU.1.3.4.";"it";"H2020-EU.1.3.4.";"";"";"Incrementare l'impatto strutturale mediante il cofinanziamento delle attività";"MSCA Co-funding";"

Incrementare l'impatto strutturale mediante il cofinanziamento delle attività

L'obiettivo consiste nell'incrementare, attraverso l'effetto di leva dei fondi supplementari, l'impatto numerico e strutturale delle azioni Marie Skłodowska-Curie e promuovere l'eccellenza a livello nazionale per quanto riguarda la formazione, la mobilità e lo sviluppo di carriera dei ricercatori.Con l'ausilio del meccanismo di cofinanziamento le principali attività mirano a incoraggiare le organizzazioni regionali, nazionali e internazionali, sia pubbliche sia private, a creare nuovi programmi e ad adeguare quelli esistenti alla formazione, alla mobilità e allo sviluppo di carriera internazionali e intersettoriali. Ciò incrementerà la qualità della formazione di ricerca in Europa a tutti i livelli di carriera, compreso il livello dottorale, incoraggerà la libera circolazione dei ricercatori e delle conoscenze scientifiche in Europa, promuoverà carriere di ricerca interessanti grazie a condizioni di assunzione aperte e di lavoro attraenti e sosterrà la cooperazione di ricerca e innovazione fra le università, gli istituti di ricerca e le imprese nonché la cooperazione con i paesi terzi e le organizzazioni internazionali.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:36";"664117" +"H2020-EU.1.3.4.";"de";"H2020-EU.1.3.4.";"";"";"Steigerung der strukturellen Wirkung durch die Kofinanzierung von Tätigkeiten";"MSCA Co-funding";"

Steigerung der strukturellen Wirkung durch die Kofinanzierung von Tätigkeiten

Ziel ist es, zusätzliche Fördermittel zu mobilisieren und damit die an Zahlen und Strukturen ablesbaren Auswirkungen der Marie-Skłodowska-Curie-Maßnahmen noch zu steigern und die Exzellenz in der Ausbildung, Mobilität und Laufbahnentwicklung der Forscher auf nationaler Ebene zu unterstützen.Hierzu kommt es darauf an, mit Hilfe von Kofinanzierungsmechanismen regionale, nationale und internationale – sowohl öffentliche als auch private – Organisationen darin zu bestärken, neue Programme zu entwickeln und bestehende Programme an die internationale und intersektorale Ausbildung, Mobilität und Laufbahnentwicklung anzupassen. Dies erhöht die Qualität der Forscherausbildung in Europa in jeder Phase ihrer Laufbahn, auch während der Promotion, fördert die Mobilität von Forschern und wissenschaftlichen Erkenntnissen in Europa, unterstützt attraktive Forscherlaufbahnen durch eine offene Personaleinstellung und attraktive Arbeitsbedingungen, erleichtert die Forschungs- und Innovationszusammenarbeit zwischen Hochschulen, Forschungseinrichtungen und Unternehmen sowie die Zusammenarbeit mit Drittländern und internationalen Organisationen.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:36";"664117" +"H2020-EU.1.3.4.";"es";"H2020-EU.1.3.4.";"";"";"Intensificación del impacto estructural mediante la cofinanciación de actividades";"MSCA Co-funding";"

Intensificación del impacto estructural mediante la cofinanciación de actividades

El objetivo es aumentar, movilizando fondos adicionales, el impacto numérico y estructural de las acciones Marie Skłodowska-Curie y estimular la excelencia a nivel nacional en la formación, movilidad y desarrollo de la carrera de los investigadores.Las actividades clave servirán de estímulo, con ayuda de un mecanismo de cofinanciación, a las organizaciones regionales, nacionales e internacionales, tanto públicas como privadas, para que creen nuevos programas y adapten los existentes a la formación, movilidad y desarrollo de la carrera a escala internacional e intersectorial. De este modo aumentará la calidad de la formación de los investigadores en Europa en todas las etapas de su carrera, incluido el nivel de doctorado, se fomentará la libre circulación de los investigadores y los conocimientos científicos en Europa, se promoverán las carreras de investigación atractivas ofreciendo una contratación abierta y unas condiciones de trabajo atractivas y se apoyará la cooperación en investigación e innovación entre las universidades, las instituciones de investigación y las empresas y la cooperación con terceros países y organizaciones internacionales.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:36";"664117" +"H2020-EU.1.3.4.";"fr";"H2020-EU.1.3.4.";"";"";"Renforcer l'impact structurel par le cofinancement des activités";"MSCA Co-funding";"

Renforcer l'impact structurel par le cofinancement des activités

L'objectif est de renforcer, en mobilisant des fonds supplémentaires, l'impact quantitatif et structurel des actions Marie Skłodowska-Curie et de promouvoir l'excellence au niveau national sur le plan de la formation, de la mobilité et de l'évolution de la carrière des chercheurs.Les principales activités consistent à inciter, par un mécanisme de cofinancement, les organismes régionaux, nationaux et internationaux, tant publics que privés, à créer de nouveaux programmes et à adapter les programmes existants à la formation, la mobilité et l'évolution de la carrière internationales et intersectorielles. De telles démarches amélioreront la qualité de la formation à la recherche en Europe à toutes les étapes de la vie professionnelle, doctorat inclus; elles encourageront la libre circulation des chercheurs et des connaissances scientifiques en Europe, augmenteront l'attractivité des carrières dans la recherche par des procédures de recrutement ouvertes et par des conditions de travail attractives, favoriseront la coopération entre les universités, les institutions de recherche et les entreprises dans le domaine de la recherche et de l'innovation, et soutiendront la coopération avec les pays tiers et les organisations internationales.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:36";"664117" +"H2020-EU.4.b.";"de";"H2020-EU.4.b.";"";"";"Partnerschaften zwischen Forschungseinrichtungen ";"Twinning of research institutions";"

Partnerschaften zwischen Forschungseinrichtungen

mit dem Ziel, einen bestimmten Forschungsbereich in einer aufstrebenden Einrichtung durch Verbindungen zu mindestens zwei international führenden Einrichtungen in diesem Bereich wesentlich zu stärken. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:04";"664485" +"H2020-EU.4.b.";"en";"H2020-EU.4.b.";"";"";"Twinning of research institutions";"Twinning of research institutions";"

Twinning of research institutions

aiming at significantly strengthening a defined field of research in an emerging institution through links with at least two internationally-leading institutions in a defined field. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:04";"664485" +"H2020-EU.4.b.";"it";"H2020-EU.4.b.";"";"";"Gemellaggi di istituti di ricerca";"Twinning of research institutions";"

Gemellaggi di istituti di ricerca

Miranti a rafforzare in modo decisivo un determinato settore di ricerca in un istituto emergente attraverso collegamenti con almeno due istituti che svolgono un ruolo guida a livello internazionale in un settore specifico. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:04";"664485" +"H2020-EU.4.b.";"pl";"H2020-EU.4.b.";"";"";"Tworzeniu partnerstw między instytucjami badawczymi (ang. twinning)";"tworzeniu partnerstw między instytucjami badawczymi (ang. twinning)";"

Tworzeniu partnerstw między instytucjami badawczymi (ang. twinning)

mających na celu znaczne wzmocnienie określonej dziedziny badań naukowych w powstającej instytucji poprzez utworzenie powiązań z co najmniej dwiema instytucjami, które w danej dziedzinie odgrywają wiodącą rolę na poziomie międzynarodowym. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:04";"664485" +"H2020-EU.4.b.";"fr";"H2020-EU.4.b.";"";"";"Jumeler des institutions de recherche";"Twinning of research institutions";"

Jumeler des institutions de recherche

L'objectif étant de renforcer nettement un domaine défini de recherche dans une institution émergente en établissant des liens avec au moins deux institutions de pointe au niveau international dans un domaine défini. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:04";"664485" +"H2020-EU.4.b.";"es";"H2020-EU.4.b.";"";"";"El hermanamiento de centros de investigación";"Twinning of research institutions";"

El hermanamiento de centros de investigación

con el fin de reforzar considerablemente un campo determinado de investigación en un centro novel vinculándolo con al menos dos centros de rango internacional en dicho campo. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:04";"664485" +"H2020-EU.3.5.2.3.";"en";"H2020-EU.3.5.2.3.";"";"";"Provide knowledge and tools for effective decision making and public engagement";"";"";"";"H2020";"H2020-EU.3.5.2.";"";"";"2014-09-22 20:48:31";"664405" +"H2020-EU.3.6.3.";"it";"H2020-EU.3.6.3.";"";"";"Società riflessive - patrimonio culturale e identità europea";"Reflective societies";"

Società riflessive - patrimonio culturale e identità europea

L'obiettivo è quello di contribuire a comprendere il fondamento intellettuale dell'Europa, la sua storia e le numerose influenze europee ed extraeuropee, che costituiscono una fonte di ispirazione per le nostre vite oggi. L'Europa è caratterizzata da una varietà di diversi popoli (compresi minoranze e popoli indigeni), tradizioni e identità regionali e nazionali nonché da livelli diversi di sviluppo economico e sociale. La migrazione e la mobilità, i mezzi di comunicazione, l'industria e i trasporti contribuiscono alla diversità di prospettive e stili di vita. Occorre riconoscere e tenere in conto tale diversità e le opportunità che ne derivano.Le collezioni europee conservate in biblioteche, anche digitali, archivi, musei, gallerie e altre istituzioni pubbliche detengono un patrimonio ricco e ancora inesplorato di documenti e oggetti di studio. Tali risorse d'archivio rappresentano, assieme al patrimonio intangibile, la storia dei singoli Stati membri ma anche il patrimonio collettivo di un'Unione emersa nel corso del tempo. Tali materiali dovrebbero essere resi accessibili a ricercatori e cittadini, anche mediante le nuove tecnologie, per consentire di guardare al futuro attraverso l'archivio del passato. L'accessibilità e la conservazione del patrimonio culturale nelle forme suddette sono necessarie per la vitalità dei rapporti esistenti tra le diverse culture e all'interno delle stesse nell'Europa di oggi e contribuiscono alla crescita economica sostenibile.Il centro delle attività comprende:(a) lo studio del patrimonio culturale, della memoria, dell'identità, dell'integrazione e delle interazioni e traduzioni culturali in Europa, compreso il modo in cui tali elementi sono rappresentati nelle collezioni a carattere culturale e scientifico, negli archivi e nei musei, allo scopo di informare e comprendere meglio il presente mediante interpretazioni più approfondite del passato; (b) la ricerca sulla storia, la letteratura, l'arte, la filosofia e le religioni dei paesi e delle regioni d'Europa e sul modo in cui queste hanno dato forma alla diversità europea contemporanea; (c) la ricerca sul ruolo dell'Europa nel mondo, sulle influenze e i legami reciproci tra le regioni del mondo e sulle culture europee viste dall'esterno. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:50:08";"664455" +"H2020-EU.3.6.3.";"es";"H2020-EU.3.6.3.";"";"";"Sociedades reflexivas - patrimonio cultural e identidad europea";"Reflective societies";"

Sociedades reflexivas - patrimonio cultural e identidad europea

El objetivo consiste en contribuir a la comprensión de la base intelectual de Europa: su historia y las diversas influencias europeas y extraeuropeas, como inspiración para nuestra vida actual. Europa se caracteriza por una variedad de pueblos (incluidos minorías y pueblos indígenas), tradiciones e identidades regionales y nacionales diferentes, así como por niveles diferentes de desarrollo económico y de la sociedad. Las migraciones y la movilidad, los medios de comunicación, la industria y el transporte contribuyen a la diversidad de opiniones y de estilos de vida. Debería reconocerse y tenerse en cuenta esta diversidad y las oportunidades que ofrece.Las colecciones europeas de las bibliotecas (incluidas las digitales), archivos, museos, galerías y otras instituciones públicas contienen un tesoro de documentación y objetos de estudio sin explotar. Estos recursos archivísticos, junto con el patrimonio intangible, representan la historia de cada Estado miembro pero al mismo tiempo la herencia colectiva de una Unión que ha ido creándose a lo largo del tiempo. Estos materiales deberían hacerse accesibles, incluso por medio de nuevas tecnologías, a los investigadores y a los ciudadanos, para permitirles mirar al futuro a través del archivo del pasado. La accesibilidad y la conservación de estas formas del patrimonio cultural son necesarias para mantener la vitalidad de los compromisos de vida en el seno de las culturas europeas y entre ellas hoy en día, y contribuye al crecimiento económico sostenible.Las actividades perseguirán los siguientes objetivos específicos:(a) el estudio del patrimonio, la memoria, la identidad, la integración y la interacción y traducción culturales de Europa, incluidas sus representaciones en las colecciones, archivos y museos culturales y científicos, para informar mejor al presente y entenderlo mejor, mediante unas interpretaciones más ricas del pasado, (b) la investigación de la historia, la literatura, el arte, la filosofía y las religiones de los países y regiones de Europa, y de los modos en que han conformado la diversidad europea contemporánea, (c) la investigación del papel de Europa en el mundo, de la influencia mutua y de los vínculos entre las regiones del mundo, y de la visión de las culturas europeas desde el exterior. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:50:08";"664455" +"H2020-EU.3.6.3.";"fr";"H2020-EU.3.6.3.";"";"";"Des sociétés de réflexion - patrimoine culturel et identité européenne";"Reflective societies";"

Des sociétés de réflexion - patrimoine culturel et identité européenne

L'objectif est de contribuer à la compréhension de la base intellectuelle européenne - son histoire et les nombreuses influences européennes et non européennes - en tant qu'inspiration pour notre vie d'aujourd'hui. L'Europe se caractérise par la diversité des peuples (y compris les minorités et les populations autochtones), des traditions et des identités régionales et nationales ainsi que par des niveaux différents de développement économique et sociétal. Les migrations, la mobilité, les médias, l'industrie et les transports contribuent à la diversité des avis et des styles de vie. Cette diversité et les perspectives qu'elle offre devraient être reconnues et prises en compte.Les collections européennes dans les bibliothèques, y compris les bibliothèques numériques, les archives, les musées, les galeries et autres établissements publics disposent d'une grande quantité de documents et d'objets riches et inexploités pouvant être étudiés. Ces ressources d'archives, ainsi que le patrimoine immatériel, représentent l'histoire de chaque État membre, mais également le patrimoine collectif d'une Union qui est apparue au fil du temps. Ce matériel devrait être rendu accessible, également à l'aide des nouvelles technologies, aux chercheurs et aux citoyens pour permettre de regarder l'avenir au travers d'une archive du passé. L'accessibilité au patrimoine culturel sous ces formes et sa préservation sont nécessaires pour assurer la vitalité de relations dynamiques à l'intérieur des cultures européennes et entre celles-ci et contribuent à une croissance économique durable.Les activités visent à:(a) étudier le patrimoine, la mémoire, l'identité, l'intégration ainsi que l'interaction et la traduction culturelles au niveau européen, y compris leurs représentations dans les collections culturelles et scientifiques, les archives et les musées, afin de mieux éclairer et comprendre le présent grâce à des interprétations plus riches du passé; (b) mener des recherches sur l'histoire, la littérature, l'art, la philosophie et les religions des régions et pays européens et sur la manière dont ces éléments expliquent la diversité contemporaine européenne; (c) étudier le rôle de l'Europe dans le monde, les influences et les liens mutuels entre les régions du monde et un avis extérieur sur les cultures européennes. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:50:08";"664455" +"H2020-EU.3.6.3.";"pl";"H2020-EU.3.6.3.";"";"";"Refleksyjne społeczeństwa – dziedzictwo kulturowe i tożsamość europejska";"Reflective societies";"

Refleksyjne społeczeństwa – dziedzictwo kulturowe i tożsamość europejska

Celem jest przyczynienie się do zrozumienia podstaw intelektualnych Europy- jej historii i licznych europejskich i pozaeuropejskich wpływów- jako inspiracji dla naszego dzisiejszego życia. Europa charakteryzuje się różnorodnością narodową (żyją tu m.in. mniejszości i społeczności autochtoniczne), tradycji i tożsamości regionalnych i narodowych, a także zróżnicowanym poziomem rozwoju gospodarczego i społecznego. Migracja i mobilność, media, przemysł i transport przyczyniają się do wielorakości poglądów i stylów życia. Należy uznać i wziąć pod uwagę tę różnorodność i szanse, jakie ona stwarza.Europejskie zbiory w bibliotekach, m.in. w bibliotekach cyfrowych, archiwach, muzeach, galeriach i innych instytucjach publicznych obfitują w bogatą, niewykorzystaną dokumentację i przedmioty badań. Te zasoby archiwalne, wraz z dziedzictwem niematerialnym, reprezentują historię poszczególnych państw członkowskich, ale również zbiorowe dziedzictwo Unii, które powstawało z biegiem czasu. Materiały takie powinny zostać udostępnione – również za pomocą nowych technologii – badaczom i obywatelom, aby im umożliwić spojrzenie w przyszłość poprzez archiwum przeszłości. Dostępność i zachowanie dziedzictwa kulturowego w tych formach są konieczne, aby podtrzymać żywotność aktywnego uczestnictwa w obrębie kultur europejskich i między nimi w chwili obecnej, i przyczyniają się do trwałego wzrostu gospodarczego.Działania mają się koncentrować na:(a) badaniu dziedzictwa Europy, jej pamięci, tożsamości, integracji oraz interakcji i translacji kulturowych, w tym jej reprezentacji w zbiorach kulturalnych i naukowych, archiwach i muzeach, co pozwoli lepiej ukształtować i zrozumieć teraźniejszość poprzez bogatsze interpretacje przeszłości; (b) badaniu historii, literatury, sztuki, filozofii i religii krajów i regionów europejskich oraz tego, w jaki sposób ukształtowały one współczesną europejską różnorodność; (c) badaniu roli Europy w świecie, wzajemnych wpływów i powiązań między regionami świata, oraz spojrzenia z zewnątrz na kultury europejskie. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:50:08";"664455" +"H2020-EU.3.6.3.";"en";"H2020-EU.3.6.3.";"";"";"Reflective societies - cultural heritage and European identity";"Reflective societies";"

Reflective societies - cultural heritage and European identity

The aim is to contribute to an understanding of Europe's intellectual basis – its history and the many European and non-European influences – as an inspiration for our lives today. Europe is characterized by a variety of different peoples (including minorities and indigenous people), traditions and regional and national identities as well as by different levels of economic and societal development. Migration and mobility, the media, industry and transport contribute to the diversity of views and lifestyles. This diversity and its opportunities should be recognized and considered.European collections in libraries, including digital ones, archives, museums, galleries and other public institutions have a wealth of rich, untapped documentation and objects for study. These archival resources, together with intangible heritage, represent the history of individual Member States but also the collective heritage of a Union that has emerged through time. Such materials should be made accessible, also through new technologies, to researchers and citizens to enable a look to the future through the archive of the past. Accessibility and preservation of cultural heritage in these forms is needed for the vitality of the living engagements within and across European cultures now and contributes to sustainable economic growth.The focus of activities shall be to:(a) study European heritage, memory, identity, integration and cultural interaction and translation, including its representations in cultural and scientific collections, archives and museums, to better inform and understand the present by richer interpretations of the past;(b) research into European countries' and regions' history, literature, art, philosophy and religions and how these have informed contemporary European diversity; (c) research on Europe's role in the world, on the mutual influence and ties between the regions of the world, and a view from outside on European cultures.";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:50:08";"664455" +"H2020-EU.3.6.3.";"de";"H2020-EU.3.6.3.";"";"";"Reflektierende Gesellschaften – Kulturerbe und europäische Identität";"Reflective societies";"

Reflektierende Gesellschaften – Kulturerbe und europäische Identität

Ziel ist ein Beitrag zum Verständnis der geistigen Grundlage Europas, seiner Geschichte und der vielen europäischen und außereuropäischen Einflüsse als Quelle der Inspiration für unser Leben in heutiger Zeit. Charakteristisch für Europa sind die Vielfalt der Völker (einschließlich der Minderheiten und indigenen Völker), Traditionen sowie regionalen und nationalen Identitäten und das unterschiedliche Ausmaß an wirtschaftlicher und gesellschaftlicher Entwicklung. Migration und Mobilität, Medien, Wirtschaft und Verkehr tragen zur Vielfalt der Sichtweisen und Lebensentwürfe bei. Diese Vielfalt und die sich daraus ergebenden Möglichkeiten sollten gewürdigt und berücksichtigt werden.Die europäischen Sammlungen in Bibliotheken, auch digitalen Bibliotheken, in Archiven, Museen, Galerien und anderen öffentlichen Institutionen bieten eine Fülle von reichhaltigem, unerschlossenem Dokumentarmaterial und von Studienobjekten. Dieser Archivbestand bildet zusammen mit dem immateriellen Kulturerbe die Geschichte der einzelnen Mitgliedstaaten ab, stellt aber auch das gemeinsame Erbe einer Union dar, die sich im Laufe der Zeit geformt hat. Dieses Material sollte auch mit Hilfe der neuen Technologien Forschern und Bürgern zugänglich gemacht werden, damit sie durch die archivierte Vergangenheit einen Blick in die Zukunft werfen können. Die Zugänglichkeit und Erhaltung des in diesen Formen vorliegenden Kulturerbes ist für den dynamischen, lebendigen Austausch innerhalb der Kulturen Europas und zwischen ihnen in der Gegenwart unabdingbar und trägt zu einem nachhaltigen Wirtschaftswachstum bei.Schwerpunkte der Tätigkeiten ist:(a) Erforschung des Erbes, des Gedächtnisses, der Identität und der Integration Europas und der kulturellen Wechselwirkungen und Transfers einschließlich der Darstellung dieser Aspekte in kulturellen oder wissenschaftlichen Sammlungen, Archiven und Museen, damit durch gehaltvollere Deutungen der Vergangenheit die Gegenwart besser erfasst und verstanden werden kann; (b) Erforschung der Geschichte, Literatur, Philosophie und Religionen der Länder und Regionen Europas und der Frage, wie diese die heutige Vielfalt in Europa geprägt haben; (c) Erforschung der Rolle Europas in der Welt, der gegenseitigen Beeinflussung und der Verknüpfungen zwischen den Regionen der Welt und der Wahrnehmung der Kulturen Europas in der Welt. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:50:08";"664455" +"H2020-EU.3.2.2.3.";"en";"H2020-EU.3.2.2.3.";"";"";"A sustainable and competitive agri-food industry";"";"";"";"H2020";"H2020-EU.3.2.2.";"";"";"2014-09-22 20:45:07";"664299" +"H2020-EU.1.4.1.3.";"en";"H2020-EU.1.4.1.3.";"";"";"Development, deployment and operation of ICT-based e-infrastructures";"";"";"";"H2020";"H2020-EU.1.4.1.";"";"";"2014-09-22 20:39:57";"664129" +"H2020-EU.1.2.1.";"de";"H2020-EU.1.2.1.";"";"";"FET – offener Bereich";"FET Open";"

FET – offener Bereich

Durch die Förderung neuartiger Ideen (""FET – offener Bereich"") werden wissenschaftlich-technologische Forschungsarbeiten, die neue Wege für grundlegend neue Technologien der Zukunft sondieren, dabei geltende Paradigmen in Frage stellen und in unbekannte Bereiche vorstoßen, in einem frühen Stadium unterstützt. Ein für unterschiedlichste Forschungsideen offenes ""Bottom-up""-Auswahlverfahren wird für eine große Vielfalt bei den ausgewählten Projekten sorgen. Entscheidend dabei ist, vielversprechende neue Bereiche, Entwicklungen und Trends frühzeitig zu erkennen und neue hochkompetente Akteure aus Forschung und Innovation hierfür zu gewinnen.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:11";"664103" +"H2020-EU.1.2.1.";"es";"H2020-EU.1.2.1.";"";"";"FET Open";"FET Open";"

FET Open

Mediante el fomento de nuevas ideas (""FET Open""), FET apoyará la investigación científica y tecnológica temprana que explora nuevos fundamentos para futuras tecnologías radicalmente nuevas poniendo en entredicho los paradigmas actuales y aventurándose en regiones desconocidas. Un proceso de selección ascendente ampliamente abierto a cualquier idea de investigación constituirá una cartera diversificada de proyectos focalizados. Resultará esencial detectar precozmente nuevos ámbitos, acontecimientos y tendencias prometedores, así como atraer a nuevos protagonistas de la investigación y la innovación de gran potencial.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:11";"664103" +"H2020-EU.1.2.1.";"fr";"H2020-EU.1.2.1.";"";"";"FET Open";"FET Open";"

FET Open

En encourageant les idées innovantes («FET Open»), le FET soutient dans ses premiers pas la recherche scientifique et technologique axée sur l'exploration de nouvelles bases, qui serviront à développer les technologies révolutionnaires du futur en remettant en question les paradigmes actuels et en ouvrant de nouveaux domaines à l'exploration. Un processus de sélection ascendant largement ouvert à toutes les idées de recherche doit permettre de cibler un vaste éventail de projets. La détection précoce des nouvelles thématiques, évolutions et tendances prometteuses et l'attraction de nouveaux acteurs à haut potentiel du secteur de la recherche et de l'innovation seront des facteurs clés.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:11";"664103" +"H2020-EU.1.2.1.";"pl";"H2020-EU.1.2.1.";"";"";"FET Open";"FET Open";"

FET Open

Sprzyjając nowatorskim pomysłom („FET Open”), FET wspierają znajdujące się na wczesnych etapach koncepcje badawcze w zakresie nauki i technologii, zmierzające do stworzenia podstaw radykalnie nowych przyszłych technologii poprzez zakwestionowanie obecnych paradygmatów i eksplorację nieznanych obszarów. Oddolny proces wyboru, szeroko otwarty na wszelkie pomysły badawcze, dostarcza zróżnicowanego portfela ukierunkowanych projektów. Kluczowe będzie wczesne wskazanie obiecujących nowych obszarów, wynalazków i tendencji, a także przyciąganie nowych i cechujących się dużym potencjałem podmiotów zainteresowanych badaniami naukowymi i innowacjami.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:11";"664103" +"H2020-EU.1.2.1.";"it";"H2020-EU.1.2.1.";"";"";"TEF aperte";"FET Open";"

TEF aperte

Incoraggiando nuove idee (""TEF aperte""), le TEF sostengono la ricerca scientifica e tecnologica in fase iniziale esplorando nuove basi per tecnologie future radicalmente nuove mediante la sfida agli attuali paradigmi e l'incursione in terreni ignoti. Un processo di selezione ascendente ampiamente aperto a tutte le idee di ricerca si basa su un portafoglio diversificato di progetti mirati. L'individuazione tempestiva di nuovi settori, sviluppi e tendenze promettenti, congiuntamente all'attrazione di attori della ricerca e dell'innovazione nuovi e ad alto potenziale rappresenteranno fattori chiave.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:11";"664103" +"H2020-EU.1.2.1.";"en";"H2020-EU.1.2.1.";"";"";"FET Open";"FET Open";"

FET Open

By fostering novel ideas ('FET Open'), FET shall support early stage science and technology research exploring new foundations for radically new future technologies by challenging current paradigms and venturing into unknown areas. A bottom-up selection process widely open to any research ideas shall build up a diverse portfolio of targeted projects. Early detection of promising new areas, developments and trends, along with attracting new and high-potential research and innovation players, will be key factors.";"";"H2020";"H2020-EU.1.2.";"";"";"2014-09-22 20:39:11";"664103" +"H2020-EU.1.2.";"es";"H2020-EU.1.2.";"";"";"CIENCIA - Tecnologías Futuras y Emergentes (FET)";"Future and Emerging Technologies (FET)";"

CIENCIA - Tecnologías Futuras y Emergentes (FET)

Objetivo específico

El objetivo específico es promover tecnologías radicalmente nuevas mediante la exploración de ideas novedosas y de alto riesgo basadas en fundamentos científicos con potencial para abrir nuevos ámbitos al conocimiento científico y a las tecnologías y contribuir al desarrollo de la próxima generación de industrias europeas. Se pretende, mediante un apoyo flexible a la investigación en colaboración orientada a la consecución de objetivos e interdisciplinaria a diversas escalas y mediante la adopción de prácticas de investigación innovadoras, descubrir y aprovechar las oportunidades de beneficio a largo plazo para los ciudadanos, la economía y la sociedad. Las FET aportarán el valor añadido de la Unión a las fronteras de la investigación moderna.Las FET promoverán la investigación y la tecnología más allá de lo que se conoce, se acepta o prevalece, y fomentarán las ideas visionarias y novedosas para abrir vías prometedoras hacia tecnologías potentes y nuevas, algunas de las cuales podrían transformarse en paradigmas tecnológicos e intelectuales de primer rango para las próximas décadas. Fomentarán los esfuerzos para aprovechar las oportunidades de investigación a pequeña escala en todos los campos, así como los temas emergentes y grandes retos científicos y tecnológicos (C+T) que exijan una estrecha colaboración entre programas de toda Europa y fuera de ella. Este enfoque estará impulsado por la excelencia y se extiende a la exploración de ideas precompetitivas para configurar el futuro de la tecnología, permitiendo que la sociedad y la industria se beneficien de la colaboración multidisciplinaria en investigación que es preciso acometer a nivel europeo creando vínculos entre la investigación impulsada por la ciencia y la investigación impulsada por los objetivos y retos de la sociedad o la competitividad industrial.

Justificación y valor añadido de la Unión

Los avances radicales con impacto transformador dependen cada vez más de una intensa colaboración entre las distintas disciplinas científicas y tecnológicas (por ejemplo, información y comunicación, biología, bioingeniería y robótica, química, física, matemáticas, modelización médica, ciencia de los sistemas terrestres, ciencia de los materiales, neurociencia y ciencia cognitiva, ciencias sociales o economía) y con las artes, las ciencias del comportamiento y las humanidades. Para ello podría requerirse no solo excelencia en ciencia y tecnología, sino también nuevas actitudes e interacciones novedosas entre un amplio abanico de protagonistas de la investigación.Aun cuando algunas ideas puedan desarrollarse a pequeña escala, otras pueden ser tan ambiciosas que exijan un gran esfuerzo de colaboración durante un período de tiempo considerable. Las principales economías del mundo se han dado cuenta de ello, y existe una creciente competencia mundial por hallar y aprovechar las oportunidades tecnológicas emergentes en las fronteras de la ciencia que pueden tener repercusiones considerables sobre la innovación y beneficios para la sociedad. Para ser eficaz, este tipo de actividad podría requerir un rápido despliegue a gran escala, mediante un esfuerzo europeo común en torno a unos objetivos comunes para construir masa crítica, fomentar sinergias y obtener efectos multiplicadores óptimos.El programa FET abordará todo el espectro de la innovación impulsada por la ciencia: desde las exploraciones ascendentes a pequeña escala de principios de ideas embrionarias y frágiles a la construcción de nuevas comunidades de investigación e innovación en torno a campos de investigación emergentes transformadores y grandes iniciativas colaborativas de investigación construidas alrededor de un programa de investigación destinado a alcanzar objetivos ambiciosos y visionarios. Cada uno de estos tres niveles de compromiso tiene su propio valor específico, aun siendo complementario y sinérgico. Por ejemplo, las exploraciones a pequeña escala pueden revelar la necesidad de desarrollar nuevos temas que pueden dar lugar a una acción a gran escala basada en hojas de ruta adecuadas. Pueden implicar a una amplia gama de participantes en la investigación, incluidos los jóvenes investigadores y las PYME intensivas en investigación y las comunidades de partes interesadas (sociedad civil, responsables de adoptar decisiones, industria e investigadores públicos), reunidos en torno a los programas de investigación a medida que toman forma, maduran y se diversifican.

Líneas generales de las actividades

El programa FET pretende ser visionario, transformador y no convencional, y sus actividades aplicarán lógicas diferentes, desde la totalmente abierta a diferentes grados de estructuración de temas, comunidades y financiación.Las actividades darán forma concreta a diferentes lógicas de acción, a la escala adecuada, encontrando y explotando las oportunidades de beneficios a largo plazo para los ciudadanos, la economía y la sociedad:

a) FET Open

Mediante el fomento de nuevas ideas (""FET Open""), FET apoyará la investigación científica y tecnológica temprana que explora nuevos fundamentos para futuras tecnologías radicalmente nuevas poniendo en entredicho los paradigmas actuales y aventurándose en regiones desconocidas. Un proceso de selección ascendente ampliamente abierto a cualquier idea de investigación constituirá una cartera diversificada de proyectos focalizados. Resultará esencial detectar precozmente nuevos ámbitos, acontecimientos y tendencias prometedores, así como atraer a nuevos protagonistas de la investigación y la innovación de gran potencial.

(b) FET Proactive

Nutriendo temas y comunidades emergentes (""FET Proactive""), FET abordará, en estrecha colaboración con los retos de la sociedad y los temas de liderazgo industrial, una serie de temas de investigación exploratoria prometedores, con potencial para generar una masa crítica de proyectos interrelacionados que, conjuntamente, permitan una exploración amplia y polifacética de los temas y constituyan un depósito común europeo de conocimientos.

(c) FET Flagships

Abordando los grandes retos científicos y tecnológicos interdisciplinarios (""FET Flagships""), FET apoyará, teniendo plenamente en cuenta los resultados de los proyectos preparatorios de FET, la investigación ambiciosa, impulsada por la ciencia y la tecnología y a gran escala, que aspire a lograr una ruptura científica y tecnológica en ámbitos considerados pertinentes, de un modo abierto y transparente que implique a los Estados miembros y a las partes interesadas. Estas actividades podrían beneficiarse de la coordinación de los programas europeos nacionales y regionales. El avance científico debe proporcionar una base sólida y amplia para la innovación tecnológica y su explotación económica en el futuro, así como nuevos beneficios para la sociedad. Estas actividades se realizan utilizando los instrumentos de financiación existentes.El 40 % de los recursos FET se consagrarán a ""FET Open"".";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:07";"664101" +"H2020-EU.1.2.";"fr";"H2020-EU.1.2.";"";"";"EXCELLENCE SCIENTIFIQUE - Technologies futures et émergentes (FET)";"Future and Emerging Technologies (FET)";"

EXCELLENCE SCIENTIFIQUE - Technologies futures et émergentes (FET)

Objectif spécifique

L'objectif spécifique est de promouvoir de nouvelles technologies révolutionnaires ayant le potentiel d'ouvrir de nouveaux domaines pour les connaissances et les technologies scientifiques, et de soutenir les industries européennes de la prochaine génération, en explorant des idées innovantes et à haut risque s'appuyant sur des bases scientifiques. L'apport, à différents niveaux, d'un soutien flexible à la recherche collaborative et interdisciplinaire axée sur la réalisation d'objectifs et l'adoption de pratiques de recherche innovantes visent à recenser et à saisir les possibilités d'apporter des avantages à long terme aux citoyens, à l'économie et à la société. Le FET apportera une valeur ajoutée de l'Union aux frontières de la recherche moderne.Le FET promeut la recherche et la technologie au-delà des éléments connus, acceptés ou largement établis et encourage les modes de pensée novateurs et visionnaires, de façon à ouvrir des voies prometteuses qui mèneront au développement de nouvelles technologies performantes, dont certaines pourraient être à la source de certains des principaux paradigmes technologiques et intellectuels des décennies à venir. Le FET encourage l'exploration des possibilités de recherche à petite échelle dans tous les domaines, dont les thèmes émergents et les grands défis scientifiques et technologiques nécessitant une collaboration étroite entre les programmes au sein de l'Union et au-delà. Cette approche se fonde sur l'excellence et s'étend à l'exploration d'idées préconcurrentielles qui détermineront l'avenir des technologies; elle permet à la société et à l'industrie de tirer parti de la collaboration dans le domaine de la recherche pluridisciplinaire qui doit être engagée au niveau européen en établissant des ponts entre la recherche axée sur la science et la recherche axée sur les objectifs sociétaux et les défis de société ou celle axée sur la compétitivité des entreprises.

Justification et valeur ajoutée de l'Union

Les avancées radicales génératrices de changement reposent de plus en plus sur une intense collaboration entre diverses disciplines scientifiques et technologiques (par exemple: information et communication, biologie, bioingénierie et robotique, chimie, physique, mathématique, modélisation médicale, sciences du système terrestre, sciences des matériaux, sciences neurocognitives, sciences sociales ou sciences économiques), et les disciplines artistiques, les sciences comportementales et les sciences humaines. Cette collaboration pourrait exiger non seulement l'excellence sur le plan scientifique et technologique mais aussi un état d'esprit nouveau et de nouvelles interactions entre une grande variété d'acteurs du secteur de la recherche.Si certaines idées peuvent être développées à petite échelle, d'autres sont si difficiles à mettre en œuvre qu'elles nécessitent un effort de collaboration de grande ampleur sur une période relativement longue. Les grandes économies mondiales l'ont reconnu, et la concurrence s'est intensifiée à l'échelle mondiale concernant le recensement et l'exploration des nouvelles possibilités technologiques, aux frontières de la science, qui pourraient avoir des répercussions considérables sur le plan de l'innovation et produire d'énormes avantages pour la société. Pour être efficaces, il se peut que ces types d'activités doivent être mis en place rapidement et à grande échelle, dans le cadre d'une démarche européenne commune fondée sur des objectifs communs, de manière à constituer une masse critique, à promouvoir les synergies et à produire un effet de levier optimal.Le FET couvre tout le spectre de l'innovation scientifique: Le FET couvre tout le spectre de l'innovation scientifique, de l'exploration précoce, à petite échelle et selon un processus ascendant, d'idées embryonnaires et fragiles à la création de nouvelles communautés de la recherche et de l'innovation centrées sur de nouveaux domaines de recherche générateurs de changement et de grandes initiatives de recherche fondées sur la collaboration, articulées autour d'un programme de recherche visant à atteindre des objectifs ambitieux et visionnaires. Ces trois niveaux d'engagement ont chacun leur valeur spécifique, tout en étant liés par une relation de synergie et de complémentarité: les explorations à petite échelle peuvent ainsi faire apparaître la nécessité de développer de nouveaux thèmes, qui sont susceptibles d'entraîner une action à grande échelle sur la base d'une feuille de route appropriée. Ils peuvent faire appel à une grande variété d'acteurs du domaine de la recherche, dont les jeunes chercheurs et les PME fortement axées sur la recherche, et à une multitude de parties prenantes (société civile, décideurs politiques, industrie et chercheurs du secteur public), réunis autour de programmes de recherche qui évoluent au fur et à mesure de leur élaboration, de leur maturation et de leur diversification.

Grandes lignes des activités

Si le FET se veut visionnaire, non conventionnel et moteur de changement, les activités qui le composent suivent différentes logiques, allant d'une ouverture totale à divers degrés de structuration des thématiques, des communautés et du financement.Les activités donnent un caractère plus concret à différentes logiques d'action, à l'échelon approprié, en recensant et en saisissant les possibilités d'apporter des avantages à long terme aux citoyens, à l'économie et à la société:

(a) FET Open

En encourageant les idées innovantes («FET Open»), le FET soutient dans ses premiers pas la recherche scientifique et technologique axée sur l'exploration de nouvelles bases, qui serviront à développer les technologies révolutionnaires du futur en remettant en question les paradigmes actuels et en ouvrant de nouveaux domaines à l'exploration. Un processus de sélection ascendant largement ouvert à toutes les idées de recherche doit permettre de cibler un vaste éventail de projets. La détection précoce des nouvelles thématiques, évolutions et tendances prometteuses et l'attraction de nouveaux acteurs à haut potentiel du secteur de la recherche et de l'innovation seront des facteurs clés;

(b) FET Proactive

En favorisant le développement de thèmes et communautés émergents («FET Proactive»), le FET, en étroite relation avec les thèmes «Défis de société» et «Primauté industrielle», s'ouvre à une série de thèmes prometteurs de la recherche exploratoire, susceptibles de générer une masse critique de projets interconnectés qui, ensemble, garantissent une large couverture de ces domaines de recherche, sous une multitude d'angles différents, et constituent un réservoir européen de connaissances.

(c) FET Flagships

En s'efforçant de relever les grands défis scientifiques et technologiques de caractère interdisciplinaire («FET Flagships»), le FET, en tenant pleinement compte des résultats des projets préparatoires qui s'y rapportent, soutient des activités de recherche scientifique et technologique ambitieuses et à grande échelle visant à réaliser, d'une manière ouverte et transparente et avec la participation des États membres et des parties prenantes concernées, une percée scientifique et technologique dans des domaines jugés pertinents. De telles activités pourraient bénéficier de la coordination entre les programmes européens, nationaux et régionaux. La percée scientifique réalisée devrait offrir une vaste et solide assise à l'innovation technologique et à l'exploitation économique futures, et apporter de nouveaux avantages à la société. Ces activités sont réalisées au moyen des instruments financiers existants.40 % des ressources du FET seront allouées au «FET Open».";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:07";"664101" +"H2020-EU.1.2.";"pl";"H2020-EU.1.2.";"";"";"DOSKONAŁA BAZA NAUKOWA - Przyszłe i Powstające Technologie (FET)";"Future and Emerging Technologies (FET)";"

DOSKONAŁA BAZA NAUKOWA - Przyszłe i Powstające Technologie (FET)

Cel szczegółowy

Cel szczegółowy polega na wspieraniu radykalnie nowych technologii, z uwzględnieniem możliwości otwarcia nowych obszarów europejskiej wiedzy i technologii oraz przyczynienia się do powstawania nowej generacji gałęzi przemysłu w Europie poprzez badanie nowatorskich koncepcji obarczonych wysokim ryzykiem – w oparciu o fundamenty naukowe. Zapewniając elastyczne wsparcie dla zorientowanej na osiąganie celów i interdyscyplinarnej współpracy badawczej w różnych skalach oraz przyjmując innowacyjne praktyki w zakresie badań naukowych, dąży się do określenia i wykorzystania możliwości oferujących długofalowe korzyści obywatelom, gospodarce i społeczeństwu. Przyszłe i powstające technologie zapewnią Unii wartość dodaną w przypadku nowoczesnych badań naukowych na rubieżach wiedzy.Przyszłe i powstające technologie wspomagają badania naukowe i technologie wykraczające poza granice tego, co jest znane, akceptowane lub szeroko przyjmowane oraz wspierają nowatorskie i wizjonerskie myślenie w celu otwarcia obiecujących dróg ku efektywnym nowym technologiom, z których część może zapoczątkować wiodące paradygmaty technologiczne i intelektualne na kolejne dziesięciolecia. Przyszłe i powstające technologie wspierają działania w kierunku wykorzystywania małoskalowych możliwości badawczych we wszystkich dziedzinach, w tym w powstających dopiero zagadnieniach oraz wielkich, naukowych i technologicznych wyzwaniach wymagających ścisłej współpracy między programami z całej Europy i spoza niej. To podejście jest zorientowane na doskonałość i obejmuje weryfikację przedkonkurencyjnych pomysłów dotyczących kształtowania przyszłości technologii, umożliwiając społeczeństwu i przemysłowi czerpanie korzyści z multidyscyplinarnej współpracy badawczej, która musi zostać podjęta na poziomie europejskim poprzez połączenie badań naukowych opartych na nauce oraz badań stymulowanych celami i wyzwaniami społecznymi lub konkurencyjnością przemysłową.

Uzasadnienie i unijna wartość dodana

Radykalne przełomy prowadzące do przeobrażeń w coraz większym stopniu są uzależnione od intensywnej współpracy między dyscyplinami nauki i technologii (np. informacji i komunikacji, biologii, bioinżynierii i robotyki, chemii, fizyki, matematyki, modelowania w medycynie, nauki o Ziemi, materiałoznawstwa, neurobiologii i kognitywistyki, nauk społecznych lub ekonomii), a także sztuką, naukami behawioralnymi i humanistyką. Może to wymagać nie tylko najwyższej jakości w zakresie nauki i technologii, lecz także nowych postaw i nowatorskich interakcji między szerokim wachlarzem podmiotów zainteresowanych badaniami naukowymi.Nad niektórymi pomysłami można pracować w małej skali, podczas gdy inne bywają tak skomplikowane, że wymagają szeroko zakrojonego wspólnego wysiłku podejmowanego przez dłuższy czas. Duże gospodarki na świecie zdają sobie z tego sprawę, w związku z czym nasila się globalna konkurencja w wyszukiwaniu i wykorzystaniu pojawiających się możliwości technologicznych na rubieżach nauki, mogących mieć istotne oddziaływanie na innowacje i korzyści dla społeczeństwa. Aby te działania były skuteczne, konieczne może okazać się ich szybkie rozwinięcie do dużej skali poprzez wspólną europejską akcję skoncentrowaną na wspólnych celach, z myślą o osiągnięciu masy krytycznej, promowaniu synergii oraz uzyskaniu optymalnego efektu dźwigni.FET uwzględnia całe spektrum stymulowanych nauką innowacji: od oddolnych i prowadzonych na małą skalę badań opartych na pomysłach będących w zarodku lub wymagających weryfikacji, po budowę nowych społeczności badawczych i innowacyjnych wokół nowych dziedzin badań naukowych sprzyjających przeobrażeniom, a także wielkoskalowe i wspólne inicjatywy badawcze oparte na agendach przewidujących osiągnięcie ambitnych i wizjonerskich celów. Każdy spośród tych trzech poziomów zaangażowania ma szczególną wartość, uzupełniając pozostałe i umożliwiając synergię z nimi. Np. prowadzone na małą skalę badania mogą ujawnić potrzebę opracowania nowych zagadnień, co może skutkować poważną, opartą na odpowiednim planie działania interwencją. Mogą one angażować szeroką gamę podmiotów zainteresowanych badaniami naukowymi, w tym młodych naukowców i MŚP intensywnie korzystające z badań naukowych, a także społeczności zainteresowanych stron (społeczeństwo obywatelskie, decydenci i przemysł, a także naukowcy z sektora publicznego), jednoczących się wokół kształtujących się, dojrzewających i różnicujących się i zmieniających agend badawczych.

Ogólne kierunki działań

FET ma charakter wizjonerski, sprzyjający przeobrażeniom i niekonwencjonalny, natomiast w prowadzonych w jego ramach działaniach stosuje się różne typy logiki, od całkowitego otwarcia po różne stopnie strukturyzacji zagadnień, społeczności i finansowania.Różne rodzaje logiki znajdują odzwierciedlenie w działaniach, we właściwej skali, pozwalając na identyfikację i wykorzystanie możliwości zapewnienia długoterminowych korzyści obywatelom, gospodarce i społeczeństwu:

(a) FET Open

Sprzyjając nowatorskim pomysłom („FET Open”), FET wspierają znajdujące się na wczesnych etapach koncepcje badawcze w zakresie nauki i technologii, zmierzające do stworzenia podstaw radykalnie nowych przyszłych technologii poprzez zakwestionowanie obecnych paradygmatów i eksplorację nieznanych obszarów. Oddolny proces wyboru, szeroko otwarty na wszelkie pomysły badawcze, dostarcza zróżnicowanego portfela ukierunkowanych projektów. Kluczowe będzie wczesne wskazanie obiecujących nowych obszarów, wynalazków i tendencji, a także przyciąganie nowych i cechujących się dużym potencjałem podmiotów zainteresowanych badaniami naukowymi i innowacjami.

(b) FET Proactive

Wspierając nowo powstające zagadnienia i społeczności („FET Proactive”), FET, w ścisłym powiązaniu z tematyką wyzwań społecznych i wiodącej pozycji w przemyśle, obejmują swoim zakresem wiele obiecujących kierunków badań poszukiwawczych, odznaczających się potencjałem wytworzenia masy krytycznej wzajemnie powiązanych projektów, które obejmują szeroki wachlarz wieloaspektowych działań badawczych i przyczyniają się do utworzenia europejskiej puli wiedzy.

(c) FET Flagships

Podejmując wielkie interdyscyplinarne wyzwania naukowe i technologiczne („FET flagships”), FET, przy pełnym uwzględnieniu projektów przygotowawczych FET, wspierają ambitne, realizowane na dużą skalę, stymulowane nauką i technologią badania zmierzające do osiągnięcia naukowego i technologicznego przełomu w dziedzinach określonych jako mające znaczenie, w których w otwarty i przejrzysty sposób uczestniczą państwa członkowskie i odpowiednie zainteresowane strony. Takie działania mogłyby skorzystać na skoordynowaniu programów europejskich, krajowych i regionalnych. Postęp naukowy powinien zapewnić mocne i szerokie podstawy dla przyszłych innowacji technologicznych i ich wykorzystania w gospodarce, a także nowe korzyści dla społeczeństwa. Działania te realizowane są z wykorzystaniem istniejących instrumentów finansowania.40% zasobów FET zostanie przeznaczone na FET Open.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:07";"664101" +"H2020-EU.1.2.";"it";"H2020-EU.1.2.";"";"";"ECCELLENZA SCIENTIFICA - Tecnologie emergenti future (TEF)";"Future and Emerging Technologies (FET)";"

ECCELLENZA SCIENTIFICA - Tecnologie emergenti future (TEF)

Obiettivo specifico

L'obiettivo specifico è promuovere tecnologie radicalmente nuove che offrano la possibilità di aprire nuovi ambiti alla conoscenza scientifica e alle tecnologie e contribuire alle industrie europee di prossima generazione, per mezzo dell'esplorazione di idee nuove e ad alto rischio fondate su basi scientifiche. L'obiettivo è quello di identificare e cogliere, grazie a un sostegno flessibile alla ricerca collaborativa interdisciplinare e orientata ai risultati su scale diverse e grazie all'adozione di prassi di ricerca innovative, le opportunità di vantaggio a lungo termine per i cittadini, l'economia e la società. Le TEF apporteranno valore aggiunto dell'Unione alla ricerca di frontiera moderna.Le TEF promuovono la ricerca e la tecnologia oltre quanto è già conosciuto, accettato o ampiamente adottato e incoraggiano un pensiero nuovo e visionario per aprire percorsi promettenti verso nuove e potenti tecnologie, alcune delle quali sono suscettibili di sviluppare i paradigmi guida in ambito tecnologico e intellettuale dei prossimi decenni. Le TEF promuovono gli sforzi per perseguire le opportunità di ricerca su piccola scala in tutti i settori, compresi i temi emergenti e le grandi sfide scientifiche e tecnologiche che esigono una stretta collaborazione fra i programmi in Europa e oltre. Tale approccio è guidato dall'eccellenza e si spinge a esplorare le idee precompetitive per plasmare il futuro della tecnologia, consentendo alla società e all'industria di trarre vantaggio dalla collaborazione multidisciplinare nella ricerca che deve essere avviata a livello europeo creando il legame fra la ricerca spinta dalla scienza e quella spinta da obiettivi e sfide per la società o dalla competitività industriale.

Motivazione e valore aggiunto dell'Unione

Le scoperte radicali con un impatto trasformativo riposano sempre più su un'intensa collaborazione interdisciplinare nella scienza e nella tecnologia, ad esempio in ambiti quali informazione e comunicazione, biologia, bioingegneria e robotica, chimica, fisica, matematica, modellazione medica, scienze della Terra, scienze dei materiali neuroscienze e scienze cognitive, scienze sociali o economia, o nelle arti, nella scienza del comportamento e nelle discipline umanistiche. A tal fine può non essere sufficiente la sola eccellenza scientifica o tecnologica, ma sono necessarie anche nuove attitudini e nuove interazioni all'interno di un ampio spettro di attori della ricerca.Talune idee possono essere sviluppare su scala ridotta, altre possono rappresentare sfide così importanti da richiedere un ampio sforzo collaborativo per un periodo consistente. Le grandi economie mondiali hanno riconosciuto questo fatto e si assiste a una crescente concorrenza a livello globale per identificare e perseguire le opportunità tecnologiche emergenti alla frontiera della scienza suscettibili di produrre un impatto di rilievo sull'innovazione e i vantaggi sociali. È possibile che questi tipi di attività, per essere efficaci, debbano crescere rapidamente su un'ampia scala per mezzo di uno sforzo comune europeo intorno a obiettivi comuni al fine di conseguire una massa critica, incoraggiare le sinergie e ottenere effetti di leva ottimali.Le TEF coprono l'intera gamma di innovazioni basate sulla scienza: dalle iniziali esplorazioni ascendenti su scala ridotta di idee in fase embrionale e ancora fragili fino alla creazione di nuove comunità di ricerca e innovazione aggregate intorno a settori di ricerca emergenti e nuove iniziative di ricerca collaborative di ampio respiro create attorno a un programma di ricerca mirato a conseguire obiettivi ambiziosi e visionari. Questi tre livelli di impegno hanno ciascuno il proprio valore specifico, restando complementari e sinergici. A titolo di esempio, le esplorazioni su scala ridotta possono rivelare l'esigenza di sviluppare nuovi temi suscettibili di condurre a un'azione su ampia scala basata su tabelle di marcia adeguate. Queste possono coinvolgere un ampio numero di attori della ricerca, compresi i giovani ricercatori e le PMI a elevata intensità di ricerca nonché le comunità di soggetti interessati, quali la società civile, i responsabili politici, l'industria e la ricerca pubblica, aggregati intorno a programmi di ricerca in evoluzione man mano che tali esplorazioni prendono forma, maturano e si diversificano.

Le grandi linee delle attività

Laddove le TEF mirano a essere visionarie, trasformative e non convenzionali, le sue attività seguono logiche diverse, siano esse totalmente aperte o strutturate in diversa misura per quanto riguarda i temi, le comunità e i finanziamenti.Tali attività modellano accuratamente le diverse logiche dell'azione, su scala adeguata, identificando e cogliendo le opportunità di vantaggi a lungo termine per i cittadini, l'economia e la società.

(a) TEF aperte

Incoraggiando nuove idee (""TEF aperte""), le TEF sostengono la ricerca scientifica e tecnologica in fase iniziale esplorando nuove basi per tecnologie future radicalmente nuove mediante la sfida agli attuali paradigmi e l'incursione in terreni ignoti. Un processo di selezione ascendente ampiamente aperto a tutte le idee di ricerca si basa su un portafoglio diversificato di progetti mirati. L'individuazione tempestiva di nuovi settori, sviluppi e tendenze promettenti, congiuntamente all'attrazione di attori della ricerca e dell'innovazione nuovi e ad alto potenziale rappresenteranno fattori chiave.

(b) TEF proattive

Favorendo i temi e le comunità emergenti (""TEF proattive""), le TEF affrontano, in stretta associazione con le sfide per la società e i temi connessi alla leadership industriale, un certo numero di temi promettenti nell'ambito della ricerca esplorativa dotati del potenziale di generare una massa critica di progetti interrelati che, nel complesso, costituiscano un'esplorazione ampia e sfaccettata dei temi per sfociare nella costruzione di una insieme europeo di conoscenze.

(c) TEF faro

Perseguendo le grandi sfide interdisciplinari in materia di scienza e tecnologie (""TEF faro""), le TEF sostengono, tenendo pienamente conto dei risultati dei progetti preparatori delle TEF, una ricerca ambiziosa su ampia scala, basata sulla scienza e sulla tecnologia e mirata a conseguire scoperte scientifiche e tecnologiche epocali in settori individuati come rilevanti in maniera aperta e trasparente, con il coinvolgimento degli Stati membri e dei soggetti interessati. Tali attività potrebbero trarre vantaggio dal coordinamento dei programmi regionali, nazionali ed europei. Il progresso scientifico dovrebbe fornire una base solida e ampia per le future innovazioni tecnologiche e le applicazioni economiche, oltre a generare nuovi vantaggi per la società. Queste attività sono realizzate ricorrendo agli strumenti di finanziamento esistenti.Il 40 % delle risorse delle TEF sarà destinato alle TEF aperte.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:07";"664101" +"H2020-EU.1.2.";"en";"H2020-EU.1.2.";"";"";"EXCELLENT SCIENCE - Future and Emerging Technologies (FET)";"Future and Emerging Technologies (FET)";"

EXCELLENT SCIENCE - Future and Emerging Technologies (FET)

Specific objective

The specific objective is to foster radically new technologies with the potential to open new fields for scientific knowledge and technologies and contribute to the European next generation industries, by exploring novel and high-risk ideas building on scientific foundations. By providing flexible support to goal-oriented and interdisciplinary collaborative research on various scales and by adopting innovative research practices, the aim is to identify and seize opportunities of long-term benefit for citizens, the economy and society. FET will bring Union added value to the frontiers of modern research.FET shall promote research and technology beyond what is known, accepted or widely adopted and shall foster novel and visionary thinking to open promising paths towards powerful new technologies, some of which could develop into leading technological and intellectual paradigms for the decades ahead. FET shall foster efforts to pursue small-scale research opportunities across all areas, including emerging themes and grand scientific and technological challenges that require close collaboration between programmes across Europe and beyond. This approach shall be driven by excellence and extends to exploring pre-competitive ideas for shaping the future of technology, enabling society and industry to benefit from multi-disciplinary research collaboration that needs to be engaged at European level by making the link between research driven by science and research driven by societal goals and challenges or by industrial competitiveness.

Rationale and Union added value

Radical breakthroughs with a transformative impact increasingly rely on intense collaboration across disciplines in science and technology (for instance, information and communication, biology, bioengineering and robotics, chemistry, physics, mathematics, medicine modelling, Earth system sciences, material sciences, neuro- and cognitive sciences, social sciences or economics) and with the arts, behavioural sciences and humanities. This may require not only excellence in science and technology but also new attitudes and novel interactions between a broad range of players in research.While some ideas can be developed on a small scale, others may be so challenging that they require a large collaborative effort over a substantial period of time. Major economies worldwide have recognised this, and there is growing global competition to identify and pursue emerging technological opportunities at the frontier of science which can generate a considerable impact on innovation and benefits for society. To be effective, these types of activities may need to be built up quickly to a large scale by a common European effort around common goals to build critical mass, foster synergies and obtain optimal leveraging effects.FET shall address the entire spectrum of science-driven innovation: from bottom-up, small-scale early explorations of embryonic and fragile ideas to building new research and innovation communities around transformative emerging research areas and large collaborative research initiatives built around a research agenda aiming to achieve ambitious and visionary goals. These three levels of engagement each have their own specific value, while being complementary and synergistic. For example, small-scale explorations can reveal needs for developing new themes that can lead to large-scale action based on appropriate roadmaps. They may involve a wide range of research players, including young researchers and research-intensive SMEs, and stakeholder communities (civil society, policymakers, industry and public researchers), clustered around evolving research agendas as they take shape, mature and diversify.

Broad lines of activities

While FET aims to be visionary, transformative and unconventional, its activities shall follow different logics, from completely open to varying degrees of structuring of topics, communities and funding.The activities shall give firmer shape to different logics for action, on the appropriate scale, identifying and seizing opportunities of long-term benefit for citizens, the economy and society:

(a) FET Open

By fostering novel ideas ('FET Open'), FET shall support early stage science and technology research exploring new foundations for radically new future technologies by challenging current paradigms and venturing into unknown areas. A bottom-up selection process widely open to any research ideas shall build up a diverse portfolio of targeted projects. Early detection of promising new areas, developments and trends, along with attracting new and high-potential research and innovation players, will be key factors.

(b) FET Proactive

By nurturing emerging themes and communities ('FET Proactive'), FET shall, in close association with the societal challenges and industrial leadership themes, address a number of promising exploratory research themes with the potential to generate a critical mass of inter-related projects that, together, make up a broad and multi-faceted exploration of the themes and build a European pool of knowledge.

(c) FET Flagships

By pursuing grand interdisciplinary scientific and technological challenges ('FET Flagships'), FET shall, taking into full account the outcome of FET preparatory projects, support ambitious large-scale, science and technology-driven research aiming to achieve a scientific and technological breakthrough in areas identified as relevant in an open and transparent manner involving the Member States and relevant stakeholders. Such activities could benefit from the coordination between European, national and regional agendas. The scientific advance should provide a strong and broad basis for future technological innovation and economic application, plus novel benefits for society. These activities shall be realised using the existing funding instruments.40 % of FET resources will be devoted to FET Open.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:07";"664101" +"H2020-EU.1.2.";"de";"H2020-EU.1.2.";"";"";"WISSENSCHAFTSEXZELLENZ - Künftige und neu entstehende Technologien (FET)";"Future and Emerging Technologies (FET)";"

WISSENSCHAFTSEXZELLENZ - Künftige und neu entstehende Technologien (FET)

Einzelziel

Einzelziel ist die Förderung grundlegend neuer Technologien mit dem Potenzial, neue Bereiche für wissenschaftliche Erkenntnisse und Technologien zu erschließen und einen Beitrags zu den europäischen Unternehmen der nächsten Generation zu leisten, durch eine wissenschaftlich fundierte Sondierung neuartiger und hochriskanter Ideen. Durch eine flexible Unterstützung zielgerichteter und interdisziplinärer kooperativer Forschung in unterschiedlichen Größenordnungen und durch eine innovative Forschungspraxis sollen Chancen von langfristigem Nutzen für Bürger, Wirtschaft und Gesellschaft ermittelt und verwirklicht werden. Das Einzelziel ""Künftige und neu entstehende Technologien"" wird dafür sorgen, dass die moderne Pionierforschung einen Mehrwert für die Union erbringt.Das Einzelziel ""Künftige und neu entstehende Technologien"" (Future and Emerging Technologies – FET) dient der Förderung von Forschungsarbeiten und Technologien, die über das Bekannte, Anerkannte oder weithin Angewandte hinausgehen, und unterstützt visionäres Denken in neuen Bahnen, um vielversprechende Wege für leistungsstarke neue Technologien zu öffnen, von denen einige sich zu führenden Technologien und geistigen Paradigmen für die nächsten Jahrzehnte entwickeln könnten. Im Rahmen dieses Einzelziels werden über sämtliche Bereiche hinweg Bemühungen zur Verfolgung kleinmaßstäblicher Forschungsmöglichkeiten einschließlich neu entstehender Themen und großer wissenschaftlicher und technologischer Herausforderungen unterstützt, die eine enge Zusammenarbeit zwischen den Programmen in Europa oder darüber hinaus erfordern. Dieses Konzept basiert auf Exzellenz, umfasst aber auch die Sondierung vorwettbewerblicher Ideen für die künftige Gestaltung von Technologie, damit Gesellschaft und Wirtschaft von den auf europäischer Ebene notwendigen multidisziplinären Forschungskooperationen profitieren können, die auf europäischer Ebene entstehen müssen, indem wissenschaftliche Forschung mit Forschung verknüpft wird, die sich an gesellschaftlichen Zielen und Herausforderungen oder an der industriellen Wettbewerbsfähigkeit orientiert.

Begründung und Mehrwert für die Union

Bahnbrechende Erkenntnisse, die einen Wandel bewirken, sind zunehmend das Ergebnis intensiver Zusammenarbeit wissenschaftlicher und technologischer Disziplinen (etwa Information und Kommunikation, Biologie, Biotechnologie und Robotik, Chemie, Physik, Mathematik, Medizinmodellierung, Geografie, Werkstoffwissenschaften, neurologische und kognitive Wissenschaften, Sozial- und Wirtschaftswissenschaften) mit Kunst, Verhaltensforschung und Geisteswissenschaften. Dies erfordert möglicherweise nicht nur Exzellenz in Wissenschaft und Technologie, sondern auch neue Herangehensweisen und Interaktionen zwischen einer großen Bandbreite von in der Forschung tätigen Akteuren.Während einige Ideen in kleinem Maßstab entwickelt werden können, können andere so anspruchsvoll sein, dass sie eine große Kooperationsanstrengung über einen sehr langen Zeitraum erfordern. Weltweit haben große Volkswirtschaften dies erkannt. Daher hat sich auch der globale Wettbewerb, wenn es darum geht, die an wissenschaftlichen Grenzen neu entstehenden technologischen Chancen zu erkennen und aufzugreifen und für Innovation und Gesellschaft nutzbar zu machen, verschärft. Um Wirkung zu zeigen, müssen diese Arten von Maßnahmen möglicherweise schnell und in großem Maßstab ergriffen und hierzu mit einer gemeinsamen Anstrengung auf europäischer Ebene auf gemeinsame Ziele ausgerichtet werden, damit eine kritische Masse entsteht, Synergien hervorgerufen und optimale Hebeleffekte erzeugt werden.FET bezieht sich auf das gesamte Spektrum der aus wissenschaftlichen Anstößen entstehenden Innovationen: von kleinmaßstäblichen Sondierungen im Frühstadium erster und noch unausgereifter Ideen nach dem ""Bottom-up""-Prinzip bis hin zum Aufbau neuer Forschungs- und Innovationsgemeinschaften, die sich mit neu entstehenden, transformativen Forschungsbereichen befassen und großen Forschungskooperationsinitiativen im Umfeld einer Forschungsagenda, mit der ehrgeizige und visionäre Ziele verfolgt werden. Diese drei Ebenen stehen zwar jeweils für sich, ergänzen sich jedoch und bilden Synergien. So können kleinmaßstäbliche Sondierungen ergeben, dass neue Themen entwickelt werden müssen, die zu einer großmaßstäblichen Maßnahme führen, die einem passenden Fahrplan folgt. Sie können eine große Bandbreite von Forschungsakteuren mit einbeziehen, etwa Nachwuchswissenschaftler, forschungsintensive KMU, interessierte Kreise (Zivilgesellschaft, politische Entscheidungsträger, Wirtschaft und öffentliche Forschung), die um die jeweiligen entstehenden Forschungsagenden ein Cluster bilden, das Form annimmt, reift und sich diversifiziert.

Einzelziele und Tätigkeiten in Grundzügen

FET ist zwar visionär, transformativ und unkonventionell, doch die Logik der entsprechenden Tätigkeiten reicht von vollständig offenen bis hin zu unterschiedlich strukturierten Themen, Gemeinschaften und Finanzierungen.Die Tätigkeiten geben den unterschiedlichen Maßnahmenkonzepten, abhängig von deren Größe, eine klarere Form, um Chancen von langfristigem Nutzen für Bürger, Wirtschaft und Gesellschaft zu sondieren und zu verwirklichen:

(a) FET – offener Bereich

Durch die Förderung neuartiger Ideen (""FET – offener Bereich"") werden wissenschaftlich-technologische Forschungsarbeiten, die neue Wege für grundlegend neue Technologien der Zukunft sondieren, dabei geltende Paradigmen in Frage stellen und in unbekannte Bereiche vorstoßen, in einem frühen Stadium unterstützt. Ein für unterschiedlichste Forschungsideen offenes ""Bottom-up""-Auswahlverfahren wird für eine große Vielfalt bei den ausgewählten Projekten sorgen. Entscheidend dabei ist, vielversprechende neue Bereiche, Entwicklungen und Trends frühzeitig zu erkennen und neue hochkompetente Akteure aus Forschung und Innovation hierfür zu gewinnen.

(b) FET – proaktiver Bereich

Durch die Förderung neu entstehender Themen und Gemeinschaften (""FET – proaktiver Bereich"") werden in enger Verbindung mit den Schwerpunkten ""Gesellschaftliche Herausforderungen"" und ""Führende Rolle bei grundlegenden und industriellen Technologien"" vielversprechende Themen der Sondierungsforschung erschlossen, die eine kritische Masse zusammenhängender Projekte generieren können, welche zusammengenommen eine breite Palette facettenreicher Themen darstellen und zum Aufbau eines europäischen Wissenspools beitragen.

(c)FET – Leitinitiativen

Mit der Verfolgung großer interdisziplinärer wissenschaftlich-technologischer Herausforderungen (""FET – Leitinitiativen"") werden unter Berücksichtigung der Ergebnisse der vorbereitenden FET-Projekte ehrgeizige großmaßstäbliche, von Wissenschaft und Technik angeregte Forschungstätigkeiten gefördert, mit denen ein wissenschaftlicher und technischer Durchbruch auf denjenigen Gebieten angestrebt wird, die in einem offenen und transparenten Vorgehen unter Einbindung der Mitgliedstaaten und der einschlägigen interessierten Kreise als relevant bestimmt wurden. Diese Tätigkeiten könnten von der Koordinierung der europäischen, nationalen und regionalen Agenden profitieren. Der wissenschaftliche Fortschritt dürfte eine solide und breite Grundlage für künftige technologische Innovationen und deren wirtschaftliche Anwendung schaffen und auch der Gesellschaft neuartige Möglichkeiten eröffnen. Für diese Tätigkeiten wird auf die bestehenden Finanzierungsinstrumente zurückgegriffen.40 % der FET-Mittel werden für ""FET – offener Bereich"" verwendet.";"";"H2020";"H2020-EU.1.";"";"";"2014-09-22 20:39:07";"664101" +"H2020-EU.3.5.1.3.";"en";"H2020-EU.3.5.1.3.";"";"";"Support mitigation policies, including studies that focus on impact from other sectoral policies";"";"";"";"H2020";"H2020-EU.3.5.1.";"";"";"2014-09-22 20:48:16";"664397" +"H2020-EU.3.5.2.1.";"en";"H2020-EU.3.5.2.1.";"";"";"Further our understanding of biodiversity and the functioning of ecosystems, their interactions with social systems and their role in sustaining the economy and human well-being";"";"";"";"H2020";"H2020-EU.3.5.2.";"";"";"2014-09-22 20:48:23";"664401" +"H2020-EU.3.2.5.2.";"en";"H2020-EU.3.2.5.2.";"";"";"Develop the potential of marine resources through an integrated approach";"";"";"";"H2020";"H2020-EU.3.2.5.";"";"";"2014-09-22 20:45:47";"664317" +"H2020-EU.3.6.";"pl";"H2020-EU.3.6.";"";"";"WYZWANIA SPOŁECZNE - Europa w zmieniającym się świecie – integracyjne, innowacyjne i refleksyjne społeczeństwa";"Inclusive, innovative and reflective societies";"

WYZWANIA SPOŁECZNE - Europa w zmieniającym się świecie – integracyjne, innowacyjne i refleksyjne społeczeństwa

Cel szczegółowy

Celem szczegółowym jest wspieranie lepszego zrozumienia Europy, zapewnienie rozwiązań oraz wsparcie integracyjnych, innowacyjnych i refleksyjnych społeczeństw europejskich w kontekście bezprecedensowych transformacji i nasilających się globalnych współzależności.Europa staje w obliczu wielkich wyzwań społeczno-ekonomicznych, które znacznie wpłyną na jej wspólną przyszłość. Do wyzwań tych należą: nasilające się gospodarcze i kulturalne współzależności, starzenie się populacji i zmiany demograficzne, wykluczenie społeczne i ubóstwo, integracja i dezintegracja, nierówności i przepływy migracyjne, pogłębiająca się przepaść cyfrowa, pielęgnowanie kultury innowacji i kreatywności w społeczeństwie i przedsiębiorstwach oraz malejące zaufanie do instytucji demokratycznych oraz między obywatelami w granicach państw i ponad granicami. Wyzwania te są ogromne i wymagają wspólnego europejskiego podejścia, opartego na wspólnej wiedzy naukowej, którą zapewnić mogą m.in. nauki społeczne i humanistyczne.W Unii utrzymują się znaczne nierówności, zarówno między krajami, jak i w ich obrębie. W 2011 r. wskaźnik rozwoju społecznego, stanowiący zagregowaną miarę postępów w zakresie zdrowia, edukacji i dochodów, wynosił w państwach członkowskich od 0,771 do 0,910, odzwierciedlając w ten sposób znaczne rozbieżności między państwami. Utrzymują się również znaczne nierówności związane z płcią: przykładowo wskaźnik zróżnicowania wynagrodzenia ze względu na płeć w Unii wynosi średnio 17,8% na korzyść mężczyzn. W 2011 r. na każdych sześciu obywateli Unii jeden (ok. 80 mln ludzi) był narażony na ubóstwo. W ciągu ostatnich dwóch dziesięcioleci powszechniejsze stało się ubóstwo wśród młodych osób dorosłych i rodzin z dziećmi. Bezrobocie wśród młodzieży utrzymuje się na poziomie powyżej 20%. 150 mln Europejczyków (ok. 25%) nigdy nie korzystało z internetu i może nigdy nie nabyć wystarczających umiejętności cyfrowych. Zwiększyła się również polityczna apatia i polaryzacja podczas wyborów, co stanowi odzwierciedlenie słabnącego zaufania obywateli do dzisiejszych systemów politycznych.Z tych danych wynika, że niektórych grup społecznych i społeczności cały czas nie obejmuje rozwój społeczny i gospodarczy ani demokratyczna polityka. Nierówności te nie tylko tłumią rozwój społeczny, ale i hamują gospodarki w Unii i zmniejszają potencjał badań naukowych i innowacji w poszczególnych krajach i między nimi.Zasadniczym wyzwaniem w przeciwdziałaniu tym nierównościom będzie propagowanie kontekstów, w których tożsamość europejska, narodowa i etniczna mogą współistnieć i wzajemnie się wzbogacać.Ponadto spodziewany jest znaczny, wynoszący 42%, wzrost liczby Europejczyków w wieku powyżej 65 lat – z 87 milionów w roku 2010 do 124 milionów w roku 2030. Stanowi to duże wyzwanie dla gospodarki, społeczeństwa i stabilności finansów publicznych.Wskaźniki wydajności i wzrostu gospodarczego w Europie maleją relatywnie od czterech dziesięcioleci. Co więcej, jej globalny udział w tworzeniu wiedzy oraz wyniki w zakresie innowacji szybko się obniżają w porównaniu z tymi, które występują w głównych gospodarkach wschodzących, takich jak Brazylia i Chiny. Mimo że Europa dysponuje solidną bazą naukową, musi ona uczynić tę bazę silnym atutem w zakresie innowacyjnych towarów i usług.Wprawdzie dobrze wiadomo, że Europa musi inwestować więcej w naukę i innowacje i że będzie musiała również koordynować te inwestycje lepiej niż w przeszłości. Od początku kryzysu finansowego wiele nierówności gospodarczych i społecznych w Europie pogłębiło się jeszcze bardziej i w przeważającej części Unii powrót do wskaźników wzrostu gospodarczego sprzed kryzysu wydaje się odległą perspektywą. Obecny kryzys sugeruje również, że dużym wyzwaniem jest znalezienie w sytuacjach kryzysowych rozwiązań, które odzwierciedlałyby różnorodność państw członkowskich i ich interesów.Tym wyzwaniom należy stawić czoła wspólnie i w innowacyjny oraz multidyscyplinarny sposób, ponieważ występują między nimi kompleksowe i często nieoczekiwane interakcje. Innowacje mogą prowadzić do osłabienia integracyjności, czego dowodzą np. zjawiska przepaści cyfrowej czy segmentacji rynków pracy. Innowacje społeczne i zaufanie społeczne są niekiedy trudne do pogodzenia w polityce, np. w cechujących się trudną sytuacją społeczną obszarach w dużych miastach Europy. Ponadto połączenie innowacji i zmieniających się potrzeb obywateli także skłania decydentów oraz podmioty gospodarcze i społeczne do poszukiwania nowych odpowiedzi, ignorujących ustalone granice między sektorami, działaniami, towarami lub usługami. Zjawiska takie jak rozwój internetu, systemów finansowych, gałęzi gospodarki nastawionych na zaspokajanie potrzeb związanych ze starzeniem się oraz społeczeństw ekologicznych dobitnie pokazują, że konieczne jest myślenie o tych kwestiach, a zarazem reagowanie na nie w sposób uwzględniający wymiary integracyjności i innowacji.Właściwa tym wyzwaniom złożoność oraz ewolucja potrzeb sprawiają zatem, że konieczne jest rozwijanie innowacyjnych badań naukowych i nowych inteligentnych technologii, procesów i metod, mechanizmów innowacji społecznych, skoordynowanych działań i polityk przewidujących poważne zmiany w Europie lub wpływających na nie. Niezbędne jest tu zrozumienie na nowo czynników determinujących innowacyjność. Oprócz tego należy poznać bazowe tendencje i oddziaływania w ramach tych wyzwań, a także odkryć lub wynaleźć na nowo skuteczne formy solidarności, zachowań, koordynacji i kreatywności, dzięki którym Europa, w porównaniu z innymi regionami świata, będzie się wyróżniać, jeżeli chodzi o integracyjne, innowacyjne i refleksyjne społeczeństwa.Konieczne jest również przyjęcie bardziej strategicznego podejścia do współpracy z państwami trzecimi, opartego na głębszym zrozumieniu przeszłości Unii i jej obecnej oraz przyszłej roli jako globalnego podmiotu.

Uzasadnienie i unijna wartość dodana

Te wyzwania mają charakter ponadgraniczny i dlatego wymagają bardziej kompleksowej analizy porównawczej, która pozwoli przygotować podstawę umożliwiającą lepsze zrozumienie polityk krajowych i europejskich. Taka analiza porównawcza powinna dotyczyć mobilności (osób, towarów, usług i kapitału, ale także kompetencji, wiedzy i pomysłów) oraz form współpracy instytucjonalnej, interakcji międzykulturowych i międzynarodowego współdziałania. Z powodu braku lepszego poznania takich wyzwań i przewidzenia siły globalizacji zmuszają także państwa europejskie do tego, by wzajemnie ze sobą konkurowały, a nie współpracowały, dlatego też nacisk w Europie położony jest na różnice zamiast na podobieństwa i właściwą równowagę między konkurencją a współpracą. Podjęcie takich zasadniczych kwestii, w tym wyzwań społeczno-gospodarczych, tylko na poziomie krajowym niesie ze sobą niebezpieczeństwo nieefektywnego wykorzystania zasobów, rozprzestrzenienia się problemów na inne kraje europejskie i nieeuropejskie oraz nasilenia napięć społecznych, gospodarczych i politycznych, mogących bezpośrednio wpływać na osiąganie celów Traktatów, a w szczególności tytułu I Traktatu o Unii Europejskiej, w odniesieniu do określonych w nich wartości.Aby zrozumieć, przeanalizować i zbudować integracyjne, innowacyjne i refleksyjne społeczeństwa, Europa potrzebuje reakcji, która uwolni potencjał wspólnych idei co do przyszłości Europy, by tworzyć nową wiedzę, technologie i zdolności. Koncepcja społeczeństwa integracyjnego uznaje różnorodność kultur, regionów i warunków społeczno-gospodarczych za atut Europy. Konieczne jest przekształcenie różnorodności europejskiej w źródło innowacji i rozwoju. Takie podejście pomoże Europie sprostać swoim wyzwaniom nie tylko na szczeblu wewnętrznym, ale też w roli podmiotu globalnego na płaszczyźnie międzynarodowej. To z kolei pozwoli państwom członkowskim na skorzystanie z doświadczeń zdobytych gdzie indziej oraz na lepsze zdefiniowanie własnych szczególnych działań odpowiadających odnośnym kontekstom.Promowanie nowych sposobów współpracy między państwami w Unii i na całym świecie, a także w odnośnych środowiskach badawczo-innowacyjnych będzie zatem podstawowym zadaniem związanym z tym wyzwaniem społecznym. Wspieranie procesów innowacji społecznych i technologicznych, promowanie inteligentnej i partycypacyjnej administracji publicznej, a także kształtowanie i promowanie tworzenia polityki opartej na faktach będzie systematycznie realizowane w celu zwiększenia znaczenia tych wszystkich działań dla decydentów, podmiotów społecznych i gospodarczych oraz obywateli. Badania naukowe i innowacje będą wstępnym warunkiem konkurencyjności europejskich przedsiębiorstw i usług, a szczególny nacisk zostanie położony na zrównoważoność, postępy w dziedzinie edukacji, zwiększanie zatrudnienia i zmniejszanie ubóstwa.Finansowanie unijne zapewniane w związku z tym wyzwaniem będzie zatem wspierać rozwój, realizację i dostosowanie kluczowych kierunków polityki Unii, zwłaszcza celów strategii „Europa 2020”. Będzie się ono zazębiać, w stosownych przypadkach i czasie, z inicjatywami w zakresie wspólnego programowania, takimi jak „Dziedzictwo kulturowe”, „Długie lata, lepsze życie” czy „Europa zurbanizowana”, w ciągłej koordynacji z działaniami bezpośrednimi JRC.

Ogólne kierunki działań

Społeczeństwa integracyjne

Celem jest lepsze zrozumienie zmian społecznych w Europie i ich wpływu na spójność społeczną oraz analiza i rozwój integracji społecznej, gospodarczej i politycznej, a także pozytywnej dynamiki międzykulturowej w Europie i w stosunkach z partnerami międzynarodowymi, poprzez pionierską działalność naukową i interdyscyplinarność, postępy technologiczne i innowacje organizacyjne. Główne wyzwania, jakim trzeba stawić czoła w przypadku europejskich modeli spójności społecznej i dobrobytu, to m.in. migracja, integracja, zmiany demograficzne, starzenie się społeczeństwa i niepełnosprawność, edukacja i uczenie się przez całe życie, a także redukcja ubóstwa i wykluczenia społecznego przy uwzględnieniu różnych uwarunkowań regionalnych i kulturowych.Badania w dziedzinie nauk społecznych i humanistycznych odgrywają tutaj wiodącą rolę, ponieważ analizują zmiany zachodzące w czasie i przestrzeni i umożliwiają sprawdzenie tworzonych w wyobraźni wizji przyszłości. Europa ma ogromną wspólną historię zarówno współpracy, jak i konfliktu. Jej dynamiczne interakcje kulturalne dostarczają inspiracji i możliwości. Niezbędne są badania naukowe pozwalające zrozumieć tożsamość i poczucie przynależności do poszczególnych społeczności, regionów i narodów. Badania naukowe zapewnią decydentom wsparcie w kształtowaniu polityki sprzyjającej zatrudnieniu, zwalczającej ubóstwo i zapobiegającej rozwojowi różnych form podziałów, konfliktów oraz wykluczenia politycznego i społecznego, dyskryminacji i nierówności, takich jak nierówności płci i nierówności międzypokoleniowe, dyskryminacji ze względu na niepełnosprawność lub pochodzenie etniczne lub nierówny dostęp do technologii cyfrowych lub innowacji, w społeczeństwach europejskich, jak również w stosunku do innych regionów świata. W szczególności badania naukowe mają przyczynić się do wdrożenia i dostosowania strategii „Europa 2020” oraz szerokich działań zewnętrznych Unii.Działania mają skoncentrować się na zrozumieniu i wspieraniu bądź wdrażaniu:(a) mechanizmów promowania inteligentnego i trwałego wzrostu gospodarczego sprzyjającego włączeniu społecznemu; (b) zaufanych organizacji, praktyk, usług i polityk, które są konieczne, aby zbudować odporne integracyjne, partycypacyjne, otwarte i kreatywne społeczeństwa w Europie, ze szczególnym uwzględnieniem migracji, integracji i zmian demograficznych; (c) roli Europy jako globalnego podmiotu, w szczególności w dziedzinie praw człowieka i wymiaru sprawiedliwości na świecie; (d) promowania zrównoważonych i integracyjnych środowisk poprzez innowacyjne planowanie i projektowanie przestrzenne i urbanistykę.

Innowacyjne społeczeństwa

Celem jest wspieranie rozwoju innowacyjnych społeczeństw i polityki w Europie poprzez zaangażowanie obywateli, organizacji społeczeństwa obywatelskiego, przedsiębiorstw i użytkowników w badania naukowe i innowacje oraz promowanie skoordynowanej polityki w zakresie badań naukowych i innowacji w kontekście globalizacji oraz potrzeby propagowania najwyższych standardów etycznych. Szczególne wsparcie zostanie zapewnione na potrzeby rozwoju EPB i ramowych warunków innowacji.Wiedza o kulturze i społeczeństwie jest ważnym źródłem kreatywności i innowacji, w tym innowacji biznesowych, innowacji w sektorze publicznym i innowacji społecznych. W wielu przypadkach innowacje społeczne i tworzone z myślą o użytkowniku poprzedzają rozwój innowacyjnych technologii, usług i procesów gospodarczych. Sektory kreatywne stanowią jeden z istotnych zasobów pozwalających stawić czoła wyzwaniom społecznym i wyzwaniu konkurencyjności. Ponieważ wzajemne zależności między innowacjami społecznymi a technicznymi są złożone i rzadko liniowe, konieczne są dalsze badania, w tym badania międzysektorowe i multidyscyplinarne, w dziedzinie rozwoju wszelkich rodzajów innowacji oraz działań finansowanych w celu tworzenia warunków do skutecznego rozwoju innowacji w przyszłości.Działania mają się koncentrować na:(a) wzmocnieniu podstaw faktograficznych i wsparcia dla inicjatywy przewodniej „Unii innowacji” i EPB; (b) poszukiwaniu nowych form innowacji, ze szczególnym naciskiem na innowacje społeczne i kreatywność, oraz zrozumieniu czynników warunkujących rozwój innowacji, ich powodzenie lub porażkę;(c) wykorzystaniu potencjału innowacyjności, kreatywności i wydajności wszystkich pokoleń; (d) promowaniu spójnej i skutecznej współpracy z państwami trzecimi.

Refleksyjne społeczeństwa – dziedzictwo kulturowe i tożsamość europejska

Celem jest przyczynienie się do zrozumienia podstaw intelektualnych Europy- jej historii i licznych europejskich i pozaeuropejskich wpływów- jako inspiracji dla naszego dzisiejszego życia. Europa charakteryzuje się różnorodnością narodową (żyją tu m.in. mniejszości i społeczności autochtoniczne), tradycji i tożsamości regionalnych i narodowych, a także zróżnicowanym poziomem rozwoju gospodarczego i społecznego. Migracja i mobilność, media, przemysł i transport przyczyniają się do wielorakości poglądów i stylów życia. Należy uznać i wziąć pod uwagę tę różnorodność i szanse, jakie ona stwarza.Europejskie zbiory w bibliotekach, m.in. w bibliotekach cyfrowych, archiwach, muzeach, galeriach i innych instytucjach publicznych obfitują w bogatą, niewykorzystaną dokumentację i przedmioty badań. Te zasoby archiwalne, wraz z dziedzictwem niematerialnym, reprezentują historię poszczególnych państw członkowskich, ale również zbiorowe dziedzictwo Unii, które powstawało z biegiem czasu. Materiały takie powinny zostać udostępnione – również za pomocą nowych technologii – badaczom i obywatelom, aby im umożliwić spojrzenie w przyszłość poprzez archiwum przeszłości. Dostępność i zachowanie dziedzictwa kulturowego w tych formach są konieczne, aby podtrzymać żywotność aktywnego uczestnictwa w obrębie kultur europejskich i między nimi w chwili obecnej, i przyczyniają się do trwałego wzrostu gospodarczego.Działania mają się koncentrować na:(a) badaniu dziedzictwa Europy, jej pamięci, tożsamości, integracji oraz interakcji i translacji kulturowych, w tym jej reprezentacji w zbiorach kulturalnych i naukowych, archiwach i muzeach, co pozwoli lepiej ukształtować i zrozumieć teraźniejszość poprzez bogatsze interpretacje przeszłości; (b) badaniu historii, literatury, sztuki, filozofii i religii krajów i regionów europejskich oraz tego, w jaki sposób ukształtowały one współczesną europejską różnorodność; (c) badaniu roli Europy w świecie, wzajemnych wpływów i powiązań między regionami świata, oraz spojrzenia z zewnątrz na kultury europejskie. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:49:28";"664435" +"H2020-EU.3.6.";"de";"H2020-EU.3.6.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Europa in einer sich verändernden Welt: integrative, innovative und reflektierende Gesellschaften";"Inclusive, innovative and reflective societies";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Europa in einer sich verändernden Welt: integrative, innovative und reflektierende Gesellschaften

Einzelziel

Einzelziel ist die Förderung eines umfassenderen Verständnisses von Europa, das Finden von Lösungen und die Unterstützung integrativer, innovativer und reflektierender europäischer Gesellschaften vor dem Hintergrund eines beispiellosen Wandels und wachsender globaler Interdependenzen.Europa ist mit gewaltigen sozioökonomischen Herausforderungen konfrontiert, die sich einschneidend auf die gemeinsame Zukunft auswirken werden. Hierzu gehören unter anderem die wachsenden wirtschaftlichen und kulturellen Interdependenzen, die Bevölkerungsalterung und der demografische Wandel, soziale Ausgrenzung und Armut, Integration und Desintegration, Ungleichheiten und Migrationsströme, eine zunehmende digitale Kluft, die Förderung einer Innovations- und Kreativitätskultur in Gesellschaft und Unternehmen und das schwindende Vertrauen in demokratische Institutionen sowie zwischen Bürgern im eigenen Staat und über Grenzen hinweg. Diese Herausforderungen sind gewaltig und erfordern einen gemeinsamen europäischen Ansatz, der auf gemeinsamen wissenschaftlichen Erkenntnissen aufbaut, die u. a. die Sozial- und Geisteswissenschaften liefern können.In der Europäischen Union bestehen sowohl zwischen als auch innerhalb von Ländern immer noch erhebliche Ungleichheiten. Im Jahr 2011 erzielten die Mitgliedstaaten beim Index für die menschliche Entwicklung (dies ist ein aggregierter Messwert für den Fortschritt bei Gesundheit, Bildung und Einkommen) einen Wert zwischen 0,771 und 0,910, woraus sich erhebliche Unterschiede zwischen den Ländern ablesen lassen. Auch bestehen nach wie vor große Ungleichheiten zwischen den Geschlechtern: So fällt in der Union der geschlechtsspezifische Lohnunterschied mit durchschnittlich 17,8% immer noch zugunsten der Männer aus(23). Im Jahr 2011 war jeder sechste Unionsbürger (etwa 80 Millionen Menschen) von Armut bedroht. In den letzten beiden Jahrzehnten ist die Armut bei jungen Erwachsenen und bei Familien mit Kindern gestiegen. Die Jugendarbeitslosigkeit liegt bei über 20%. 150 Millionen Europäer (etwa 25%) haben noch nie das Internet genutzt und viele erreichen möglicherweise nie eine ausreichende digitale Kompetenz. Auch haben politische Apathie und Polarisierung bei den Wahlen zugenommen, womit deutlich wird, dass das Vertrauen der Bürger in die derzeitigen politischen Systeme schwindet.Diese Zahlen lassen darauf schließen, dass einige gesellschaftliche Gruppen und Gemeinschaften dauerhaft von der gesellschaftlichen und wirtschaftlichen Entwicklung bzw. von der demokratischen Willensbildung ausgeschlossen werden. Diese Ungleichheiten beeinträchtigen nicht nur die gesellschaftliche Entwicklung, sondern wirken sich auch störend auf die Volkswirtschaften in der Union aus und verringern die Forschungs- und Innovationskapazitäten innerhalb der einzelnen Länder und auch länderübergreifend.Bei der Beseitigung dieser Ungleichheiten wird es in erster Linie darum gehen, Rahmenbedingungen zu fördern, unter denen europäische, nationale und ethnische Identitäten nebeneinander leben und einander bereichern können.Überdies dürfte die Zahl der über 65-Jährigen in Europa zwischen 2010 und 2030 beträchtlich ansteigen, und zwar von 87 Millionen auf 124 Millionen, d. h. um 42%. Dies sind große Herausforderungen für Wirtschaft und Gesellschaft sowie für die langfristige Tragfähigkeit der öffentlichen Finanzen.Die Produktivitäts- und Wachstumsraten Europas sind über vier Jahrzehnte hinweg relativ zurückgegangen. Zudem ist der Anteil Europas an der weltweiten Wissensproduktion und sein Vorsprung in der Innovationsleistung im Vergleich zu den wichtigsten Schwellenländern wie Brasilien und China rasant geschrumpft. Europa hat zwar eine starke Wissenschaftsbasis, aber es muss daraus einen leistungsstarken Aktivposten für innovative Güter und Dienstleistungen machen.Es ist gemeinhin bekannt, dass Europa mehr in Wissenschaft und Innovation investieren muss und dass es diese Investitionen auch besser als in der Vergangenheit koordinieren muss. Seit der Finanzkrise haben sich viele wirtschaftliche und soziale Ungleichheiten in Europa noch weiter verschärft, und die Rückkehr zu einem Wirtschaftswachstum mit Zuwachsraten wie vor der Krise wird für den Großteil der Union vermutlich noch lange auf sich warten lassen. Auch legt die derzeitige Krise nahe, dass es sehr schwierig ist, Lösungen zu finden, die der Heterogenität der Mitgliedstaaten und ihrer Interessen gerecht werden.Diese Herausforderungen gilt es gemeinsam und auf innovative Art und Weise disziplinübergreifend zu bewältigen, da sie in komplexen und häufig unerwarteten Wechselbeziehungen stehen. Innovationen können die Integration schwächen, wie beispielsweise das Phänomen der digitalen Kluft oder die Arbeitsmarktsegmentierung zeigen. Gesellschaftliche Innovation und gesellschaftliches Vertrauen sind in der Politik mitunter schwer zu vereinbaren – etwa in sozial benachteiligten Vierteln von Großstädten in Europa. Abgesehen davon sehen sich politische Entscheidungsträger sowie wirtschaftliche und gesellschaftliche Akteure angesichts des Zusammenwirkens von Innovation und wachsenden Ansprüchen der Bürger veranlasst, neue Antworten zu finden, die gewachsene Grenzen zwischen Sektoren, Aktivitäten, Gütern und Dienstleistungen außer Acht lassen. Phänomene wie das Wachstum des Internet und der Finanzsysteme, die Alterung der Wirtschaft und die ökologische Gesellschaft zeigen zur Genüge, wie notwendig es ist, diese Fragen gleichzeitig unter dem Blickwinkel von Integration und Innovation zu denken und zu beantworten.Die diesen Herausforderungen innewohnende Komplexität und die Entwicklung der Ansprüche machen es daher umso dringender, innovative Forschung und neue intelligente Technologien, Prozesse und Verfahren, Mechanismen für die gesellschaftliche Innovation sowie koordinierte Maßnahmen und Strategien zu entwickeln, die für Europa wichtige Entwicklungen antizipieren oder beeinflussen. Dies erfordert ein neues Verständnis der für die Innovation entscheidenden Faktoren. Überdies macht es notwendig, die zugrunde liegenden Trends und Auswirkungen bei diesen Herausforderungen zu verstehen und erfolgreiche Formen der Solidarität, des Verhaltens sowie der Koordinierung und Kreativität wieder zu entdecken bzw. neu zu erfinden, die die Gesellschaften in Europa gegenüber anderen Regionen der Welt als integrative, innovative und reflektierende Gesellschaften hervortreten lassen.Dies erfordert auch ein stärker strategisch ausgerichtetes Konzept für die Zusammenarbeit mit Drittländern, das sich auf ein vertieftes Verständnis der Geschichte der Union und ihrer aktuellen und künftigen Rolle als globaler Akteur gründet.

Begründung und Mehrwert für die Union

Diese Herausforderungen erfordern angesichts ihres grenzübergreifenden Charakters eine vielschichtigere komparative Analyse, mit der eine Basis entwickelt werden kann, auf deren Grundlage nationale und europäische Maßnahmen besser verstanden werden können. Solche vergleichenden Analysen sollten sich mit der Mobilität (von Menschen, Gütern, Dienstleistungen und Kapital, aber auch von Kompetenzen, Wissen und Ideen) und den Formen institutioneller Zusammenarbeit, interkultureller Beziehungen und internationaler Zusammenarbeit befassen. Werden diese Herausforderungen nicht besser erforscht und antizipiert, werden die Kräfte der Globalisierung dazu führen, dass europäische Länder nicht umhin können, miteinander zu konkurrieren statt zu kooperieren und so eher die Unterschiede in Europa statt die Gemeinsamkeiten und ein ausgewogenes Verhältnis zwischen Zusammenarbeit und Wettbewerb betonen. Die Beantwortung dieser kritischen – auch sozioökonomischen – Fragen allein auf nationaler Ebene birgt die Gefahr einer ineffizienten Nutzung von Ressourcen, der Verlagerung der Probleme auf andere europäische und nichteuropäische Länder und der Verschärfung gesellschaftlicher, wirtschaftlicher und politischer Spannungen, die die Ziele Verträge, insbesondere in Titel I des Vertrags über die Europäische Union verankerten Werte direkt beeinträchtigen würden.Für das Verständnis, die Analyse und den Aufbau integrativer, innovativer und reflektierender Gesellschaften braucht Europa eine Antwort, die das Potenzial gemeinsamer Ideen für die Zukunft Europas erschließt, wenn es darum geht, neues Wissen, neue Technologien und neue Fähigkeiten zu generieren. Das Konzept integrativer Gesellschaften trägt der Vielfalt an Kulturen, Regionen und sozioökonomischen Gegebenheiten als Stärke Europas Rechnung. Die Vielfalt Europas muss als Quelle der Innovation und Entwicklung erschlossen werden. Dieses Unterfangen wird Europa bei der Bewältigung seiner Herausforderungen nicht nur im Innern, sondern als globaler Akteur auf der internationalen Bühne unterstützen. Dies wiederum bietet den Mitgliedstaaten auch die Möglichkeit, anderswo gemachte Erfahrungen zu nutzen und ihre eigenen Maßnahmen abhängig von ihren jeweiligen Gegebenheiten besser zu definieren.Die Förderung neuer Formen der Zusammenarbeit zwischen Ländern innerhalb der Union und weltweit sowie über die einschlägigen Forschungs- und Innovationsgemeinschaften hinweg wird daher eine zentrale Aufgabe innerhalb dieser gesellschaftlichen Herausforderung darstellen. Damit all diese Tätigkeiten für politische Entscheidungsträger, sozioökonomische Akteure und Bürger eine größere Relevanz haben, gilt es, die Unterstützung gesellschaftlicher und technologischer Innovationsprozesse, die Förderung einer intelligenten und partizipatorischen öffentlichen Verwaltung sowie die Vorbereitung und Unterstützung evidenzbasierter politischer Entscheidungsfindung systematisch weiterzuverfolgen. Forschung und Innovation werden zu einer Voraussetzung für die Wettbewerbsfähigkeit der europäischen Unternehmen und Dienstleistungen, unter besonderer Berücksichtigung der Nachhaltigkeit, der Bildungsförderung, des Beschäftigungswachstums und der Beseitigung der Armut.Die Unionsförderung im Rahmen dieser Herausforderung gilt damit der Entwicklung, Umsetzung und Anpassung zentraler Unionsstrategien, insbesondere der Ziele der Strategie Europa 2020. Gegebenenfalls erfolgt eine Verzahnung mit Initiativen für die gemeinsame Planung, wie ""Länger und besser leben"", ""Kulturelles Erbe"" und ""Das städtische Europa"", sowie eine Koordinierung mit den direkten Maßnahmen der Gemeinsamen Forschungsstelle.

Einzelziele und Tätigkeiten in Grundzügen

Integrative Gesellschaften Ziel ist ein besseres Verständnis des gesellschaftlichen Wandels in Europa und seiner Auswirkungen auf den sozialen Zusammenhalt sowie die Analyse und die Entwicklung der gesellschaftlichen, wirtschaftlichen und politischen Integration und einer positiven interkulturellen Dynamik in Europa und mit internationalen Partnern durch Spitzenforschung und Interdisziplinarität, technologische Fortschritte und organisatorische Innovationen. Zu den Hauptherausforderungen in Bezug auf die europäischen Modelle für den sozialen Zusammenhalt und das Wohlergehen zählen u. a.Migration, Integration, der demografische Wandel, die alternde Gesellschaft und Behinderungen, Bildung und lebenslanges Lernen sowie die Armutsbekämpfung und die soziale Ausgrenzung, wobei die unterschiedlichen regionalen und kulturellen Gegebenheiten zu beachten sind. Sozial- und Geisteswissenschaften spielen hierbei eine führende Rolle, da sie Veränderungen über Raum und Zeit hinweg erforschen und die Erforschung fiktiver Zukunftsverhältnisse ermöglichen. Europa hat eine große gemeinsame Geschichte sowohl in Form von Zusammenarbeit als auch in Form von Konflikten. Die dynamischen kulturellen Interaktionen in Europa bieten Anregungen und Chancen. Forschung ist notwendig, um die Identität von und die Zugehörigkeit zu unterschiedlichen Gemeinschaften, Regionen und Nationen zu verstehen. Die Forschung soll die politischen Entscheidungsträger bei der Festlegung von Strategien unterstützen, die der Beschäftigungsförderung, der Bekämpfung der Armut und der Vermeidung der Entwicklung verschiedener Formen von Abspaltung, Konflikten sowie politischer und sozialer Ausgrenzung, Diskriminierung und Ungleichheiten dienen, wie etwa Ungleichheiten zwischen den Geschlechtern und Generationen, Diskriminierungen aufgrund einer Behinderung oder der ethnischen Herkunft oder der digitalen Kluft oder Innovationskluft in europäischen Gesellschaften und in anderen Regionen der Welt. Sie dient insbesondere der Umsetzung und Anpassung der Strategie Europa 2020 und außenpolitischer Maßnahmen der Union im weitesten Sinn.Schwerpunkt der Tätigkeiten ist es, Folgendes zu verstehen und zu fördern bzw. einzuführen:(a) Mechanismen für die Förderung eines intelligenten, nachhaltigen und integrativen Wachstums; (b) bewährte Organisationsstrukturen, Verfahren, Dienstleistungen und Strategien, die für den Aufbau widerstandsfähiger, integrativer, offener und kreativer Gesellschaften in Europa erforderlich sind, insbesondere unter Berücksichtigung der Migration, der Integration und des demografischen Wandels; (c) Rolle Europas als globaler Akteur, insbesondere in Bezug auf Menschenrechte und globales Recht; (d) Förderung eines nachhaltigen und integrativen Umfelds durch innovative Raum- und Stadtplanung.

Innovative Gesellschaften

Ziel ist die Förderung der Entwicklung innovativer Gesellschaften und Strategien in Europa durch die Einbeziehung von Bürgern, Organisationen der Zivilgesellschaft, Unternehmen und Nutzern in Forschung und Innovation und die Unterstützung koordinierter Forschungs- und Innovationsstrategien vor dem Hintergrund der Globalisierung und der Notwendigkeit, die höchsten ethischen Standards zu fördern. Besonders unterstützt wird die Weiterentwicklung des Europäischen Forschungsraums und der Rahmenbedingungen für Innovation.Kulturelles und gesellschaftliches Wissen ist eine Hauptquelle von Kreativität und Innovation, auch von Innovation in der Wirtschaft, im öffentlichen Sektor und in der Gesellschaft. In vielen Fällen gehen gesellschaftliche und von den Nutzern angestoßene Innovationen der Entwicklung innovativer Technologien, Dienstleistungen und Wirtschaftsprozesse voraus. Die Kreativunternehmen sind eine wichtige Ressource für die Bewältigung gesellschaftlicher Herausforderungen und für die Wettbewerbsfähigkeit. Da Wechselbeziehungen zwischen gesellschaftlicher und technologischer Innovation komplex sind und selten linear verlaufen, muss die Entwicklung aller Arten von Innovationen weiter – auch sektorübergreifend und multidisziplinär – erforscht werden, und es müssen Finanzmittel für Maßnahmen zur Förderung ihrer effektiven Verwirklichung in der Zukunft bereitgestellt werden.Schwerpunkte der Tätigkeiten ist:(a) Stärkung der Evidenzbasis und Unterstützung der Leitinitiative ""Innovationsunion"" und des Europäischen Forschungsraums; (b) Erforschung neuer Innovationsformen, unter besonderer Betonung von gesellschaftlicher Innovation und Kreativität, und Gewinnung von Erkenntnissen darüber, wie alle Innovationsformen entwickelt werden und Erfolg haben oder scheitern; (c) Nutzung des innovativen, kreativen und produktiven Potenzials aller Generationen; (d) Förderung kohärenter und wirksamer Zusammenarbeit mit Drittländern. Reflektierende Gesellschaften – Kulturerbe und europäische Identität Ziel ist ein Beitrag zum Verständnis der geistigen Grundlage Europas, seiner Geschichte und der vielen europäischen und außereuropäischen Einflüsse als Quelle der Inspiration für unser Leben in heutiger Zeit. Charakteristisch für Europa sind die Vielfalt der Völker (einschließlich der Minderheiten und indigenen Völker), Traditionen sowie regionalen und nationalen Identitäten und das unterschiedliche Ausmaß an wirtschaftlicher und gesellschaftlicher Entwicklung. Migration und Mobilität, Medien, Wirtschaft und Verkehr tragen zur Vielfalt der Sichtweisen und Lebensentwürfe bei. Diese Vielfalt und die sich daraus ergebenden Möglichkeiten sollten gewürdigt und berücksichtigt werden.Die europäischen Sammlungen in Bibliotheken, auch digitalen Bibliotheken, in Archiven, Museen, Galerien und anderen öffentlichen Institutionen bieten eine Fülle von reichhaltigem, unerschlossenem Dokumentarmaterial und von Studienobjekten. Dieser Archivbestand bildet zusammen mit dem immateriellen Kulturerbe die Geschichte der einzelnen Mitgliedstaaten ab, stellt aber auch das gemeinsame Erbe einer Union dar, die sich im Laufe der Zeit geformt hat. Dieses Material sollte auch mit Hilfe der neuen Technologien Forschern und Bürgern zugänglich gemacht werden, damit sie durch die archivierte Vergangenheit einen Blick in die Zukunft werfen können. Die Zugänglichkeit und Erhaltung des in diesen Formen vorliegenden Kulturerbes ist für den dynamischen, lebendigen Austausch innerhalb der Kulturen Europas und zwischen ihnen in der Gegenwart unabdingbar und trägt zu einem nachhaltigen Wirtschaftswachstum bei.Schwerpunkte der Tätigkeiten ist:(a) Erforschung des Erbes, des Gedächtnisses, der Identität und der Integration Europas und der kulturellen Wechselwirkungen und Transfers einschließlich der Darstellung dieser Aspekte in kulturellen oder wissenschaftlichen Sammlungen, Archiven und Museen, damit durch gehaltvollere Deutungen der Vergangenheit die Gegenwart besser erfasst und verstanden werden kann;(b) Erforschung der Geschichte, Literatur, Philosophie und Religionen der Länder und Regionen Europas und der Frage, wie diese die heutige Vielfalt in Europa geprägt haben; (c) Erforschung der Rolle Europas in der Welt, der gegenseitigen Beeinflussung und der Verknüpfungen zwischen den Regionen der Welt und der Wahrnehmung der Kulturen Europas in der Welt. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:49:28";"664435" +"H2020-EU.3.6.";"it";"H2020-EU.3.6.";"";"";"SFIDE PER LA SOCIETÀ - L'Europa in un mondo che cambia - società inclusive, innovative e riflessive";"Inclusive, innovative and reflective societies";"

SFIDE PER LA SOCIETÀ - L'Europa in un mondo che cambia - società inclusive, innovative e riflessive

Obiettivo specifico

L'obiettivo specifico è promuovere una maggiore comprensione dell'Europa, fornire soluzioni e sostenere società europee inclusive, innovative e riflessive in un contesto di trasformazioni senza precedenti e interdipendenze crescenti di portata mondiale.L'Europa deve affrontare notevoli sfide socioeconomiche che incidono sostanzialmente sul suo futuro comune e che comprendono le crescenti interdipendenze economiche e culturali, l'invecchiamento e il cambiamento demografico, l'esclusione sociale e la povertà, l'integrazione e la disgregazione, le ineguaglianze e i flussi migratori, il crescente divario digitale, la promozione di una cultura dell'innovazione e della creatività nella società e nelle imprese e il calo della fiducia nelle istituzioni democratiche e fra i cittadini a livello nazionale e internazionale. Queste sfide sono enormi ed esigono un approccio europeo comune, basato sulla conoscenza scientifica condivisa che le scienze sociali e umanistiche, tra le altre, possono fornire.Nell'Unione permangono disuguaglianze di rilevo, sia all'interno dei paesi, sia fra questi. Nel 2011 l'indice di sviluppo umano, una misura aggregata del progresso in termini di salute, istruzione e reddito, valutava gli Stati membri fra 0,771 e 0,910, il che evidenzia considerevoli divergenze fra essi. Tali significative disuguaglianze sono presenti inoltre per esempio nella differenza retributiva di genere, che nell'Unione è pari in media al 17,8 % a favore degli uomini. Nel 2011 un cittadino dell'Unione su sei (circa 80 milioni di persone) era a rischio di povertà. Negli ultimi due decenni è aumentata la povertà che colpisce giovani adulti e famiglie con bambini. La disoccupazione giovanile supera il 20 %. 150 milioni di europei, ossia circa il 25 %, non hanno mai usato internet e potrebbero non raggiungere mai un livello sufficiente di alfabetizzazione digitale. Sono inoltre aumentate l'apatia politica e la polarizzazione elettorale, a riprova del fatto che vacilla la fiducia dei cittadini nei confronti degli attuali sistemi politici.Questi dati indicano che alcuni gruppi sociali e comunità sono esclusi in maniera persistente dallo sviluppo sociale ed economico e/o dalle politiche democratiche. Tali disuguaglianze non solo bloccano lo sviluppo sociale, ma ostacolano le economie dell'Unione e riducono le capacità di ricerca e innovazione sia all'interno dei singoli paesi sia tra questi.Una sfida essenziale nell'affrontare queste disuguaglianze sarà la promozione di contesti in cui identità europee, nazionali ed etniche possano coesistere e arricchirsi a vicenda.Inoltre le previsioni indicano che il numero degli europei di età superiore ai 65 anni aumenterà significativamente, passando da 87 milioni a 124 milioni tra il 2010 e il 2030, pari a un incremento del 42 %. Ciò rappresenta una grande sfida per l'economia, la società e la sostenibilità delle finanze pubbliche.La produttività e la crescita economica europee si sono attestate su un lento declino nel corso degli ultimi quattro decenni. Per di più la quota europea di produzione mondiale di conoscenze e di prestazioni innovative sono in rapido declino rispetto alle principali economie emergenti come il Brasile e la Cina. Anche se l'Europa possiede una robusta base di ricerca, è necessario che questa diventi un vantaggio potente per quanto concerne i beni e i servizi innovativi.È risaputo che l'Europa deve investire maggiormente in ambito scientifico e innovativo e che dovrà altresì coordinare questi investimenti meglio di quanto abbia fatto in passato. Dopo la crisi finanziaria molte disuguaglianze economiche e sociali in Europa sono aumentate ancora di più e il ritorno ai tassi di crescita economica precedenti la crisi sembra ancora lontano per buona parte dell'Unione. La crisi attuale suggerisce altresì che è difficile trovare soluzioni a crisi che riflettono l'eterogeneità degli Stati membri e dei loro interessi.È opportuno affrontare queste sfide congiuntamente e con modalità innovative e multidisciplinari poiché interagiscono in modi complessi e spesso inattesi. L'innovazione può portare a un indebolimento dell'inclusione, come si evince, ad esempio, dal divario digitale o dai fenomeni di segmentazione del mercato del lavoro. L'innovazione e la fiducia sociali sono talvolta difficili da conciliare nelle politiche, ad esempio in zone socialmente depresse delle grandi città europee. Inoltre, la combinazione tra l'innovazione e le richieste in evoluzione dei cittadini porta i responsabili politici e gli operatori economici e sociali a trovare nuove risposte che ignorino i confini stabiliti tra i vari settori, attività, beni o servizi. Fenomeni come la crescita di internet, dei sistemi finanziari, dell'invecchiamento dell'economia e della società ecologica dimostrano chiaramente che è necessario pensare e rispondere a tali problematiche in tutte le loro dimensioni di inclusione e innovazione nel contempo.La complessità intrinseca di queste sfide e l'evoluzione delle esigenze rende pertanto essenziale sviluppare una ricerca innovativa e tecnologie, processi e metodi nuovi e intelligenti, meccanismi di innovazione sociale, azioni e politiche coordinate in grado di anticipare o influenzare i principali sviluppi per l'Europa. È necessaria una nuova comprensione degli elementi determinanti dell'innovazione. È necessario inoltre comprendere le tendenze e gli impatti soggiacenti all'interno di tali sfide e riscoprire o reinventare forme riuscite di solidarietà, comportamento, coordinamento e creatività suscettibili di distinguere l'Europa in termini di società inclusive, innovative e riflessive rispetto ad altre regioni del mondo.A tal fine è necessario altresì un approccio più strategico nella cooperazione con i paesi terzi, basato su una comprensione più approfondita del passato dell'Unione e del suo ruolo attuale e futuro di attore globale.

Motivazione e valore aggiunto dell'Unione

Queste sfide superano i confini nazionali e richiedono quindi analisi comparative più complesse al fine di sviluppare una base per la migliore comprensione delle politiche nazionali ed europee. Tali analisi comparative dovrebbero tener conto della mobilità (delle merci, delle persone, dei servizi e dei capitali, ma anche delle competenze, delle conoscenze e delle idee), oltre a forme di cooperazione istituzionale, interazioni interculturali e cooperazione internazionale. Se tali sfide non sono comprese e previste meglio, le forze della globalizzazione possono anche spingere i paesi europei a competere tra di loro invece di cooperare, finendo così per accentuare le differenze in Europa piuttosto che i punti comuni e un corretto equilibrio fra cooperazione e concorrenza. Affrontare tali questioni fondamentali, comprese le sfide socioeconomiche, a livello esclusivamente nazionale comporta il rischio di un uso inefficiente delle risorse, di un'esternalizzazione dei problemi verso altri paesi europei e non europei e di un'accentuazione delle tensioni sociali, economiche e politiche suscettibili di incidere direttamente sugli obiettivi dei trattati per quanto riguarda i suoi valori, in particolare il titolo I del trattato sull'Unione europea.Al fine di comprendere, analizzare e costruire società inclusive, innovative e riflessive, l'Europa ha bisogno di una risposta che liberi il potenziale di idee condivise per il futuro europeo al fine di creare nuove conoscenze, tecnologie e capacità. Il concetto di società inclusiva riconosce la diversità culturale, regionale e socioeconomica quale punto di forza dell'Europa. Occorre trasformare la diversità europea in una fonte di innovazione e sviluppo. Tali tentativi consentiranno all'Europa di affrontare le sfide non solo a livello interno, ma anche come attore globale sulla scena internazionale. Questo a sua volta consentirà agli Stati membri di trarre vantaggio dalle esperienze altrui e definire meglio le proprie azioni specifiche corrispondenti ai rispettivi contesti.La promozione di nuove forme di cooperazione tra i paesi dell'Unione e a livello mondiale, nonché in tutte le pertinenti comunità della ricerca e dell'innovazione, occuperà quindi un ruolo centrale nell'ambito di questa sfida per la società. Sostenere processi di innovazione sociale e tecnologica, incoraggiare la partecipazione intelligente della pubblica amministrazione, oltre a informare e promuovere processi decisionali basati su fatti concreti, sono azioni che saranno sistematicamente perseguite al fine di migliorare la pertinenza di tutte queste attività per i responsabili politici, gli attori sociali ed economici e i cittadini. La ricerca e l'innovazione costituiscono una condizione essenziale per la competitività delle aziende e dei servizi europei, con particolare attenzione alla sostenibilità, ai progressi dell'istruzione, all'aumento dell'occupazione e alla riduzione della povertà.Il finanziamento dell'Unione nel quadro di questa sfida sosterrà quindi lo sviluppo, l'attuazione e l'adeguamento delle politiche chiave dell'Unione europea, segnatamente gli obiettivi della strategia Europa 2020. Se del caso, al momento opportuno interagirà con le iniziative di programmazione congiunta, in particolare quelle relative a ""Patrimonio culturale"", ""Vivere di più, vivere meglio"" e ""Europa urbana"" e si cercherà il coordinamento con le azioni dirette del CCR.

Le grandi linee delle attività

Società inclusive

L'obiettivo è comprendere meglio i cambiamenti sociali in atto in Europa e il loro impatto sulla coesione sociale e analizzare e sviluppare l'inclusione sociale, economica e politica e le dinamiche interculturali positive in Europa e con i partner internazionali, per mezzo di una scienza d'avanguardia e di un approccio interdisciplinare, di progressi tecnologici e innovazioni organizzative. Le sfide principali da affrontare in materia di modelli europei di coesione sociale e benessere sono tra l'altro la migrazione, l'integrazione, il cambiamento demografico, l'invecchiamento della società e la disabilità, l'istruzione e l'apprendimento permanente nonché la riduzione della povertà e dell'esclusione sociale, tenendo conto delle diverse caratteristiche regionali e culturali.La ricerca nell'ambito delle scienze sociali e delle discipline umanistiche svolge un ruolo di guida, in quanto osserva le mutazioni nel tempo e nello spazio e permette di esplorare futuri possibili. L'Europa ha una lunga storia comune di cooperazione e conflitto. Le sue interazioni culturali dinamiche offrono ispirazione e opportunità. La ricerca è necessaria per comprendere l'identità e l'appartenenza a livello di comunità, regioni e nazioni. La ricerca sosterrà i responsabili politici nella definizione di politiche che sostengano l'occupazione, lottino contro la povertà e prevengano lo sviluppo di diverse forme di separazione, conflitto ed esclusione politica e sociale, discriminazioni e disuguaglianze, quali le disuguaglianze di genere e intergenerazionali, la discriminazione a causa della disabilità o dell'origine etnica e i divari digitali o in materia di innovazione, nelle società europee e nelle altre regioni del mondo. In particolare la ricerca contribuisce all'attuazione e all'adattamento della strategia Europa 2020 e della più ampia azione esterna dell'Unione.Le attività si concentrano sulla comprensione e l'incentivazione o attuazione dei seguenti elementi:(a) i meccanismi per promuovere una crescita intelligente, sostenibile e inclusiva; (b) le organizzazioni di fiducia, le pratiche, le politiche e i servizi che sono necessari per la costruzione di società adattabili, inclusive, partecipative, aperte e creative in Europa, tenendo conto in particolare della migrazione, dell'integrazione e del cambiamento demografico; (c) il ruolo di attore mondiale dell'Europa, segnatamente per quanto riguarda i diritti umani e la giustizia nel mondo; (d) la promozione degli ambienti sostenibili e inclusivi mediante pianificazione e progettazione territoriali e urbane innovative.

Società innovative

L'obiettivo è promuovere lo sviluppo di società e politiche innovative in Europa per mezzo dell'impegno dei cittadini, delle organizzazioni della società civile, delle imprese e degli utenti per quanto concerne la ricerca e l'innovazione nonché la promozione di politiche di ricerca e innovazione coordinate nell'ambito della globalizzazione e tenuto conto dell'esigenza di promuovere i più elevati standard etici. Sarà fornito un sostegno particolare per lo sviluppo del SER nonché delle condizioni generali per l'innovazione.Le conoscenze sociali e culturali sono un'importante fonte di creatività e innovazione, anche nel settore sociale, pubblico e delle imprese. In molti casi, inoltre, le innovazioni sociali e basate sulle esigenze degli utenti precedono lo sviluppo di tecnologie, servizi e processi economici innovativi. Le industrie creative sono un'importante risorsa per affrontare le sfide per la società e la competitività. Poiché le interrelazioni tra innovazione sociale e tecnologica sono complesse e raramente lineari, occorrono ulteriori ricerche, anche intersettoriali e multidisciplinari, nello sviluppo di tutti i tipi di innovazione e attività finanziate, al fine di incoraggiarne uno sviluppo efficace nel futuro.Il centro delle attività comprende:(a) il rafforzamento della base scientifica e del sostegno per l'iniziativa faro ""Unione dell'innovazione"" e il SER; (b) l'esplorazione di nuove forme di innovazione, con particolare attenzione all'innovazione sociale e alla creatività, e la comprensione delle modalità di sviluppo, riuscita o insuccesso di tutte le forme di innovazione; (c) l'utilizzo del potenziale innovativo, creativo e produttivo di tutte le generazioni; (d) la promozione di una cooperazione coerente ed efficace con i paesi terzi.

Società riflessive - patrimonio culturale e identità europea

L'obiettivo è quello di contribuire a comprendere il fondamento intellettuale dell'Europa, la sua storia e le numerose influenze europee ed extraeuropee, che costituiscono una fonte di ispirazione per le nostre vite oggi. L'Europa è caratterizzata da una varietà di diversi popoli (compresi minoranze e popoli indigeni), tradizioni e identità regionali e nazionali nonché da livelli diversi di sviluppo economico e sociale. La migrazione e la mobilità, i mezzi di comunicazione, l'industria e i trasporti contribuiscono alla diversità di prospettive e stili di vita. Occorre riconoscere e tenere in conto tale diversità e le opportunità che ne derivano.Le collezioni europee conservate in biblioteche, anche digitali, archivi, musei, gallerie e altre istituzioni pubbliche detengono un patrimonio ricco e ancora inesplorato di documenti e oggetti di studio. Tali risorse d'archivio rappresentano, assieme al patrimonio intangibile, la storia dei singoli Stati membri ma anche il patrimonio collettivo di un'Unione emersa nel corso del tempo. Tali materiali dovrebbero essere resi accessibili a ricercatori e cittadini, anche mediante le nuove tecnologie, per consentire di guardare al futuro attraverso l'archivio del passato. L'accessibilità e la conservazione del patrimonio culturale nelle forme suddette sono necessarie per la vitalità dei rapporti esistenti tra le diverse culture e all'interno delle stesse nell'Europa di oggi e contribuiscono alla crescita economica sostenibile.Il centro delle attività comprende:(a) lo studio del patrimonio culturale, della memoria, dell'identità, dell'integrazione e delle interazioni e traduzioni culturali in Europa, compreso il modo in cui tali elementi sono rappresentati nelle collezioni a carattere culturale e scientifico, negli archivi e nei musei, allo scopo di informare e comprendere meglio il presente mediante interpretazioni più approfondite del passato; (b) la ricerca sulla storia, la letteratura, l'arte, la filosofia e le religioni dei paesi e delle regioni d'Europa e sul modo in cui queste hanno dato forma alla diversità europea contemporanea; (c) la ricerca sul ruolo dell'Europa nel mondo, sulle influenze e i legami reciproci tra le regioni del mondo e sulle culture europee viste dall'esterno. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:49:28";"664435" +"H2020-EU.3.6.";"fr";"H2020-EU.3.6.";"";"";"DÉFIS DE SOCIÉTÉ - L'Europe dans un monde en évolution - des sociétés ouvertes à tous, innovantes et capables de réflexion";"Inclusive, innovative and reflective societies";"

DÉFIS DE SOCIÉTÉ - L'Europe dans un monde en évolution - des sociétés ouvertes à tous, innovantes et capables de réflexion

Objectif spécifique

L'objectif spécifique est de promouvoir une meilleure compréhension de l'Europe, de trouver des solutions et de soutenir des sociétés européennes ouvertes à tous, innovantes et capables de réflexion dans un contexte de transformations sans précédent et d'interdépendances mondiales croissantes.L'Europe fait face à des enjeux socio-économiques qui auront des répercussions notables sur son avenir commun. Il s'agit notamment du renforcement des interdépendances économiques et culturelles, du vieillissement et de l'évolution démographique, de l'exclusion sociale et de la pauvreté, de l'intégration et de la désintégration, des inégalités et des flux migratoires, d'une fracture numérique croissante, de la promotion d'une culture de l'innovation et de la créativité dans la société et les entreprises, et d'une baisse de la confiance dans les institutions démocratiques et entre les citoyens, à l'intérieur des frontières et vis-à-vis de l'étranger. Les défis sont considérables et appellent une approche européenne commune, fondée sur des connaissances scientifiques partagées que les sciences sociales et humaines, entre autres, peuvent apporter.Il subsiste des inégalités notables au sein de l'Union, aussi bien entre les États membres qu'à l'intérieur de chacun d'eux. En 2011, l'indice de développement humain, une mesure agrégée des progrès dans le domaine de la santé, de l'éducation et des revenus, place les États membres entre 0,771 et 0,910, ce qui témoigne d'écarts considérables entre les pays. Des inégalités notables entre les sexes persistent également: l'écart de rémunération entre les hommes et les femmes au sein de l'Union s'établit ainsi en moyenne à 17,8 % en faveur des hommes. En 2011, une personne sur six au sein de l'Union (soit quelque 80 millions de personnes) était exposée au risque de pauvreté. Ces vingt dernières années, la pauvreté des jeunes adultes et des familles avec enfants a augmenté. Le taux de chômage des jeunes est supérieur à 20 %. Cent cinquante millions d'Européens (environ 25 %) n'ont jamais utilisé l'internet et pourraient ne jamais développer une culture numérique suffisante. L'apathie politique et la polarisation lors des élections ont également progressé, ce qui reflète la perte de confiance de l'opinion vis-à-vis des systèmes politiques actuels.Ces chiffres donnent à penser que certains groupes sociaux et certaines communautés sont laissés systématiquement en marge du développement social et économique et/ou de la politique démocratique. Ces inégalités étouffent non seulement le développement sociétal mais entravent les économies de l'Union et réduisent les capacités de recherche et d'innovation à l'intérieur des pays et entre eux.Pour s'attaquer à ces inégalités, l'enjeu fondamental sera de favoriser des cadres dans lesquels les identités européennes, nationales et ethniques peuvent coexister et s'enrichir mutuellement.En outre, le nombre d'Européens de plus de 65 ans devrait connaître une augmentation sensible de 42 %, passant de 87 millions en 2010 à 124 millions en 2030. Cela représente un défi majeur pour l'économie, la société et la viabilité des finances publiques.La productivité et les taux de croissance économique de l'Europe connaissent une baisse relative depuis quatre décennies. Qui plus est, sa part dans la production de connaissances à l'échelle mondiale et son avance sur le plan des performances en matière d'innovation par rapport aux grandes économies émergentes, telles que le Brésil et la Chine, diminuent rapidement. L'Europe dispose d'une solide base de recherche, qu'elle doit utiliser comme tremplin pour développer des produits et services innovants.Il est bien connu que l'Europe se doit d'investir davantage dans la science et l'innovation et qu'elle devra aussi mieux coordonner ces investissements que par le passé. Depuis le début de la crise financière, de nombreuses inégalités économiques et sociales en Europe se sont encore aggravées et le retour des taux de croissance économique antérieurs à la crise ne semble pas pour demain dans la plupart des pays de l'Union. La crise actuelle montre également qu'il est difficile de trouver des solutions à des crises qui reflètent l'hétérogénéité des États membres et de leurs intérêts.Ces défis doivent être relevés conjointement et de manière innovante et multidisciplinaire, car ils s'inscrivent dans des interactions complexes et souvent inattendues. L'innovation peut contribuer à creuser les différences, comme en témoignent, par exemple, la fracture numérique ou la segmentation du marché du travail. L'innovation sociale et la confiance sociale sont parfois difficiles à concilier dans des politiques, par exemple dans les zones socialement défavorisées des grandes villes d'Europe. Par ailleurs, la conjonction de l'innovation et de l'évolution des exigences des citoyens amène également les décideurs politiques et les acteurs économiques et sociaux à trouver de nouvelles réponses qui ignorent les frontières établies entre les secteurs, les activités, les biens ou les services. Des phénomènes tels que la croissance de l'internet et des systèmes financiers, le vieillissement de l'économie et l'avènement d'une société plus écologique démontrent abondamment à quel point il est nécessaire de réfléchir et de traiter ces questions sous l'angle à la fois de l'inclusion sociale et de l'innovation.La complexité inhérente à ces défis et les évolutions des exigences rendent dès lors indispensable de mettre en place une recherche innovante, des technologies, procédés et méthodes nouveaux et intelligents, des mécanismes d'innovation sociale ainsi que des actions et des politiques coordonnées qui anticiperont ou influenceront les grandes évolutions en Europe. Elles nécessitent une autre manière de concevoir les déterminants en matière d'innovation. En outre, elles nécessitent de comprendre les évolutions qui sous-tendent ces défis et les répercussions que ceux-ci entraînent, et de redécouvrir ou de réinventer des formes efficaces de solidarité, de comportement, de coordination et de créativité qui rendront l'Europe unique en termes de sociétés ouvertes à tous, innovantes et capables de réflexion par rapport aux autres régions du monde.Elles requièrent également une approche plus stratégique de la coopération avec les pays tiers, basée sur une compréhension plus approfondie du passé de l'Union et de son rôle actuel et futur en tant qu'acteur mondial.

Justification et valeur ajoutée de l'Union

Ces défis transcendent les frontières nationales et appellent donc des analyses comparatives plus complexes afin d'établir une base qui permettra de mieux appréhender les politiques nationales et européennes. Ces analyses comparatives devraient étudier la mobilité (des personnes, des biens, des services et des capitaux, mais aussi des compétences, des connaissances et des idées) et les formes de coopération institutionnelle, d'interactions interculturelles et de coopération internationale. Si ces défis ne sont pas mieux compris et anticipés, les forces de la mondialisation poussent par ailleurs les pays d'Europe à se faire concurrence plutôt qu'à coopérer, ce qui accentue les différences en Europe, alors qu'il conviendrait de mettre l'accent sur les points communs et de trouver un juste équilibre entre coopération et concurrence. Une approche purement nationale de questions aussi importantes, y compris des enjeux socio-économiques, entraîne un risque d'utilisation inefficace des ressources, d'exportation des problèmes vers d'autres pays d'Europe et d'ailleurs et d'accentuation des tensions sociales, économiques et politiques, qui pourrait peser directement sur les objectifs des traités relatifs aux valeurs, notamment ceux énoncés au son titre I du traité sur l'Union européenne.Pour comprendre, analyser et édifier des sociétés ouvertes à tous, innovantes et capables de réflexion, l'Europe doit réagir en déployant le potentiel des idées communes pour son avenir afin de créer de nouvelles connaissances, technologies et capacités. Le concept de sociétés inclusives tient compte de la diversité des paramètres culturels, régionaux et socio-économiques en tant qu'atout européen. Il est nécessaire de faire de la diversité européenne une source d'innovation et de développement. Une telle démarche aidera l'Europe à relever les défis qui sont les siens, non seulement sur le plan interne, mais aussi en tant qu'acteur d'envergure mondiale sur la scène internationale. Les États membres pourront, de ce fait, bénéficier d'expériences extérieures et élaborer plus efficacement leurs propres plans d'action en fonction de leur situation spécifique.La promotion de nouveaux modes de coopération internationale au sein de l'Union et dans le monde, ainsi qu'entre communautés de la recherche et de l'innovation intéressées, sera donc une tâche essentielle au titre de ce défi de société. On cherchera de manière systématique à soutenir les processus d'innovation sociale et technologique, à promouvoir une administration publique intelligente et participative, ainsi qu'à éclairer et à favoriser une prise de décisions fondée sur des éléments factuels, afin de renforcer la pertinence de toutes ces activités pour les décideurs politiques, les acteurs économiques et sociaux, et les citoyens. La recherche et l'innovation seront indispensables à la compétitivité des entreprises et des services européens et il conviendra d'accorder une attention particulière au développement durable, aux progrès de l'éducation, à l'augmentation de l'emploi et à la réduction de la pauvreté.Le financement par l'Union au titre de ce défi appuiera donc le développement, la mise en œuvre et l'adaptation de politiques fondamentales de l'Union, notamment les objectifs de la stratégie Europe 2020. Il s'articulera, selon les besoins, avec des initiatives de programmation conjointe, notamment «Patrimoine culturel», «Vivre plus longtemps et mieux» et «L'Europe urbaine», et une coordination sera instaurée avec les actions directes du JRC.

Grandes lignes des activités

Des sociétés ouvertes à tous

L'objectif est de mieux comprendre les changements de société en Europe et leurs répercussions sur la cohésion sociale, et d'analyser et de développer l'inclusion sociale, économique et politique ainsi que la dynamique interculturelle positive en Europe et avec les partenaires internationaux, au moyen d'activités scientifiques de pointe et de l'interdisciplinarité, d'avancées technologiques et d'innovations sur le plan de l'organisation. Les principaux défis à relever en ce qui concerne les modèles européens de cohésion sociale et de bien-être sont, notamment, l'immigration, l'intégration, l'évolution démographique, le vieillissement de la population et le handicap, l'éducation et l'apprentissage tout au long de la vie ainsi que la réduction de la pauvreté et de l'exclusion sociale, en tenant compte des différentes caractéristiques régionales et culturelles.La recherche en sciences sociales et humaines joue un rôle prépondérant dans ce contexte car elle étudie les changements spatiotemporels et permet l'analyse des avenirs envisagés. L'Europe a une longue histoire commune faite de coopération et de conflit. Ses interactions culturelles dynamiques servent d'inspiration et offrent des perspectives. La recherche est nécessaire pour comprendre le sentiment d'identité et d'appartenance selon les communautés, les régions et les nations. Elle aidera les décideurs politiques à élaborer des politiques qui permettent de favoriser l'emploi, de lutter contre la pauvreté et de prévenir le développement de diverses formes de divisions, de conflits et d'exclusions politiques et sociales, de discriminations et d'inégalités, telles que les inégalités entre les sexes et entre les générations, la discrimination due au handicap ou à l'origine ethnique, la fracture numérique ou les écarts en matière d'innovation, au sein des sociétés européennes et dans d'autres régions du monde. Elle doit en particulier alimenter le processus de mise en œuvre et d'adaptation de la stratégie Europe 2020 et l'action extérieure de l'Union au sens large.Les activités visent à comprendre et à promouvoir ou à mettre en œuvre:(a) les mécanismes permettant de favoriser une croissance intelligente, durable et inclusive; (b) les organisations, les pratiques, les services et les politiques dignes de confiance qui sont nécessaires pour construire des sociétés résilientes, inclusives, participatives, ouvertes et créatives en Europe, en tenant compte en particulier de l'immigration, de l'intégration et de l'évolution démographique; (c) le rôle de l'Europe en tant qu'acteur sur la scène mondiale, notamment en ce qui concerne les droits de l'homme et la justice mondiale; (d) la promotion d'environnements durables et ouverts à tous par un aménagement et une conception du territoire et de l'espace urbain innovants.

Des sociétés novatrices

L'objectif est de favoriser le développement de sociétés et de politiques novatrices en Europe, grâce à l'implication des citoyens, des organisations de la société civile, des entreprises et des utilisateurs dans les activités de recherche et d'innovation et à la promotion de politiques coordonnées en matière de recherche et d'innovation dans le contexte de la mondialisation et compte tenu de la nécessité de promouvoir les normes éthiques les plus élevées. Un soutien particulier sera accordé à la mise en place de l'Espace européen de la recherche et à l'amélioration des conditions d'encadrement de l'innovation.Les connaissances culturelles et sociétales constituent une source majeure de créativité et d'innovation, y compris l'innovation des entreprises et du secteur public et l'innovation sociale. Dans de nombreux cas, les innovations sociales et induites par les utilisateurs précèdent également l'élaboration de technologies, de services et de processus économiques innovants. Les industries créatives sont une ressource majeure pour relever les défis de société et pour stimuler la compétitivité. Les interdépendances entre l'innovation sociale et l'innovation technologique étant complexes et rarement linéaires, il est nécessaire de poursuivre les recherches, y compris les recherches transsectorielles et pluridisciplinaires, sur la mise au point de tous les types d'innovation et d'activités financés pour encourager leur développement effectif à l'avenir.Les activités visent à:(a) renforcer la base factuelle et les mesures de soutien à l'initiative phare «L'Union de l'innovation» et à l'Espace européen de la recherche; (b) explorer de nouvelles formes d'innovation, en mettant particulièrement l'accent sur l'innovation sociale et la créativité, et à comprendre comment toutes les formes d'innovation sont élaborées et comment elles se soldent par un succès ou par un échec; (c) utiliser le potentiel d'innovation, de créativité et de production de toutes les générations; (d) promouvoir une coopération cohérente et efficace avec les pays tiers.

Des sociétés de réflexion - patrimoine culturel et identité européenne

L'objectif est de contribuer à la compréhension de la base intellectuelle européenne - son histoire et les nombreuses influences européennes et non européennes - en tant qu'inspiration pour notre vie d'aujourd'hui. L'Europe se caractérise par la diversité des peuples (y compris les minorités et les populations autochtones), des traditions et des identités régionales et nationales ainsi que par des niveaux différents de développement économique et sociétal. Les migrations, la mobilité, les médias, l'industrie et les transports contribuent à la diversité des avis et des styles de vie. Cette diversité et les perspectives qu'elle offre devraient être reconnues et prises en compte.Les collections européennes dans les bibliothèques, y compris les bibliothèques numériques, les archives, les musées, les galeries et autres établissements publics disposent d'une grande quantité de documents et d'objets riches et inexploités pouvant être étudiés. Ces ressources d'archives, ainsi que le patrimoine immatériel, représentent l'histoire de chaque État membre, mais également le patrimoine collectif d'une Union qui est apparue au fil du temps. Ce matériel devrait être rendu accessible, également à l'aide des nouvelles technologies, aux chercheurs et aux citoyens pour permettre de regarder l'avenir au travers d'une archive du passé. L'accessibilité au patrimoine culturel sous ces formes et sa préservation sont nécessaires pour assurer la vitalité de relations dynamiques à l'intérieur des cultures européennes et entre celles-ci et contribuent à une croissance économique durable.Les activités visent à:(a) étudier le patrimoine, la mémoire, l'identité, l'intégration ainsi que l'interaction et la traduction culturelles au niveau européen, y compris leurs représentations dans les collections culturelles et scientifiques, les archives et les musées, afin de mieux éclairer et comprendre le présent grâce à des interprétations plus riches du passé; (b) mener des recherches sur l'histoire, la littérature, l'art, la philosophie et les religions des régions et pays européens et sur la manière dont ces éléments expliquent la diversité contemporaine européenne; (c) étudier le rôle de l'Europe dans le monde, les influences et les liens mutuels entre les régions du monde et un avis extérieur sur les cultures européennes. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:49:28";"664435" +"H2020-EU.3.6.";"es";"H2020-EU.3.6.";"";"";"RETOS DE LA SOCIEDAD - Europa en un mundo cambiante - sociedades inclusivas, innovadoras y reflexivas ";"Inclusive, innovative and reflective societies";"

RETOS DE LA SOCIEDAD - Europa en un mundo cambiante - sociedades inclusivas, innovadoras y reflexivas

Objetivo específico

El objetivo específico es fomentar una mejor comprensión de Europa, ofrecer soluciones y apoyar unas sociedades europeas inclusivas, innovadoras y reflexivas en un contexto de transformaciones sin precedentes y una creciente interdependencia mundial.Europa se enfrenta a enormes retos socioeconómicos que afectan de manera significativa a su futuro común. Entre ellos destacan: la creciente interdependencia económica y cultural, el envejecimiento y el cambio demográfico, la exclusión social y la pobreza, la integración y la desintegración, las desigualdades y los flujos migratorios, el aumento de la brecha digital, el fomento de una cultura de la innovación y la creatividad en la sociedad y las empresas, una sensación decreciente de confianza en las instituciones democráticas y entre los ciudadanos dentro y fuera de las fronteras. Se trata de retos de gran envergadura que exigen un planteamiento europeo común, basado en el conocimiento científico compartido que pueden ofrecer, entre otras cosas, las ciencias sociales y las humanidades.Persisten las acusadas desigualdades en la Unión, tanto entre países como dentro de ellos. En 2011, las puntuaciones de los Estados miembros de la Unión en el índice de desarrollo humano, cuantificador agregado del progreso en sanidad, educación y renta, se situaban entre 0,771 y 0,910, lo que refleja considerables divergencias entre países. También persisten desigualdades significativas entre los sexos: por ejemplo, la diferencia de retribución entre mujeres y hombres en la UE sigue siendo de una media del 17,8 % en favor de los hombres. Uno de cada seis ciudadanos de la Unión (alrededor de 80 millones de personas) corre actualmente riesgo de pobreza. En las dos últimas décadas, la pobreza ha aumentado entre los adultos jóvenes y las familias con niños. La tasa de desempleo juvenil es superior al 20 %. Son 150 millones (aproximadamente el 25 %) los europeos que nunca han utilizado Internet y acaso nunca disfruten de una alfabetización digital suficiente. Ha aumentado también la apatía política y la polarización en las elecciones, lo que indica que la confianza de los ciudadanos en los sistemas políticos actuales se tambalea.Estas cifras sugieren que algunos grupos y comunidades sociales quedan reiteradamente al margen del desarrollo social y económico y/o la política democrática. Estas desigualdades no solo sofocan el desarrollo de las sociedades, sino que perjudican a las economías de la Unión y reducen las capacidades de investigación e innovación dentro de cada país y entre países.Un desafío fundamental a la hora de abordar estas desigualdades será el de promover entornos en los que las identidades étnicas, nacionales y europea puedan coexistir y ser mutuamente enriquecedoras.Además, se espera que el número de europeos con edades superiores a los 65 años aumente de manera importante, en un 42 %, pasando de 87 millones en 2010 a 124 millones en 2030. Esto supone un reto de gran magnitud para la economía, la sociedad y la sostenibilidad de la Hacienda pública.Las tasas de crecimiento económico y productividad de Europa llevan cuatro décadas disminuyendo en términos relativos. Además, están disminuyendo con rapidez su cuota en la producción mundial de conocimientos y el rendimiento de su innovación en comparación con economías emergentes clave como Brasil y China. Europa cuenta con una sólida base de investigación, pero tiene que convertirla en un potente activo que permita generar bienes y servicios innovadores.Es notorio que Europa necesita invertir más en ciencia e innovación y que también habrá que coordinar estas inversiones mejor que en el pasado. Desde el inicio de la crisis financiera, muchas desigualdades económicas y sociales existentes en Europa se han agravado aún más y el retorno de las tasas de crecimiento económico anteriores a la crisis parece muy lejano para la mayoría de los países de la Unión. La crisis actual también sugiere que es un reto hallar soluciones a situaciones de crisis que son el reflejo de la heterogeneidad de los Estados miembros y sus intereses.Estos retos han de abordarse conjuntamente y de forma innovadora y multidisciplinar, puesto que interaccionan de maneras complejas y con frecuencia imprevistas. La innovación puede debilitar la inclusión, como puede observarse, por ejemplo, en los fenómenos de la brecha digital o la segmentación del mercado laboral. A veces resulta difícil conciliar en las políticas la innovación social y la confianza social, por ejemplo en las zonas socialmente deprimidas de las grandes ciudades de Europa. Además, la conjunción de la innovación y las nuevas demandas de los ciudadanos lleva también a los responsables políticos y los interlocutores económicos y sociales a encontrar nuevas respuestas que ignoran los límites establecidos entre sectores, actividades, bienes o servicios. Fenómenos como el crecimiento de Internet, de los sistemas financieros, de la economía afectada por el envejecimiento y de la sociedad ecológica demuestran patentemente que es necesario meditar sobre estas cuestiones y responder a ellas en sus dimensiones de inclusión e innovación al mismo tiempo.Así pues, la complejidad intrínseca de estos retos y la evolución de las demandas obliga a desarrollar una investigación innovadora y nuevas tecnologías, procesos y métodos inteligentes, mecanismos de innovación social, acciones y políticas coordinadas que permitan anticiparse a las evoluciones importantes para Europa o influir en ellas. Exige una renovada comprensión de los determinantes de la innovación. Además, exige comprender las tendencias subyacentes a estos retos y sus repercusiones y redescubrir o reinventar formas satisfactorias de solidaridad, conducta, coordinación y creatividad que hagan de Europa un modelo distintivo en términos de sociedades inclusivas, innovadoras y reflexivas en comparación con otras regiones del mundo.También requiere un enfoque más estratégico de la cooperación con terceros países que se base en una comprensión más profunda del pasado de la Unión y de su papel actual y futuro como actor en la escena mundial.

Justificación y valor añadido de la Unión

Estos desafíos superan las fronteras nacionales y, por tanto, exigen unos análisis comparativos más complejos para desarrollar una base a partir de la que se puedan entender mejor las políticas nacionales y europeas. Estos análisis comparativos deberían abordar la movilidad (de personas, mercancías, servicios y capitales, pero también de competencias, conocimientos e ideas) y formas de cooperación institucional, interacción intercultural y cooperación internacional. Si no se comprenden y prevén mejor, las fuerzas de la globalización también empujan a los países europeos a competir entre sí en lugar de cooperar, lo cual acentuará las diferencias en Europa, en lugar de las coincidencias y el equilibrio adecuado entre cooperación y competencia. Afrontar tales cuestiones críticas, incluidos los retos socioeconómicos, a nivel exclusivamente nacional conlleva riesgos de uso ineficiente de los recursos, externalización de los problemas a otros países europeos y no europeos y acentuación de las tensiones políticas, económicas y sociales que pueden afectar directamente a los objetivos de los Tratados en relación con sus valores, en particular el título I del Tratado de la Unión Europea.Para entender, analizar y construir sociedades inclusivas, innovadoras y reflexivas, Europa necesita una respuesta que despliegue el potencial de las ideas compartidas para que el futuro de Europa cree nuevos conocimientos, tecnologías y capacidades. El concepto de sociedades inclusivas reconoce las diversidades culturales, regionales y socioeconómicas como una de las ventajas de Europa. Es necesario convertir la diversidad europea en una fuente de innovación y desarrollo. Tal empeño ayudará a Europa a hacer frente a sus retos no solo internamente, sino también en tanto que actor en la escena internacional. Esto, a su vez, ayudará a los Estados miembros a beneficiarse de las experiencias de otros países y les permitirá definir mejor sus propias acciones específicas correspondientes a sus respectivos contextos.Por consiguiente, una tarea fundamental en relación con este reto será fomentar nuevos modos de cooperación entre países, en la Unión y en el mundo, así como a través de las comunidades de investigación e innovación pertinentes. Se intentará sistemáticamente apoyar los procesos de innovación social y tecnológica, estimular una administración pública inteligente y participativa, informar y promover al tiempo la elaboración de políticas basadas en los hechos demostrados, a fin de aumentar la pertinencia de todas estas actividades para los responsables políticos, los interlocutores sociales y agentes económicos y los ciudadanos. La investigación y la innovación serán una condición previa para la competitividad de las empresas y servicios europeos con una atención particular a la sostenibilidad, a impulsar la educación, aumentar el empleo y reducir la pobreza.La financiación de la Unión en virtud de este reto apoyará, por tanto, la elaboración, aplicación y adaptación de las políticas clave de la Unión, en particular las prioridades de la estrategia Europa 2020 para un crecimiento inteligente, sostenible e integrador. Estará en relación, cuando y según proceda, con las Iniciativas de Programación Conjunta, en especial ""Patrimonio cultural"", ""Una vida más larga y mejor"" y ""La Europa urbana"", y se coordinará con las acciones directas del Centro Común de Investigación.

Líneas generales de las actividades

Sociedades inclusivas

El objetivo es conseguir una mayor comprensión de los cambios de la sociedad europea y sus consecuencias en términos de cohesión social, y analizar y desarrollar la inclusión social, económica y política y una dinámica intercultural positiva en Europa y con los socios internacionales, a través de la ciencia de vanguardia y la interdisciplinariedad, los avances tecnológicos y las innovaciones organizativas. Las principales cuestiones que se han abordar en lo que respecta a los modelos europeos de cohesión y bienestar social son, entre otras cosas, la migración, la integración, el cambio demográfico, el envejecimiento de la población y la discapacidad, la educación y el aprendizaje permanente, así como la reducción de la pobreza y de la exclusión social, teniendo en cuenta las diferentes características regionales y culturales.La investigación en el ámbito de las Ciencias Sociales y las Humanidades desempeña aquí un papel de primer orden ya que explora los cambios que se producen en el espacio y con el transcurso del tiempo y posibilita la exploración de futuros imaginados. Europa tiene una larga historia común tanto de cooperación como de conflicto. Sus dinámicas interacciones culturales son fuente de inspiración y oportunidades. Son necesarios trabajos de investigación para comprender el sentimiento de identidad y de pertenencia en las distintas comunidades, regiones y naciones. La investigación ayudará a los responsables a diseñar políticas que promuevan el empleo, combatan la pobreza y eviten el desarrollo de diversas formas de división, conflicto y exclusión social y política, discriminación y desigualdad en las sociedades europeas, como las desigualdades de género e intergeneracionales, la discriminación por discapacidad u origen étnico, o las brechas digital y de la innovación, así como con otras regiones del mundo. En particular, efectuará aportaciones a la aplicación y adaptación de la estrategia Europa 2020 y a la acción exterior de la Unión en general.Las actividades se centrarán en la comprensión, la promoción o la aplicación de:(a) los mecanismos para promover un crecimiento inteligente, sostenible e integrador; (b) las organizaciones, prácticas, servicios y políticas fiables necesarias para construir sociedades resistentes, inclusivas, participativas, abiertas y creativas en Europa, en especial teniendo en cuenta la migración, la integración y el cambio demográfico; (c) el papel de Europa como actor mundial, en particular en cuanto a los derechos humanos y la justicia mundial; (d) la promoción de entornos sostenibles e inclusivos a través de una ordenación y concepción territorial y urbana innovadoras.

Sociedades innovadoras

El objetivo es estimular el desarrollo de sociedades y políticas innovadoras en Europa a través del compromiso de los ciudadanos, las organizaciones de la sociedad civil, las empresas y los usuarios con la investigación y la innovación y el fomento de unas políticas de investigación e innovación coordinadas en el contexto de la mundialización y de la necesidad de promover las normas éticas más elevadas. Se prestará especial apoyo al desarrollo del EEI y a la elaboración de unas condiciones marco para la innovación.El conocimiento cultural y social es una fuente importante de creatividad e innovación, incluida la innovación empresarial, del sector público y social. En muchos casos, las innovaciones sociales y orientadas al usuario preceden también al desarrollo de tecnologías, servicios y procesos económicos innovadores. Las industrias creativas son un recurso fundamental para afrontar los retos de la sociedad y para la competitividad. Dado que las interrelaciones entre la innovación social y la tecnológica son complejas y rara vez lineales, es necesario investigar más a fondo, en especial mediante la investigación intersectorial y multidisciplinar, el desarrollo de todos los tipos de innovación, y financiar actividades para favorecer su desarrollo efectivo en el futuro.Las actividades perseguirán los siguientes objetivos específicos:(a) reforzar la información basada en pruebas y el apoyo a la iniciativa emblemática ""Unión por la innovación"" y al EEI; (b) explorar nuevas formas de innovación, con insistencia particular en la innovación y la creatividad sociales, y entender el modo en que todas las formas de innovación se desarrollan, consiguen sus fines o fracasan; (c) aprovechar el potencial innovador, creativo y productivo de todas las generaciones; (d) promover una cooperación coherente y eficaz con terceros países.

Sociedades reflexivas - patrimonio cultural e identidad europea

El objetivo consiste en contribuir a la comprensión de la base intelectual de Europa: su historia y las diversas influencias europeas y extraeuropeas, como inspiración para nuestra vida actual. Europa se caracteriza por una variedad de pueblos (incluidos minorías y pueblos indígenas), tradiciones e identidades regionales y nacionales diferentes, así como por niveles diferentes de desarrollo económico y de la sociedad. Las migraciones y la movilidad, los medios de comunicación, la industria y el transporte contribuyen a la diversidad de opiniones y de estilos de vida. Debería reconocerse y tenerse en cuenta esta diversidad y las oportunidades que ofrece.Las colecciones europeas de las bibliotecas (incluidas las digitales), archivos, museos, galerías y otras instituciones públicas contienen un tesoro de documentación y objetos de estudio sin explotar. Estos recursos archivísticos, junto con el patrimonio intangible, representan la historia de cada Estado miembro pero al mismo tiempo la herencia colectiva de una Unión que ha ido creándose a lo largo del tiempo. Estos materiales deberían hacerse accesibles, incluso por medio de nuevas tecnologías, a los investigadores y a los ciudadanos, para permitirles mirar al futuro a través del archivo del pasado. La accesibilidad y la conservación de estas formas del patrimonio cultural son necesarias para mantener la vitalidad de los compromisos de vida en el seno de las culturas europeas y entre ellas hoy en día, y contribuye al crecimiento económico sostenible.Las actividades perseguirán los siguientes objetivos específicos:(a) el estudio del patrimonio, la memoria, la identidad, la integración y la interacción y traducción culturales de Europa, incluidas sus representaciones en las colecciones, archivos y museos culturales y científicos, para informar mejor al presente y entenderlo mejor, mediante unas interpretaciones más ricas del pasado, (b) la investigación de la historia, la literatura, el arte, la filosofía y las religiones de los países y regiones de Europa, y de los modos en que han conformado la diversidad europea contemporánea, (c) la investigación del papel de Europa en el mundo, de la influencia mutua y de los vínculos entre las regiones del mundo, y de la visión de las culturas europeas desde el exterior. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:49:28";"664435" +"H2020-EU.3.5.2.2.";"en";"H2020-EU.3.5.2.2.";"";"";"Developing integrated approaches to address water-related challenges and the transition to sustainable management and use of water resources and services";"";"";"";"H2020";"H2020-EU.3.5.2.";"";"";"2014-09-22 20:48:27";"664403" +"H2020-EU.3.2.1.3.";"en";"H2020-EU.3.2.1.3.";"";"";"Empowerment of rural areas, support to policies and rural innovation";"";"";"";"H2020";"H2020-EU.3.2.1.";"";"";"2014-09-22 20:44:48";"664289" +"H2020-EU.2.3.2.2.";"en";"H2020-EU.2.3.2.2.";"";"";"Enhancing the innovation capacity of SMEs";"Enhancing the innovation capacity of SMEs";"

Enhancing the innovation capacity of SMEs

Transnational activities assisting the implementation of and complementing the SME specific measures across Horizon 2020 shall be supported, notably to enhance the innovation capacity of SMEs. These activities shall be coordinated with similar national measures when appropriate. Close cooperation with the National Contact Point (NCP) Network and the Enterprise Europe Network (EEN) is envisaged.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:02";"664231" +"H2020-EU.2.3.2.2.";"es";"H2020-EU.2.3.2.2.";"";"";"Mejorar la capacidad de innovación de las PYME";"Enhancing the innovation capacity of SMEs";"

Mejorar la capacidad de innovación de las PYME

Se prestará apoyo a las actividades transnacionales que faciliten la aplicación de las medidas específicas en favor de las PYME de Horizonte 2020 y las complementen, en particular para aumentar la capacidad de innovación de las PYME. Estas actividades se coordinarán, cuando proceda, con medidas nacionales similares. Se prevé una estrecha cooperación con la Red de Puntos Nacionales de Contacto (PCN) y la Red Europea para las Empresas (EEN).";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:02";"664231" +"H2020-EU.2.3.2.2.";"fr";"H2020-EU.2.3.2.2.";"";"";"Renforcement de la capacité d'innovation des PME";"Enhancing the innovation capacity of SMEs";"

Renforcement de la capacité d'innovation des PME

Des activités transnationales à l'appui de la mise en œuvre et en complément des mesures spécifiquement consacrées aux PME seront soutenues à tous les niveaux d'Horizon 2020, notamment en vue de renforcer la capacité d'innovation des PME. Ces activités seront coordonnées, en tant que de besoin, avec des mesures nationales équivalentes. Une coopération étroite est envisagée avec le réseau des points de contact nationaux et le réseau Entreprise Europe.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:02";"664231" +"H2020-EU.2.3.2.2.";"pl";"H2020-EU.2.3.2.2.";"";"";"Zwiększenie zdolności MŚP pod względem innowacji";"Enhancing the innovation capacity of SMEs";"

Zwiększenie zdolności MŚP pod względem innowacji

Wspierane są transnarodowe działania wspomagające wdrażanie i uzupełnianie środków przeznaczonych dla MŚP w całym zakresie programu „Horyzont 2020”, zwłaszcza w celu zwiększania zdolności MŚP pod względem innowacji. Te działania są koordynowane – w odpowiednich przypadkach – z podobnymi środkami krajowymi. Zakłada się ścisłą współpracę z siecią krajowych punktów kontaktowych oraz Europejską Siecią Przedsiębiorczości (EEN).";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:02";"664231" +"H2020-EU.2.3.2.2.";"it";"H2020-EU.2.3.2.2.";"";"";"Rafforzare la capacità di innovazione delle PMI";"Enhancing the innovation capacity of SMEs";"

Rafforzare la capacità di innovazione delle PMI

Si sostengono le attività transnazionali che forniscono assistenza all'attuazione e all'integrazione delle misure specifiche destinate alle PMI in Orizzonte 2020, in particolare per migliorare la capacità di innovazione delle PMI. Tali attività sono coordinate, se del caso, con misure nazionali analoghe. È prevista la stretta collaborazione con la rete dei punti di contatto nazionali e la rete Enterprise Europe.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:02";"664231" +"H2020-EU.2.3.2.2.";"de";"H2020-EU.2.3.2.2.";"";"";"Stärkung der Innovationskapazität von KMU";"Enhancing the innovation capacity of SMEs";"

Stärkung der Innovationskapazität von KMU

Transnationale Tätigkeiten zur Umsetzung und Ergänzung KMU-spezifischer Maßnahmen werden in allen Bereichen von Horizont 2020 unterstützt, insbesondere zur Erhöhung der Innovationskapazität von KMU. Diese Tätigkeiten werden gegebenenfalls mit ähnlichen nationalen Maßnahmen abgestimmt. Es ist eine enge Zusammenarbeit mit dem Netz der nationalen Kontaktstellen (NCP) und dem Netz ""Enterprise Europe Network"" (EEN) vorgesehen.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:02";"664231" +"H2020-EU.3.2.2.";"fr";"H2020-EU.3.2.2.";"";"";"Un secteur agro-alimentaire durable et compétitif pour une alimentation sûre et saine";"Sustainable and competitive agri-food sector for a safe and healthy diet";"

Un secteur agro-alimentaire durable et compétitif pour une alimentation sûre et saine

L'objectif est de répondre aux demandes des citoyens, qui recherchent des aliments sûrs, sains et à prix abordable, ainsi qu'aux besoins environnementaux, de renforcer le caractère durable des activités de transformation, de distribution et de consommation des produits destinés à l'alimentation humaine et animale et d'accroître la compétitivité du secteur de l'alimentation tout en tenant compte des aspects culturels liés à la qualité des aliments. Les activités se concentrent sur la production d'aliments sûrs et sains pour tous, sur la possibilité pour les consommateurs de faire des choix éclairés, sur des solutions et des innovations diététiques permettant d'améliorer la santé, ainsi que sur le développement de méthodes de transformation des aliments compétitives, nécessitant moins de ressources et d'additifs et générant moins de sous-produits, de déchets et de gaz à effet de serre.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:56";"664293" +"H2020-EU.3.2.2.";"pl";"H2020-EU.3.2.2.";"";"";"Zrównoważony i konkurencyjny sektor rolno-spożywczy sprzyjający bezpiecznemu i zdrowemu odżywianiu się";"Sustainable and competitive agri-food sector for a safe and healthy diet";"

Zrównoważony i konkurencyjny sektor rolno-spożywczy sprzyjający bezpiecznemu i zdrowemu odżywianiu się

Celem jest zaspokojenie wymogów obywateli i środowiska dotyczących bezpiecznej, zdrowej i przystępnej cenowo żywności oraz bardziej zrównoważone przetwarzanie, dystrybucja i konsumpcja żywności i paszy, a także większa konkurencyjność sektora spożywczego, przy jednoczesnym uwzględnieniu elementu kulturowego jakości żywności. Działania mają skupiać się na zapewnieniu zdrowej i bezpiecznej żywności dla wszystkich, umożliwieniu konsumentom podejmowania świadomych wyborów, na sposobach odżywiania się i innowacjach na rzecz poprawy stanu zdrowia oraz na konkurencyjnych metodach przetwarzania żywności wykorzystujących mniej zasobów i dodatków i generujących mniej produktów ubocznych, odpadów i gazów cieplarnianych.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:56";"664293" +"H2020-EU.3.2.2.";"en";"H2020-EU.3.2.2.";"";"";"Sustainable and competitive agri-food sector for a safe and healthy diet";"Sustainable and competitive agri-food sector for a safe and healthy diet";"

Sustainable and competitive agri-food sector for a safe and healthy diet

The aim is to meet the requirements of citizens and the environment for safe, healthy and affordable food, and to make food and feed processing, distribution and consumption more sustainable and the food sector more competitive while also considering the cultural component of food quality. The activities shall focus on healthy and safe food for all, informed consumer choices, dietary solutions and innovations for improved health, and competitive food processing methods that use less resources and additives and produce less by-products, waste and greenhouse gases.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:56";"664293" +"H2020-EU.3.2.2.";"de";"H2020-EU.3.2.2.";"";"";"Nachhaltiger und wettbewerbsfähiger Agrar- und Lebensmittelsektor für sichere und gesunde Ernährung ";"Sustainable and competitive agri-food sector for a safe and healthy diet";"

Nachhaltiger und wettbewerbsfähiger Agrar- und Lebensmittelsektor für sichere und gesunde Ernährung

Ziel ist es, den Anforderungen der Bürger und der Umwelt an sichere, gesunde und erschwingliche Lebensmittel gerecht zu werden, die Nachhaltigkeit von Lebens- und Futtermittelverarbeitung, -vertrieb und -verbrauch zu erhöhen und die Wettbewerbsfähigkeit des Lebensmittelsektors – auch unter Berücksichtigung der kulturellen Komponente der Lebensmittelqualität – zu stärken. Schwerpunkt der Tätigkeiten sind gesunde und sichere Lebensmittel für alle, Aufklärung der Verbraucher, ernährungsbezogene Lösungen und Innovationen im Dienste einer besseren Gesundheit sowie wettbewerbsfähige Verfahren für die Lebensmittelverarbeitung, die weniger Ressourcen und Zusatzstoffe verbrauchen und bei denen weniger Nebenprodukte, Abfälle und Treibhausgase anfallen.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:56";"664293" +"H2020-EU.3.2.2.";"it";"H2020-EU.3.2.2.";"";"";"Un settore agroalimentare sostenibile e competitivo per un'alimentazione sicura e sana";"Sustainable and competitive agri-food sector for a safe and healthy diet";"

Un settore agroalimentare sostenibile e competitivo per un'alimentazione sicura e sana

L'obiettivo è soddisfare le esigenze dei cittadini e dell'ambiente in merito a prodotti alimentari sicuri, sani e a prezzi accessibili, e rendere la trasformazione, la distribuzione e il consumo dei prodotti alimentari e dei mangimi più sostenibili e più competitivo il settore alimentare, tenendo conto nel contempo della componente culturale della qualità alimentare. Le attività si concentrano su prodotti alimentari sani e sicuri per tutti, sulle scelte informate dei consumatori, su soluzioni e innovazioni alimentari per migliorare la salute e su metodi di trasformazione alimentare concorrenziali che utilizzano meno risorse e additivi e producono meno rifiuti, sottoprodotti e gas a effetto serra.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:56";"664293" +"H2020-EU.3.2.2.";"es";"H2020-EU.3.2.2.";"";"";"Sector agroalimentario competitivo y sostenible para una dieta sana y segura";"Sustainable and competitive agri-food sector for a safe and healthy diet";"

Sector agroalimentario competitivo y sostenible para una dieta sana y segura

El objetivo es responder a la necesidad de que los ciudadanos dispongan de alimentos seguros, sanos y asequibles, y de respeto del medio ambiente, de que la transformación, distribución y consumo de alimentos y piensos sea más sostenible y de que el sector alimentario sea más competitivo, teniendo en cuenta asimismo el componente cultural de la calidad de los alimentos. Las actividades se centrarán en los alimentos sanos y seguros para todos, la información al consumidor, las soluciones dietéticas y las innovaciones para mejorar la salud y los métodos competitivos de transformación de alimentos que utilizan menos recursos y aditivos y producen menos subproductos, residuos y gases de efecto invernadero.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:56";"664293" +"H2020-EU.3.2.2.2.";"en";"H2020-EU.3.2.2.2.";"";"";"Healthy and safe foods and diets for all";"";"";"";"H2020";"H2020-EU.3.2.2.";"";"";"2014-09-22 20:45:04";"664297" +"H2020_H2020-EU.3.4.5.10.";"en";"H2020-EU.3.4.5.10.";"";"";"Thematic Topics";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2019-03-29 11:54:26";"704346" +"H2020-EU.3.5.1.2.";"en";"H2020-EU.3.5.1.2.";"";"";"Assess impacts, vulnerabilities and develop innovative cost-effective adaptation and risk prevention and management measures";"";"";"";"H2020";"H2020-EU.3.5.1.";"";"";"2014-09-22 20:48:12";"664395" +"H2020-EU.4.d.";"de";"H2020-EU.4.d.";"";"";"Eine Fazilität für Politikunterstützung";"Policy Support Facility (PSF)";"

Eine Fazilität für Politikunterstützung

soll die Gestaltung, Durchführung und Bewertung nationaler/regionaler forschungs- und innovationspolitischer Maßnahmen verbessern. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:11";"664489" +"H2020-EU.4.d.";"it";"H2020-EU.4.d.";"";"";"Un meccanismo di sostegno delle politiche";"Policy Support Facility (PSF)";"

Un meccanismo di sostegno delle politiche

inteso a migliorare la concezione, l'attuazione e la valutazione delle politiche nazionali/regionali di ricerca e innovazione.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:11";"664489" +"H2020-EU.4.d.";"pl";"H2020-EU.4.d.";"";"";"Wprowadzeniu narzędzia wspierania polityki";"Policy Support Facility (PSF)";"

Wprowadzeniu narzędzia wspierania polityki

w celu podniesienia jakości projektowania, realizacji i oceny krajowych/regionalnych polityk w zakresie badań naukowych i innowacji. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:11";"664489" +"H2020-EU.4.d.";"fr";"H2020-EU.4.d.";"";"";"Mettre en place un mécanisme de soutien aux politiques";"Policy Support Facility (PSF)";"

Mettre en place un mécanisme de soutien aux politiques

afin d'améliorer la définition, la mise en œuvre et l'évaluation des politiques nationales/régionales de recherche et d'innovation.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:11";"664489" +"H2020-EU.4.d.";"es";"H2020-EU.4.d.";"";"";"Creación de un mecanismo de apoyo a las políticas";"Policy Support Facility (PSF)";"

Creación de un mecanismo de apoyo a las políticas

para mejorar la concepción, la ejecución y la evaluación de las políticas nacionales y regionales de investigación e innovación.";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:11";"664489" +"H2020-EU.3.5.7.1.";"en";"H2020-EU.3.5.7.1.";"";"";"Reduce the use of the EU defined ""Critical raw materials"", for instance through low platinum or platinum free resources and through recycling or reducing or avoiding the use of rare earth elements";"";"";"";"H2020";"H2020-EU.3.5.7.";"";"";"2015-01-23 18:42:15";"665347" +"H2020-EU.3.1.5.2.";"en";"H2020-EU.3.1.5.2.";"";"";"Improving scientific tools and methods to support policy making and regulatory needs";"";"";"";"H2020";"H2020-EU.3.1.5.";"";"";"2014-09-22 20:44:15";"664271" +"H2020-EU.3.5.1.1.";"en";"H2020-EU.3.5.1.1.";"";"";"Improve the understanding of climate change and the provision of reliable climate projections";"";"";"";"H2020";"H2020-EU.3.5.1.";"";"";"2014-09-22 20:48:08";"664393" +"H2020-EU.2.1.4.1.";"en";"H2020-EU.2.1.4.1.";"";"";"Boosting cutting-edge biotechnologies as a future innovation driver";"Cutting-edge biotechnologies as future innovation driver";"

Boosting cutting-edge biotechnologies as a future innovation driver

Development of emerging technology areas such as synthetic biology, bioinformatics and systems biology, which hold great promise for innovative products and technologies and completely novel applications";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:48";"664191" +"H2020-EU.3.1.7.2.";"en";"H2020-EU.3.1.7.2.";"";"";"Osteoarthritis";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:35";"665353" +"H2020-Euratom-1.5.";"en";"H2020-Euratom-1.5.";"";"";"Move toward demonstration of feasibility of fusion as a power source by exploiting existing and future fusion facilities";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:22";"664527" +"H2020-EU.3.6.1.3.";"en";"H2020-EU.3.6.1.3.";"";"";"Europe's role as a global actor, notably regarding human rights and global justice";"";"";"";"H2020";"H2020-EU.3.6.1.";"";"";"2015-01-23 18:42:15";"664443" +"H2020-Euratom-1.2.";"en";"H2020-Euratom-1.2.";"";"";"Contribute to the development of solutions for the management of ultimate nuclear waste";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:11";"664521" +"H2020-EU.3.1.7.8.";"en";"H2020-EU.3.1.7.8.";"";"";"Immune-mediated diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:56";"665365" +"H2020-EU.3.3.3.3.";"en";"H2020-EU.3.3.3.3.";"";"";"New alternative fuels";"";"";"";"H2020";"H2020-EU.3.3.3.";"";"";"2014-09-22 20:46:41";"664347" +"H2020-EU.2.1.3.7.";"en";"H2020-EU.2.1.3.7.";"";"";"Optimisation of the use of materials";"Optimisation of the use of materials";"

Optimisation of the use of materials

Research and development to investigate substitution and alternatives to the use of materials and innovative business model approaches and identification of critical resources.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:41";"664187" +"H2020-EU.3.4.5.7.";"en";"H2020-EU.3.4.5.7.";"";"";"Small Air Transport (SAT) Transverse Area";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:17";"665416" +"H2020-EU.3.5.4.3.";"en";"H2020-EU.3.5.4.3.";"";"";"Measure and assess progress towards a green economy";"";"";"";"H2020";"H2020-EU.3.5.4.";"";"";"2014-09-22 20:49:06";"664423" +"H2020-EU.3.6.3.3.";"en";"H2020-EU.3.6.3.3.";"";"";"Research on Europe's role in the world, on the mutual influence and ties between the world regions, and a view from outside on European cultures";"";"";"";"H2020";"H2020-EU.3.6.3.";"";"";"2015-01-23 18:42:15";"664461" +"H2020-EU.3.4.1.1.";"en";"H2020-EU.3.4.1.1.";"";"";"Making aircraft, vehicles and vessels cleaner and quieter will improve environmental performance and reduce perceived noise and vibration";"";"";"";"H2020";"H2020-EU.3.4.1.";"";"";"2014-09-22 20:47:09";"664361" +"H2020-EU.2.1.2.5.";"en";"H2020-EU.2.1.2.5.";"";"";"Developing and standardisation of capacity-enhancing techniques, measuring methods and equipment";"Capacity-enhancing techniques, measuring methods and equipment";"

Developing and standardisation of capacity-enhancing techniques, measuring methods and equipment

Focusing on the underpinning technologies supporting the development and market introduction of safe complex nanomaterials and nanosystems.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:12";"664171" +"H2020-EU.3.6.2.4.";"en";"H2020-EU.3.6.2.4.";"";"";"Promote coherent and effective cooperation with third countries";"";"";"";"H2020";"H2020-EU.3.6.2.";"";"";"2014-09-22 20:50:05";"664453" +"H2020-EU.3.3.1.1.";"en";"H2020-EU.3.3.1.1.";"";"";"Bring to mass market technologies and services for a smart and efficient energy use";"";"";"";"H2020";"H2020-EU.3.3.1.";"";"";"2014-09-22 20:46:01";"664325" +"H2020-EU.3.4.8.4.";"en";"H2020-EU.3.4.8.4.";"";"";"Innovation Programme 4: IT Solutions for attractive railway services";"";"";"";"H2020";"H2020-EU.3.4.8.";"";"";"2016-10-19 15:33:30";"700205" +"H2020-EU.3.2.6.3.";"en";"H2020-EU.3.2.6.3.";"";"";"Sustainable biorefineries";"";"";"";"H2020";"H2020-EU.3.2.6.";"";"";"2014-09-22 21:39:35";"665321" +"H2020-EU.3.5.3.3.";"en";"H2020-EU.3.5.3.3.";"";"";"Find alternatives for critical raw materials";"";"";"";"H2020";"H2020-EU.3.5.3.";"";"";"2014-09-22 20:48:47";"664413" +"H2020-EU.4.e.";"en";"H2020-EU.4.e.";"";"";"Supporting access to international networks for excellent researchers and innovators who lack sufficient involvement in European and international networks";"";"";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:15";"664491" +"H2020-EU.2.1.3.3.";"en";"H2020-EU.2.1.3.3.";"";"";"Management of materials components";"Management of materials components";"

Management of materials components

Research and development for new and innovative techniques for materials and their components and systems.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:26";"664179" +"H2020-EU.3.5.4.4.";"en";"H2020-EU.3.5.4.4.";"";"";"Foster resource efficiency through digital systems";"";"";"";"H2020";"H2020-EU.3.5.4.";"";"";"2014-09-22 20:49:09";"664425" +"H2020-EU.3.5.7.";"en";"H2020-EU.3.5.7.";"";"";"FCH2 (raw materials objective)";"";"";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 21:40:22";"665345" +"H2020-EU.3.4.5.9.";"en";"H2020-EU.3.4.5.9.";"";"";"Technology Evaluator";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:24";"665420" +"H2020-EU.3.1.7.3.";"en";"H2020-EU.3.1.7.3.";"";"";"Cardiovascular diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:39";"665355" +"H2020-EU.3.2.4.";"en";"H2020-EU.3.2.4.";"";"";"Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy";"Bio-based industries and supporting bio-economy";"

Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy

The aim is the promotion of low-carbon, resource-efficient, sustainable and competitive European bio-based industries. The activities shall focus on fostering the knowledge-based bioeconomy by transforming conventional industrial processes and products into bio-based resource and energy efficient ones, the development of integrated second and subsequent generation biorefineries, optimising the use of biomass from primary production including residues, biowaste and bio-based industry by-products, and opening new markets through supporting standardisation and certification systems as well as regulatory and demonstration/field trial activities, while taking into account the implications of the bioeconomy on land use and land use changes, as well as the views and concerns of civil society.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:26";"664309" +"H2020-EU.2.1.3.2.";"en";"H2020-EU.2.1.3.2.";"";"";"Materials development and transformation";"Materials development and transformation";"

Materials development and transformation

Research and development to ensure efficient, safe and sustainable development and scale-up to enable industrial manufacturing of future design-based products towards a ""no-waste"" management of materials in Europe";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:23";"664177" +"H2020-EU.2.1.1.7.3.";"en";"H2020-EU.2.1.1.7.3.";"";"";"Multi-disciplinary approaches for smart systems, supported by developments in holistic design and advanced manufacturing to realise self-reliant and adaptable smart systems having sophisticated interfaces and offering complex functionalities based on, for example, the seamless integration of sensing, actuating, processing, energy provision and networking";"";"";"";"H2020";"H2020-EU.2.1.1.7.";"";"";"2014-09-22 21:39:57";"665331" +"H2020-EU.3.1.6.1.";"en";"H2020-EU.3.1.6.1.";"";"";"Promoting integrated care";"";"";"";"H2020";"H2020-EU.3.1.6.";"";"";"2014-09-22 20:44:26";"664277" +"H2020-EU.3.5.3.2.";"en";"H2020-EU.3.5.3.2.";"";"";"Promote the sustainable supply and use of raw materials, including mineral resources, from land and sea, covering exploration, extraction, processing, re-use, recycling and recovery";"";"";"";"H2020";"H2020-EU.3.5.3.";"";"";"2014-09-22 20:48:43";"664411" +"H2020-EU.3.5.4.1.";"en";"H2020-EU.3.5.4.1.";"";"";"Strengthen eco-innovative technologies, processes, services and products including exploring ways to reduce the quantities of raw materials in production and consumption, and overcoming barriers in this context and boost their market uptake";"";"";"";"H2020";"H2020-EU.3.5.4.";"";"";"2014-09-22 20:48:58";"664419" +"H2020-EU.3.4.1.3.";"en";"H2020-EU.3.4.1.3.";"";"";"Improving transport and mobility in urban areas";"";"";"";"H2020";"H2020-EU.3.4.1.";"";"";"2014-09-22 20:47:17";"664365" +"H2020-EU.2.3.2.1.";"en";"H2020-EU.2.3.2.1.";"";"";"Support for research intensive SMEs";"Support for research intensive SMEs";"

Support for research-intensive SMEs

The goal is to promote transnational market-oriented innovation of R&D performing SMEs. A specific action shall target research-intensive SMEs in any sectors that show the capability to commercially exploit the project results. This action will be built on the Eurostars Programme.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:42:58";"664229" +"H2020-EU.3.6.2.3.";"en";"H2020-EU.3.6.2.3.";"";"";"Make use of the innovative, creative and productive potential of all generations";"";"";"";"H2020";"H2020-EU.3.6.2.";"";"";"2014-09-22 20:50:01";"664451" +"H2020-EU.3.2.1.2.";"en";"H2020-EU.3.2.1.2.";"";"";"Providing ecosystems services and public goods";"";"";"";"H2020";"H2020-EU.3.2.1.";"";"";"2014-09-22 20:44:45";"664287" +"H2020-EU.3.3.3.1.";"en";"H2020-EU.3.3.3.1.";"";"";"Make bio-energy more competitive and sustainable";"";"";"";"H2020";"H2020-EU.3.3.3.";"";"";"2014-09-22 20:46:34";"664343" +"H2020-Euratom-1.1.";"en";"H2020-Euratom-1.1.";"";"";"Support safe operation of nuclear systems";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:07";"664519" +"H2020-EU.3.3.1.2.";"en";"H2020-EU.3.3.1.2.";"";"";"Unlock the potential of efficient and renewable heating-cooling systems";"";"";"";"H2020";"H2020-EU.3.3.1.";"";"";"2014-09-22 20:46:05";"664327" +"H2020-EU.5.g.";"en";"H2020-EU.5.g.";"";"";"Take due and proportional precautions in research and innovation activities by anticipating and assessing potential environmental, health and safety impacts";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:51:45";"664507" +"H2020-EU.3.3.2.4.";"en";"H2020-EU.3.3.2.4.";"";"";"Develop geothermal, hydro, marine and other renewable energy options";"";"";"";"H2020";"H2020-EU.3.3.2.";"";"";"2014-09-22 20:46:27";"664339" +"H2020-EU.1.4.3.2.";"en";"H2020-EU.1.4.3.2.";"";"";"Facilitate strategic international cooperation";"";"";"";"H2020";"H2020-EU.1.4.3.";"";"";"2014-09-22 20:40:19";"664141" +"H2020-EU.3.5.4.";"en";"H2020-EU.3.5.4.";"";"";"Enabling the transition towards a green economy and society through eco-innovation";"A green economy and society through eco-innovation";"

Enabling the transition towards a green economy and society through eco-innovation

The aim is to foster all forms of eco-innovation that enable the transition to a green economy. Activities shall, inter alia, build upon and enhance those undertaken in the Eco-Innovation Programme and focus on strengthening eco-innovative technologies, processes, services and products, including exploring ways to reduce the quantities of raw materials in production and consumption, overcoming barriers in this context, and boosting their market uptake and replication, with special attention for SMEs; supporting innovative policies, sustainable economic models and societal changes; measuring and assessing progress towards a green economy; and fostering resource efficiency through digital systems.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:54";"664417" +"H2020-EU.3.4.5.3.";"en";"H2020-EU.3.4.5.3.";"";"";"IADP Fast Rotorcraft";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:01";"665408" +"H2020-EU.3.1.7.13.";"en";"H2020-EU.3.1.7.13.";"";"";"Other";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:41:14";"665375" +"H2020-EU.3.1.4.2.";"en";"H2020-EU.3.1.4.2.";"";"";"Individual awareness and empowerment for self-management of health";"";"";"";"H2020";"H2020-EU.3.1.4.";"";"";"2014-09-22 20:44:04";"664265" +"H2020-EU.3.1.2.1.";"en";"H2020-EU.3.1.2.1.";"";"";"Developing effective prevention and screening programmes and improving the assessment of disease susceptibility";"";"";"";"H2020";"H2020-EU.3.1.2.";"";"";"2014-09-22 20:43:35";"664249" +"H2020-EU.3.1.7.10.";"en";"H2020-EU.3.1.7.10.";"";"";"Cancer";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:41:03";"665369" +"H2020-EU.2.2.1.";"en";"H2020-EU.2.2.1.";"";"";"The Debt facility providing debt finance for R&I: 'Union loan and guarantee service for research and innovation'";"Debt facility";"

The Debt facility providing debt finance for R&I: 'Union loan and guarantee service for research and innovation'

The goal is to improve access to debt financing – loans, guarantees, counter-guarantees and other forms of debt and risk finance – for public and private entities and public-private partnerships engaged in research and innovation activities requiring risky investments in order to come to fruition. The focus shall be on supporting research and innovation with a high potential for excellence.Given that one of the objectives of Horizon 2020 is to contribute to narrowing the gap between R&D and innovation, helping to bring new or improved products and services to the market, and taking into account the critical role that the proof-of-concept stage plays in the knowledge transfer process, mechanisms may be introduced enabling financing for the proof-of-concept stages that are necessary in order to validate the importance, relevance and future innovatory impact of the research results or invention involved in the transfer.The target final beneficiaries shall potentially be legal entities of all sizes that can borrow and repay money and, in particular, SMEs with the potential to carry out innovation and grow rapidly; mid-caps and large firms; universities and research institutions; research infrastructures and innovation infrastructures; public-private partnerships; and special-purpose vehicles or projects.The funding of the Debt facility shall have two main components:(1)Demand-driven, providing loans and guarantees on a first-come, first-served basis, with specific support for beneficiaries such as SMEs and mid-caps. This component shall respond to the steady and continuing growth seen in the volume of RSFF lending, which is demand-led. Under the SME window, activities shall be supported that aim to improve access to finance for SMEs and other entities that are R&D- and/or innovation-driven. This could include support at phase 3 of the SME instrument, subject to the level of demand.(2)Targeted, focusing on policies and key sectors crucial for tackling societal challenges, enhancing industrial leadership and competitiveness, supporting sustainable, low-carbon, inclusive growth, and providing environmental and other public goods. This component shall help the Union address research and innovation aspects of sectoral policy objectives.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:40";"664219" +"H2020-EU.3.4.3.4.";"en";"H2020-EU.3.4.3.4.";"";"";"Exploring entirely new transport concepts";"";"";"";"H2020";"H2020-EU.3.4.3.";"";"";"2014-09-22 20:47:53";"664385" +"H2020-EU.3.4.8.1.";"en";"H2020-EU.3.4.8.1.";"";"";"Innovation Programme 1 (IP1): Cost-efficient and reliable trains";"";"";"";"H2020";"H2020-EU.3.4.8.";"";"";"2016-10-19 15:32:04";"700128" +"H2020-EU.3.1.1.1.";"en";"H2020-EU.3.1.1.1.";"";"";"Understanding the determinants of health, improving health promotion and disease prevention";"";"";"";"H2020";"H2020-EU.3.1.1.";"";"";"2014-09-22 20:43:20";"664241" +"H2020-EU.3.4.2.3.";"en";"H2020-EU.3.4.2.3.";"";"";"Developing new concepts of freight transport and logistics";"";"";"";"H2020";"H2020-EU.3.4.2.";"";"";"2014-09-22 20:47:31";"664373" +"H2020-EU.3.1.7.9.";"en";"H2020-EU.3.1.7.9.";"";"";"Ageing-associated diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:41:00";"665367" +"H2020-EU.3.1.7.4.";"en";"H2020-EU.3.1.7.4.";"";"";"Diabetes";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:42";"665357" +"H2020-EU.3.1.7.12.";"en";"H2020-EU.3.1.7.12.";"";"";"Vaccine";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:41:10";"665373" +"H2020-EU.3.3.2.2.";"en";"H2020-EU.3.3.2.2.";"";"";"Develop efficient, reliable and cost-competitive solar energy systems";"";"";"";"H2020";"H2020-EU.3.3.2.";"";"";"2014-09-22 20:46:19";"664335" +"H2020-EU.4.d.";"en";"H2020-EU.4.d.";"";"";"A Policy Support Facility";"Policy Support Facility (PSF)";"

A Policy Support Facility

to improve the design, implementation and evaluation of national/regional research and innovation policies.— Supporting access to international networks for excellent researchers and innovators who lack sufficient involvement in European and international networks, including COST. — Strengthening the administrative and operational capacity of transnational networks of National Contact Points, including through training, so that they can provide better support to potential participants. ";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:11";"664489" +"H2020-EU.3.2.6.2.";"en";"H2020-EU.3.2.6.2.";"";"";"Fostering the bio-economy for bio-based industrie";"";"";"";"H2020";"H2020-EU.3.2.6.";"";"";"2014-09-22 21:39:31";"665319" +"H2020-EU.3.4.2.4.";"en";"H2020-EU.3.4.2.4.";"";"";"Reducing accident rates, fatalities and casualties and improving security";"";"";"";"H2020";"H2020-EU.3.4.2.";"";"";"2014-09-22 20:47:35";"664375" +"H2020-EU.2.2.2.";"en";"H2020-EU.2.2.2.";"";"";"The Equity facility providing equity finance for R&I: 'Union equity instruments for research and innovation'";"Equity facility";"

The Equity facility providing equity finance for R&I: 'Union equity instruments for research and innovation'

The goal is to contribute to overcoming the deficiencies of the European venture capital market and provide equity and quasi-equity to cover the development and financing needs of innovating enterprises from the seed stage through to growth and expansion. The focus shall be on supporting the objectives of Horizon 2020 and related policies.The target final beneficiaries shall be potentially enterprises of all sizes undertaking or embarking on innovation activities, with a particular focus on innovative SMEs and mid-caps.The Equity facility will focus on early-stage venture capital funds and funds-of-funds providing venture capital and quasi-equity (including mezzanine capital) to individual portfolio enterprises. The facility will also have the possibility to make expansion and growth-stage investments in conjunction with the Equity Facility for Growth under COSME, to ensure a continuum of support during the start-up and development of companies.The Equity facility, which will be primarily demand-driven, shall use a portfolio approach, where venture capital funds and other comparable intermediaries select the firms to be invested in.Earmarking may be applied to help achieve particular policy goals, building on the positive experience in the Competitiveness and Innovation Framework Programme (2007 to 2013) with earmarking for eco-innovation, for example for achieving goals related to the identified societal challenges.The start-up window, supporting the seed and early stages, shall enable equity investments in, amongst others, knowledge-transfer organisations and similar bodies through support to technology transfer (including the transfer of research results and inventions stemming from the sphere of public research to the productive sector, for example through proof-of-concept), seed capital funds, cross-border seed and early-stage funds, business angel co-investment vehicles, intellectual property assets, platforms for the exchange and trading of intellectual property rights, and early-stage venture capital funds and funds-of-funds operating across borders and investing in venture capital funds. This could include support at phase 3 of the SME instrument, subject to the level of demand.The growth window shall make expansion and growth-stage investments in conjunction with the Equity Facility for Growth under COSME, including investments in private and public sector funds-of-funds operating across borders and investing in venture capital funds, most of which will have a thematic focus that supports the goals of the Europe 2020 strategy.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:43";"664221" +"H2020-EU.3.6.2.";"en";"H2020-EU.3.6.2.";"";"";"Innovative societies";"Innovative societies";"

Innovative societies

The aim is to foster the development of innovative societies and policies in Europe through the engagement of citizens, civil society organisations, enterprises and users in research and innovation and the promotion of coordinated research and innovation policies in the context of globalisation and the need to promote the highest ethical standards. Particular support will be provided for the development of the ERA and the development of framework conditions for innovation.Cultural and societal knowledge is a major source of creativity and innovation, including business, public sector and social innovation. In many cases social and user-led innovations also precede the development of innovative technologies, services and economic processes. The creative industries are a major resource to tackle societal challenges and for competitiveness. As interrelations between social and technological innovation are complex, and rarely linear, further research, including cross-sectoral and multidisciplinary research, is needed into the development of all types of innovation and activities funded to encourage its effective development into the future.The focus of activities shall be to:(a) strengthen the evidence base and support for the flagship initiative ""Innovation Union"" and ERA; (b) explore new forms of innovation, with special emphasis on social innovation and creativity, and understand how all forms of innovation are developed, succeed or fail; (c) make use of the innovative, creative and productive potential of all generations; (d) promote coherent and effective cooperation with third countries. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:50";"664447" +"H2020-Euratom-1.9.";"en";"H2020-Euratom-1.9.";"";"";"European Fusion Development Agreement";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:37";"664535" +"H2020-EU.3.5.3.1.";"en";"H2020-EU.3.5.3.1.";"";"";"Improve the knowledge base on the availability of raw materials";"";"";"";"H2020";"H2020-EU.3.5.3.";"";"";"2014-09-22 20:48:40";"664409" +"H2020-EU.3.1.7.11.";"en";"H2020-EU.3.1.7.11.";"";"";"Rare/Orphan Diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:41:07";"665371" +"H2020-EU.3.1.1.3.";"en";"H2020-EU.3.1.1.3.";"";"";"Improving surveillance and preparedness";"";"";"";"H2020";"H2020-EU.3.1.1.";"";"";"2014-09-22 20:43:27";"664245" +"H2020-EU.5.e.";"en";"H2020-EU.5.e.";"";"";"Develop the accessibility and the use of the results of publicly-funded research";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:51:37";"664503" +"H2020-EU.3.4.5.8.";"en";"H2020-EU.3.4.5.8.";"";"";"ECO Transverse Area";"";"";"";"H2020";"H2020-EU.3.4.5";"";"";"2014-09-22 21:43:21";"665418" +"H2020-EU.3.4.3.1.";"en";"H2020-EU.3.4.3.1.";"";"";"Developing the next generation of transport means as the way to secure market share in the future";"";"";"";"H2020";"H2020-EU.3.4.3.";"";"";"2014-09-22 20:47:42";"664379" +"H2020-EU.4.f.";"en";"H2020-EU.4.f.";"";"";"Strengthening the administrative and operational capacity of transnational networks of National Contact Points";"";"";"";"H2020";"H2020-EU.4.";"";"";"2014-09-22 20:51:19";"664493" +"H2020-EU.3.2.6.";"en";"H2020-EU.3.2.6.";"";"";"Bio-based Industries Joint Technology Initiative (BBI-JTI)";"";"";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 21:39:23";"665315" +"H2020-Euratom-1.7.";"en";"H2020-Euratom-1.7.";"";"";"Promote innovation and industry competitiveness";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:29";"664531" +"H2020-EU.2.1.2.1.";"en";"H2020-EU.2.1.2.1.";"";"";"Developing next generation nanomaterials, nanodevices and nanosystems ";"Next generation nanomaterials, nanodevices and nanosystems";"

Developing next generation nanomaterials, nanodevices and nanosystems

Aiming at fundamentally new products enabling sustainable solutions in a wide range of sectors.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:40:58";"664163" +"H2020-EU.3.1.7.1.";"en";"H2020-EU.3.1.7.1.";"";"";"Antimicrobial resistance";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:32";"665351" +"H2020-Euratom-1.3.";"en";"H2020-Euratom-1.3.";"";"";"Support the development and sustainability of nuclear competences at Union level";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:14";"664523" +"H2020-EU.2.3.2.3.";"en";"H2020-EU.2.3.2.3.";"";"";"Supporting market-driven innovation";"Supporting market-driven innovation";"

Supporting market-driven innovation

Transnational market-driven innovation to improve the framework conditions for innovation shall be supported, and the specific barriers preventing, in particular, the growth of innovative SMEs shall be tackled.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:05";"664233" +"H2020-EU.3.2.1.";"en";"H2020-EU.3.2.1.";"";"";"Sustainable agriculture and forestry";"Sustainable agriculture and forestry";"

Sustainable agriculture and forestry

The aim is to supply sufficient food, feed, biomass and other raw-materials, while safeguarding natural resources, such as water, soil and biodiversity, in a European and world-wide perspective, and enhancing ecosystems services, including coping with and mitigating climate change. The activities shall focus on increasing the quality and value of agricultural products by delivering more sustainable and productive agriculture, including animal husbandry and forestry systems, which are diverse, resilient and resource-efficient (in terms of low-carbon and low external input and water), protect natural resources, produce less waste and can adapt to a changing environment. Furthermore, the activities shall focus on developing services, concepts and policies for thriving rural livelihoods and encouraging sustainable consumption.In particular for forestry, the aim is to sustainably produce biomass and bio-based products and deliver ecosystem services, with due consideration to economic, ecological and social aspects of forestry. Activities will focus on the further development of production and sustainability of resource-efficient forestry systems which are instrumental in the strengthening of forest resilience and biodiversity protection, and which can meet increased biomass demand.The interaction of functional plants with health and well being, as well as the exploitation of horticulture and forestry for the development of urban greening, will also be considered.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:37";"664283" +"H2020-EU.2.1.2.4.";"en";"H2020-EU.2.1.2.4.";"";"";"Efficient and sustainable synthesis and manufacturing of nanomaterials, components and systems";"Synthesis and manufacturing of nanomaterials, components and systems";"

Efficient and sustainable synthesis and manufacturing of nanomaterials, components and systems

Focusing on new operations, smart integration of new and existing processes, including technology convergence, as well as up-scaling to achieve high precision large-scale production of products and flexible and multi-purpose plants that ensure the efficient transfer of knowledge into industrial innovation.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:08";"664169" +"H2020-EU.2.1.3.5.";"en";"H2020-EU.2.1.3.5.";"";"";"Materials for creative industries, including heritage";"Materials for creative industries, including heritage";"

Materials for creative industries, including heritage

Applying design and the development of converging technologies to create new business opportunities, including the preservation and restoration of materials with historical or cultural value, as well as novel materials.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:34";"664183" +"H2020-EU.3.4.2.1.";"en";"H2020-EU.3.4.2.1.";"";"";"A substantial reduction of traffic congestion";"";"";"";"H2020";"H2020-EU.3.4.2.";"";"";"2014-09-22 20:47:24";"664369" +"H2020-EU.3.6.1.4.";"en";"H2020-EU.3.6.1.4.";"";"";"The promotion of sustainable and inclusive environments through innovative spatial and urban planning and design";"";"";"";"H2020";"H2020-EU.3.6.1.";"";"";"2014-09-22 20:49:46";"664445" +"H2020-EU.3.4.7.1";"en";"H2020-EU.3.4.7.1";"";"";"Exploratory Research";"";"";"";"H2020";"H2020-EU.3.4.7.";"";"";"2015-05-26 14:10:30";"669176" +"H2020-EU.3.1.2.3.";"en";"H2020-EU.3.1.2.3.";"";"";"Developing better preventive and therapeutic vaccines";"";"";"";"H2020";"H2020-EU.3.1.2.";"";"";"2014-09-22 20:43:42";"664253" +"H2020-EU.2.1.1.7.1.";"en";"H2020-EU.2.1.1.7.1.";"";"";"Design technologies, process and integration, equipment, materials and manufacturing for micro- and nanoelectronics while targeting miniaturisation, diversification and differentiation, heterogeneous integration";"";"";"";"H2020";"H2020-EU.2.1.1.7.";"";"";"2014-09-22 21:39:49";"665327" +"H2020-EU.2.1.1.7.2.";"en";"H2020-EU.2.1.1.7.2.";"";"";"Processes, methods, tools and platforms, reference designs and architectures, for software and/or control-intensive embedded/cyber-physical systems, addressing seamless connectivity and interoperability, functional safety, high availability, and security for professional and consumer type applications, and connected services";"";"";"";"H2020";"H2020-EU.2.1.1.7.";"";"";"2014-09-22 21:39:53";"665329" +"H2020-EU.3.1.1.2.";"en";"H2020-EU.3.1.1.2.";"";"";"Understanding disease";"";"";"";"H2020";"H2020-EU.3.1.1.";"";"";"2014-09-22 20:43:23";"664243" +"H2020-EU.3.4.8.3.";"en";"H2020-EU.3.4.8.3.";"";"";"Innovation Programme 3: Cost Efficient and Reliable High Capacity Infrastructure";"";"";"";"H2020";"H2020-EU.3.4.8.";"";"";"2016-10-19 15:36:13";"700236" +"H2020-EU.2.2.";"en";"H2020-EU.2.2.";"";"";"INDUSTRIAL LEADERSHIP - Access to risk finance";"Access to risk finance";"

INDUSTRIAL LEADERSHIP - Access to risk finance

Specific objective

The specific objective is to help address market deficiencies in accessing risk finance for research and innovation.The investment situation in the R&I domain is dire, particularly for innovative SMEs and mid-caps with a high potential for growth. There are several major market gaps in the provision of finance, as the innovations required to achieve policy goals are proving too risky, typically, for the market to bear and therefore the wider benefits to society are not fully captured.A facility for debt ('Debt facility') and a facility for equity ('Equity facility') will help overcome such problems by improving the financing and risk profiles of the R&I activities concerned. This, in turn, will ease access by firms and other beneficiaries to loans, guarantees and other forms of risk finance; promote early-stage investment and the development of existing and new venture capital funds; improve knowledge transfer and the market in intellectual property; attract funds to the venture capital market; and, overall, help catalyse the passage from the conception, development and demonstration of new products and services to their commercialisation.The overall effect will be to increase the willingness of the private sector to invest in R&I and hence contribute to reaching a key Europe 2020 target: 3 % of Union GDP invested in R&D by the end of the decade with two-thirds contributed by the private sector. The use of financial instruments will also help achieve the R&I objectives of all sectors and policy areas crucial for tackling the societal challenges, for enhancing competitiveness, and for supporting sustainable, inclusive growth and the provision of environmental and other public goods.

Rationale and Union added value

A Union-level Debt facility for R&I is needed to increase the likelihood that loans and guarantees are made and R&I policy objectives achieved. The current gap in the market between the demand for and supply of loans and guarantees for risky R&I investments, addressed by the current Risk-Sharing Finance Facility (RSFF), is likely to persist, with commercial banks remaining largely absent from higher-risk lending. Demand for RSFF loan finance has been high since the launch of the facility in mid-2007: in its first phase (2007-2010), its take-up exceeded initial expectations by more than 50 % in terms of active loan approvals (EUR 7,6 billion versus a forecast EUR 5 billion).Furthermore, banks typically lack the ability to value knowledge assets, such as intellectual property, and therefore are often unwilling to invest in knowledge-based companies. The consequence is that many established innovative companies – both large and small – cannot obtain loans for higher-risk R&I activities. In the design and implementation of its facilit(y)(ies), which will be carried out in partnership with one or several entrusted entities in compliance with Regulation (EU, Euratom) No 966/2012, the Commission will ensure that appropriate levels and forms of technological and financial risks will be taken into account, in order to meet the identified needs.These market gaps stem, at root, from uncertainties, information asymmetries and the high costs of attempting to address these issues: recently established firms have too short a track record to satisfy potential lenders, even established firms often cannot provide enough information, and at the start of an R&I investment it is not at all certain whether the efforts undertaken will actually result in a successful innovation.Additionally, enterprises at the concept development stage or working in emerging areas typically lack sufficient collateral. Another disincentive is that even if R&I activities give rise to a commercial product or process, it is not at all certain that the company that has made the effort will be able to exclusively appropriate the benefits deriving from it.In terms of Union added value, the Debt facility will help remedy market deficiencies that prevent the private sector from investing in R&I at an optimum level. Its implementation will enable the pooling of a critical mass of resources from the Union budget and, on a risk-sharing basis, from the financial institution(s) entrusted with its implementation. It will stimulate firms to invest more of their own money in R&I than they would otherwise have done. In addition, the Debt facility will help organisations, both public and private, to reduce the risks of undertaking the pre-commercial procurement or procurement of innovative products and services.A Union-level Equity facility for R&I is needed to help improve the availability of equity finance for early and growth-stage investments and to boost the development of the Union venture capital market. During the technology transfer and start-up phase, new companies face a 'valley of death' where public research grants stop and it is not possible to attract private finance. Public support aiming to leverage private seed and start-up funds to fill this gap is currently too fragmented and intermittent, or its management lacks the necessary expertise. Furthermore, most venture capital funds in Europe are too small to support the continued growth of innovative companies and do not have the critical mass to specialise and operate transnationally.The consequences are serious. Before the financial crisis, the amount invested in SMEs by European venture capital funds was about EUR 7 billion a year, while figures for 2009 and 2010 were within the EUR 3-4 billion range. Reduced funding for venture capital has affected the number of start-ups targeted by venture capital funds: in 2007, some 3 000 SMEs received venture capital funding, compared to only around 2 500 in 2010.In terms of Union added value, the Equity facility for R&I will complement national and regional schemes that cannot cater for cross-border investments in R&I. The early-stage deals will also have a demonstration effect that can benefit public and private investors across Europe. For the growth phase, only at European level is it possible to achieve the necessary scale and the strong participation of private investors that are essential to the functioning of a self-sustaining venture capital market.The Debt and Equity facilities, supported by a set of accompanying measures, will support the achievement of Horizon 2020 policy objectives. To this end, they will be dedicated to consolidating and raising the quality of Europe's science base; promoting research and innovation with a business-driven agenda; and addressing societal challenges, with a focus on activities such as piloting, demonstration, test-beds and market uptake. Specific support actions such as information and coaching activities for SMEs should be provided. Regional authorities, SMEs associations, chambers of commerce and relevant financial intermediaries may be consulted, where appropriate, in relation to the programming and implementation of these activities.In addition, they will help tackle the R&I objectives of other programmes and policy areas, such as the Common Agricultural Policy, climate action (transition to a low-carbon economy and adaptation to climate change), and the Common Fisheries Policy. Complementarities with national and regional financial instruments will be developed in the context of the Common Strategic Framework for Cohesion Policy 2014-2020, where an increased role for financial instruments is foreseen.The design of the Debt and Equity facilities takes account of the need to address the specific market deficiencies, and the characteristics (such as degree of dynamism and rate of company creation) and financing requirements of these and other areas without creating market distortions. The use of financial instruments must have a clear European added value and should provide leverage and function as a complement to national instruments. Budgetary allocations between the instruments may be adapted during the course of Horizon 2020 in response to changing economic conditions.The Equity facility and the SME window of the Debt facility will be implemented as part of two Union financial instruments that provide equity and debt to support SMEs' R&I and growth, in conjunction with the equity and debt facilities under COSME. Complementarity between Horizon 2020 and COSME will be ensured.

Broad lines of the activities

(a) The Debt facility providing debt finance for R&I: 'Union loan and guarantee service for research and innovation'

The goal is to improve access to debt financing – loans, guarantees, counter-guarantees and other forms of debt and risk finance – for public and private entities and public-private partnerships engaged in research and innovation activities requiring risky investments in order to come to fruition. The focus shall be on supporting research and innovation with a high potential for excellence.Given that one of the objectives of Horizon 2020 is to contribute to narrowing the gap between R&D and innovation, helping to bring new or improved products and services to the market, and taking into account the critical role that the proof-of-concept stage plays in the knowledge transfer process, mechanisms may be introduced enabling financing for the proof-of-concept stages that are necessary in order to validate the importance, relevance and future innovatory impact of the research results or invention involved in the transfer.The target final beneficiaries shall potentially be legal entities of all sizes that can borrow and repay money and, in particular, SMEs with the potential to carry out innovation and grow rapidly; mid-caps and large firms; universities and research institutions; research infrastructures and innovation infrastructures; public-private partnerships; and special-purpose vehicles or projects.The funding of the Debt facility shall have two main components:(1)Demand-driven, providing loans and guarantees on a first-come, first-served basis, with specific support for beneficiaries such as SMEs and mid-caps. This component shall respond to the steady and continuing growth seen in the volume of RSFF lending, which is demand-led. Under the SME window, activities shall be supported that aim to improve access to finance for SMEs and other entities that are R&D- and/or innovation-driven. This could include support at phase 3 of the SME instrument, subject to the level of demand.(2)Targeted, focusing on policies and key sectors crucial for tackling societal challenges, enhancing industrial leadership and competitiveness, supporting sustainable, low-carbon, inclusive growth, and providing environmental and other public goods. This component shall help the Union address research and innovation aspects of sectoral policy objectives.

(b) The Equity facility providing equity finance for R&I: 'Union equity instruments for research and innovation'

The goal is to contribute to overcoming the deficiencies of the European venture capital market and provide equity and quasi-equity to cover the development and financing needs of innovating enterprises from the seed stage through to growth and expansion. The focus shall be on supporting the objectives of Horizon 2020 and related policies.The target final beneficiaries shall be potentially enterprises of all sizes undertaking or embarking on innovation activities, with a particular focus on innovative SMEs and mid-caps.The Equity facility will focus on early-stage venture capital funds and funds-of-funds providing venture capital and quasi-equity (including mezzanine capital) to individual portfolio enterprises. The facility will also have the possibility to make expansion and growth-stage investments in conjunction with the Equity Facility for Growth under COSME, to ensure a continuum of support during the start-up and development of companies.The Equity facility, which will be primarily demand-driven, shall use a portfolio approach, where venture capital funds and other comparable intermediaries select the firms to be invested in.Earmarking may be applied to help achieve particular policy goals, building on the positive experience in the Competitiveness and Innovation Framework Programme (2007 to 2013) with earmarking for eco-innovation, for example for achieving goals related to the identified societal challenges.The start-up window, supporting the seed and early stages, shall enable equity investments in, amongst others, knowledge-transfer organisations and similar bodies through support to technology transfer (including the transfer of research results and inventions stemming from the sphere of public research to the productive sector, for example through proof-of-concept), seed capital funds, cross-border seed and early-stage funds, business angel co-investment vehicles, intellectual property assets, platforms for the exchange and trading of intellectual property rights, and early-stage venture capital funds and funds-of-funds operating across borders and investing in venture capital funds. This could include support at phase 3 of the SME instrument, subject to the level of demand.The growth window shall make expansion and growth-stage investments in conjunction with the Equity Facility for Growth under COSME, including investments in private and public sector funds-of-funds operating across borders and investing in venture capital funds, most of which will have a thematic focus that supports the goals of the Europe 2020 strategy. ";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:36";"664217" +"H2020-EU.2.1.2.3.";"en";"H2020-EU.2.1.2.3.";"";"";"Developing the societal dimension of nanotechnology";"Societal dimension of nanotechnology";"

Developing the societal dimension of nanotechnology

Focusing on governance of nanotechnology for societal and environmental benefit.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:05";"664167" +"H2020-EU.3.1.7.5.";"en";"H2020-EU.3.1.7.5.";"";"";"Neurodegenerative diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:46";"665359" +"H2020-EU.2.1.3.1.";"en";"H2020-EU.2.1.3.1.";"";"";"Cross-cutting and enabling materials technologies";"Cross-cutting and enabling materials technologies";"

Cross-cutting and enabling materials technologies

Research on materials by design, functional materials, multifunctional materials with higher knowledge content, new functionalities and improved performance, and structural materials for innovation in all industrial sectors, including the creative industries.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:19";"664175" +"H2020-EU.3.1.7.7.";"en";"H2020-EU.3.1.7.7.";"";"";"Respiratory diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:53";"665363" +"H2020-EU.3.4.3.3.";"en";"H2020-EU.3.4.3.3.";"";"";"Advanced production processes";"";"";"";"H2020";"H2020-EU.3.4.3.";"";"";"2014-09-22 20:47:50";"664383" +"H2020-EU.3.3.3.2.";"en";"H2020-EU.3.3.3.2.";"";"";"Reducing time to market for hydrogen and fuel cells technologies";"";"";"";"H2020";"H2020-EU.3.3.3.";"";"";"2014-09-22 20:46:38";"664345" +"H2020-EU.3.4.1.2.";"en";"H2020-EU.3.4.1.2.";"";"";"Developing smart equipment, infrastructures and services";"";"";"";"H2020";"H2020-EU.3.4.1.";"";"";"2014-09-22 20:47:13";"664363" +"H2020-EU.3.3.2.1.";"en";"H2020-EU.3.3.2.1.";"";"";"Develop the full potential of wind energy";"";"";"";"H2020";"H2020-EU.3.3.2.";"";"";"2014-09-22 20:46:16";"664333" +"H2020-EU.5.h.";"en";"H2020-EU.5.h.";"";"";"Improving knowledge on science communication in order to improve the quality and effectiveness of interactions between scientists, general media and the public";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:51:48";"664509" +"H2020-EU.3.4.3.2.";"en";"H2020-EU.3.4.3.2.";"";"";"On board, smart control systems";"";"";"";"H2020";"H2020-EU.3.4.3.";"";"";"2014-09-22 20:47:46";"664381" +"H2020-EU.3.4.2.2.";"en";"H2020-EU.3.4.2.2.";"";"";"Substantial improvements in the mobility of people and freight";"";"";"";"H2020";"H2020-EU.3.4.2.";"";"";"2014-09-22 20:47:27";"664371" +"H2020-EU.3.5.6.1.";"en";"H2020-EU.3.5.6.1.";"";"";"Identifying resilience levels via observations, monitoring and modelling";"";"";"";"H2020";"H2020-EU.3.5.6.";"";"";"2014-09-22 20:49:20";"664431" +"H2020-EU.3.5.3.4.";"en";"H2020-EU.3.5.3.4.";"";"";"Improve societal awareness and skills on raw materials";"";"";"";"H2020";"H2020-EU.3.5.3.";"";"";"2014-09-22 20:48:51";"664415" +"H2020-EU.2.1.4.2.";"en";"H2020-EU.2.1.4.2.";"";"";"Bio-technology based industrial products and processes";"Bio-technology based industrial products and processes";"

Biotechnology-based industrial products and processes

Developing industrial biotechnology and industrial scale bio-process design for competitive industrial products and sustainable processes (e.g. chemical, health, mining, energy, pulp and paper, fibre-based products and wood, textile, starch, food processing) and its environmental and health dimensions, including clean-up operations.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:52";"664193" +"H2020-EU.2.1.3.6.";"en";"H2020-EU.2.1.3.6.";"";"";"Metrology, characterisation, standardisation and quality control";"Metrology, characterisation, standardisation and quality control";"

Metrology, characterisation, standardisation and quality control

Promoting technologies such as characterisation, non-destructive evaluation, continuous assessing and monitoring and predictive modelling of performance for progress and impact in materials science and engineering";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:37";"664185" +"H2020-EU.3.5.2.";"en";"H2020-EU.3.5.2.";"";"";"Protection of the environment, sustainable management of natural resources, water, biodiversity and ecosystems";"Protection of the environment";"

Protecting the environment, sustainably managing natural resources, water, biodiversity and ecosystems

The aim is to provide knowledge and tools for the management and protection of natural resources, in order to achieve a sustainable balance between limited resources and the present and future needs of society and the economy. Activities shall focus on furthering our understanding of biodiversity and the functioning of ecosystems, their interactions with social systems and their role in sustaining the economy and human well-being; developing integrated approaches to address water-related challenges and the transition to sustainable management and use of water resources and services; and providing knowledge and tools for effective decision making and public engagement.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:48:20";"664399" +"H2020-EU.3.1.2.2.";"en";"H2020-EU.3.1.2.2.";"";"";"Improving diagnosis and prognosis";"";"";"";"H2020";"H2020-EU.3.1.2.";"";"";"2014-09-22 20:43:38";"664251" +"H2020-EU.3.1.7.6.";"en";"H2020-EU.3.1.7.6.";"";"";"Psychiatric diseases";"";"";"";"H2020";"H2020-EU.3.1.7.";"";"";"2014-09-22 21:40:49";"665361" +"H2020-Euratom-1.4.";"en";"H2020-Euratom-1.4.";"";"";"Foster radiation protection";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:18";"664525" +"H2020-Euratom-1.6.";"en";"H2020-Euratom-1.6.";"";"";"Lay the foundations for future fusion power plants by developing materials, technologies and conceptual design";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:25";"664529" +"H2020-EU.3.5.6.2.";"en";"H2020-EU.3.5.6.2.";"";"";"Providing for a better understanding on how communities perceive and respond to climate change and seismic and volcanic hazards";"";"";"";"H2020";"H2020-EU.3.5.6.";"";"";"2014-09-22 20:49:24";"664433" +"H2020-EU.2.1.4.3.";"en";"H2020-EU.2.1.4.3.";"";"";"Innovative and competitive platform technologies";"Innovative and competitive platform technologies";"

Innovative and competitive platform technologies

Development of platform technologies (e.g. genomics, meta-genomics, proteomics, metabolomics, molecular tools, expression systems, phenotyping platforms and cell-based platforms) to enhance leadership and competitive advantage in a wide number of sectors that have economic impacts.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:55";"664195" +"H2020-EU.1.4.3.1.";"en";"H2020-EU.1.4.3.1.";"";"";"Reinforcing European policy for research infrastructures";"";"";"";"H2020";"H2020-EU.1.4.3.";"";"";"2014-09-22 20:40:15";"664139" +"H2020-EU.3.5.4.2.";"en";"H2020-EU.3.5.4.2.";"";"";"Support innovative policies and societal changes";"";"";"";"H2020";"H2020-EU.3.5.4.";"";"";"2014-09-22 20:49:02";"664421" +"H2020-EU.2.1.3.4.";"en";"H2020-EU.2.1.3.4.";"";"";"Materials for a sustainable, resource-efficient and low-emission industry";"Materials for a resource-efficient and low-emission industry";"

Materials for a sustainable, resource-efficient and low emission industry

Developing new products and applications, business models and responsible consumer behaviour that reduce energy demand and facilitate low-carbon production.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:30";"664181" +"H2020-EU.3.2.4.3.";"en";"H2020-EU.3.2.4.3.";"";"";"Supporting market development for bio-based products and processes";"";"";"";"H2020";"H2020-EU.3.2.4.";"";"";"2014-09-22 20:45:36";"664313" +"H2020";"en";"H2020";"";"";"H2020";"";"";"";"H2020";"";"";"";"2014-09-22 17:20:57";"664086" +"H2020-EU.3.2.5.1.";"en";"H2020-EU.3.2.5.1.";"";"";"Climate change impact on marine ecosystems and maritime economy";"";"";"";"H2020";"H2020-EU.3.2.5.";"";"";"2014-09-22 20:45:43";"664315" +"H2020-EU.3.5.6.";"it";"H2020-EU.3.5.6.";"";"";"Patrimonio culturale";"Cultural heritage";"

Patrimonio culturale

L'obiettivo è la ricerca sulle strategie, le metodologie e gli strumenti necessari per garantire un patrimonio culturale dinamico e sostenibile per l'Europa in risposta al cambiamento climatico. Il patrimonio culturale nelle sue varie forme fisiche offre il contesto per la vita di comunità resilienti che rispondono a cambiamenti multivariati. La ricerca nell'ambito del patrimonio culturale richiede un approccio pluridisciplinare per migliorare la comprensione del materiale storico. Le attività si concentrano sull'individuazione di livelli di resilienza mediante osservazioni, monitoraggio e modellazione e permettono una migliore comprensione del modo in cui le comunità percepiscono il cambiamento climatico e i rischi sismici e vulcanici e reagiscono a essi.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:17";"664429" +"H2020-EU.3.5.6.";"fr";"H2020-EU.3.5.6.";"";"";"Patrimoine culturel";"Cultural heritage";"

Patrimoine culturel

L'objectif est d'étudier les stratégies, les méthodologies et les outils nécessaires pour disposer d'un patrimoine culturel dynamique et durable en Europe face au changement climatique. Le patrimoine culturel sous ses diverses formes physiques constitue le cadre de vie de communautés résilientes qui réagissent aux changements multiples et variés. La recherche portant sur le patrimoine culturel nécessite une approche pluridisciplinaire pour améliorer la compréhension du matériel historique. Les activités viseront à déterminer les niveaux de résilience au moyen d'observations, d'une surveillance et d'une modélisation et à mieux comprendre la manière dont les communautés perçoivent le changement climatique, les risques sismiques et volcaniques, et la manière dont elles réagissent.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:17";"664429" +"H2020-EU.3.5.6.";"de";"H2020-EU.3.5.6.";"";"";"Kulturerbe";"Cultural heritage";"

Kulturerbe

Ziel sind Forschungsarbeiten zu den Strategien, Methoden und Instrumenten, die erforderlich sind, um als Reaktion auf den Klimawandel ein dynamisches und nachhaltiges Kulturerbe in Europa zu ermöglichen. Das Kulturerbe bildet in seinen unterschiedlichen Erscheinungsformen die Existenzgrundlage der heutigen widerstandsfähigen Gemeinschaften, die mit vielfältigen Veränderungen fertig werden können. Für die Forschung über das Kulturerbe ist ein multidisziplinäres Konzept erforderlich, damit das historische Material besser verstanden werden kann. Den Schwerpunkt der Tätigkeiten bildet die Ermittlung der unterschiedlichen Ausprägungen der Widerstandsfähigkeit mittels Beobachtung, systematischer Erfassung und Modellbildung sowie die Klärung der Zusammenhänge, wie Gemeinschaften den Klimawandel, Erdbeben und Vulkanausbrüche wahrnehmen und darauf reagieren.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:17";"664429" +"H2020-EU.3.5.6.";"pl";"H2020-EU.3.5.6.";"";"";"Dziedzictwo kulturowe";"Cultural heritage";"

Dziedzictwo kulturowe

Celem jest badanie strategii, metod i narzędzi niezbędnych do wykorzystania dynamicznego i zrównoważonego dziedzictwa kulturowego w Europie w odpowiedzi na zmianę klimatu. Dziedzictwo kulturowe w różnorodnych postaciach fizycznych stanowi środowisko, w jakim żyją odporne społeczności reagujące na wielorakie zmiany. Badania nad dziedzictwem kulturowym wymagają podejścia multidyscyplinarnego, sprzyjającego lepszemu zrozumieniu materiałów historycznych. Działania mają skupiać się na określeniu poziomów odporności w drodze obserwacji, monitorowania i tworzenia modeli, a także na umożliwieniu lepszego zrozumienia, jak społeczności postrzegają zmianę klimatu oraz zagrożenia sejsmiczno-wulkaniczne i jak na nie reagują. ";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:17";"664429" +"H2020-EU.2.1.6.4.";"pl";"H2020-EU.2.1.6.4.";"";"";"Umożliwienie prowadzenia europejskich badań naukowych wspierających międzynarodowe partnerstwa w dziedzinie przestrzeni kosmicznej";"Research in support of international space partnerships";"

Umożliwienie prowadzenia europejskich badań naukowych wspierających międzynarodowe partnerstwa w dziedzinie przestrzeni kosmicznej

Przedsięwzięcia kosmiczne mają zasadniczo globalny charakter. Jest to szczególnie wyraźne w przypadku takich operacji, jak orientacja sytuacyjna w przestrzeni kosmicznej oraz wiele kosmicznych misji naukowych i eksploracyjnych. Przełomowe technologie kosmiczne w coraz większym stopniu opracowywane są w ramach takich partnerstw międzynarodowych. Zapewnienie dostępu do nich stanowi ważny czynnik decydujący o powodzeniu europejskich naukowców i przemysłu. Kluczem do osiągnięcia tego celu jest określenie i wykonanie długoterminowych planów działań oraz koordynacja z partnerami międzynarodowymi.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:32";"664215" +"H2020-EU.3.5.6.";"es";"H2020-EU.3.5.6.";"";"";"Patrimonio cultural";"Cultural heritage";"

Patrimonio cultural

El objetivo es investigar las estrategias, metodologías e instrumentos necesarios para posibilitar un patrimonio cultural dinámico y sostenible en Europa en respuesta al cambio climático. El patrimonio cultural en sus diversas formas materiales constituye el contexto de vida de unas comunidades resilientes que respondan a cambios multivariables. La investigación en el ámbito del patrimonio cultural exige un planteamiento pluridisciplinar que mejore la comprensión del material histórico. Las actividades se centrarán en definir niveles de resistencia mediante observaciones, vigilancia y modelización, y en facilitar una mejor comprensión de la manera en que las comunidades perciben el cambio climático y los riesgos sísmicos y volcánicos y responden a ellos.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:17";"664429" +"H2020-EU.2.1.6.4.";"fr";"H2020-EU.2.1.6.4.";"";"";"Promouvoir la recherche européenne pour soutenir les partenariats internationaux dans le domaine spatial";"Research in support of international space partnerships";"

Promouvoir la recherche européenne pour soutenir les partenariats internationaux dans le domaine spatial

Les entreprises liées à l'espace ont un caractère fondamentalement mondial. C'est particulièrement manifeste dans le cas d'activités telles que le dispositif de surveillance de l'espace (SSA), ainsi que de nombreux projets scientifiques et d'exploration dans le domaine spatial. De plus en plus, le développement des technologies de pointe dans le secteur spatial a lieu dans le cadre de tels partenariats internationaux. Une participation à de tels partenariats constitue pour les chercheurs européens et les entreprises européennes un important facteur de succès. L'élaboration et la mise en œuvre de feuilles de route à long terme, ainsi que la coordination avec des partenaires au niveau international, sont autant de paramètres fondamentaux pour que cet objectif soit réalisé.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:32";"664215" +"H2020-EU.2.1.6.4.";"it";"H2020-EU.2.1.6.4.";"";"";"Promuovere la ricerca europea per sostenere partenariati internazionali nel settore dello spazio";"Research in support of international space partnerships";"

Promuovere la ricerca europea per sostenere partenariati internazionali nel settore dello spazio

Le imprese spaziali hanno una natura intrinsecamente globale. Questo è particolarmente evidente per attività quale il sistema di sorveglianza dell'ambiente spaziale (Space Situational Awareness, SSA) e molti progetti di scienze ed esplorazione spaziali. Lo sviluppo di una tecnologia spaziale di punta avviene sempre più nell'ambito di partenariati di tipo internazionale. Garantire l'accesso a queste iniziative rappresenta un importante fattore di successo per l'industria e i ricercatori europei. La definizione e l'attuazione di tabelle di marcia a lungo termine e il coordinamento con i partner internazionali sono fondamentali per il conseguimento di tale obiettivo.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:32";"664215" +"H2020-EU.2.1.6.4.";"de";"H2020-EU.2.1.6.4.";"";"";"Beitrag der europäischen Forschung zu internationalen Weltraumpartnerschaften";"Research in support of international space partnerships";"

Beitrag der europäischen Forschung zu internationalen Weltraumpartnerschaften

Weltraumunternehmungen haben einen grundlegend globalen Charakter Dies wird insbesondere bei Tätigkeiten wie der Weltraumlageerfassung und bei vielen Projekten der Weltraumwissenschaft und Weltraumerkundung deutlich. Die Entwicklung modernster Weltraumtechnologien findet zunehmend innerhalb solcher internationaler Partnerschaften statt. Für die europäische Forschung und Industrie wäre es ein wichtiger Erfolgsfaktor, sich den Zugang zu diesen Partnerschaften zu sichern. Die Festlegung und Umsetzung von langfristig angelegten Fahrplänen und die Abstimmung mit den Partnern auf internationaler Ebene sind wesentlich für die Verwirklichung dieses Ziels.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:32";"664215" +"H2020-EU.2.1.6.4.";"es";"H2020-EU.2.1.6.4.";"";"";"Favorecer la investigación europea de apoyo a las asociaciones espaciales internacionales";"Research in support of international space partnerships";"

Favorecer la investigación europea de apoyo a las asociaciones espaciales internacionales

La empresa del espacio tiene un carácter fundamentalmente planetario. Esto es especialmente obvio en el caso de actividades como el Conocimiento del Medio Espacial y muchos proyectos de ciencia y exploración del espacio. El desarrollo de una tecnología espacial de vanguardia se está produciendo cada vez en mayor medida dentro de estas asociaciones internacionales. Garantizar el acceso a ellas constituye un factor de éxito importante para los investigadores y la industria europeos. La definición y utilización de hojas de ruta a largo plazo y la coordinación con los socios internacionales resultan fundamentales para este objetivo.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:32";"664215" +"H2020-EU.3.2.2.1.";"en";"H2020-EU.3.2.2.1.";"";"";"Informed consumer choices";"";"";"";"H2020";"H2020-EU.3.2.2.";"";"";"2014-09-22 20:45:00";"664295" +"H2020-EU.3.4.6.1.";"en";"H2020-EU.3.4.6.1.";"";"";"Reduce the production cost of fuel cell systems to be used in transport applications, while increasing their lifetime to levels which can compete with conventional technologies";"";"";"";"H2020";"H2020-EU.3.4.6.";"";"";"2014-09-22 21:40:18";"665343" +"H2020-EU.3.4.8.6.";"en";"H2020-EU.3.4.8.6.";"";"";"Cross-cutting themes and activities (CCA)";"";"";"";"H2020";"H2020-EU.3.4.8.";"";"";"2016-10-19 15:23:03";"700201" +"H2020-EU.3.5.6.";"en";"H2020-EU.3.5.6.";"";"";"Cultural heritage";"Cultural heritage";"

Cultural heritage

The aim is to research into the strategies, methodologies and tools needed to enable a dynamic and sustainable cultural heritage in Europe in response to climate change. Cultural heritage in its diverse physical forms provides the living context for resilient communities responding to multivariate changes. Research in cultural heritage requires a multidisciplinary approach to improve the understanding of historical material. Activities shall focus on identifying resilience levels through observations, monitoring and modelling as well as provide for a better understanding on how communities perceive and respond to climate change and seismic and volcanic hazards.";"";"H2020";"H2020-EU.3.5.";"";"";"2014-09-22 20:49:17";"664429" +"H2020-EU.5.c.";"en";"H2020-EU.5.c.";"";"";"Integrate society in science and innovation issues, policies and activities in order to integrate citizens' interests and values and to increase the quality, relevance, social acceptability and sustainability of research and innovation outcomes in various fields of activity from social innovation to areas such as biotechnology and nanotechnology";"";"";"";"H2020";"H2020-EU.5.";"";"";"2015-01-23 18:42:15";"664501" +"H2020-EU.3.3.4.";"fr";"H2020-EU.3.3.4.";"";"";"Un réseau électrique européen unique et intelligent";"A single, smart European electricity grid";"

Un réseau électrique européen unique et intelligent

Les activités se concentrent sur la recherche, le développement et la démonstration en grandeur réelle de nouvelles technologies de réseau énergétique intelligent, de technologies d'appoint et de compensation permettant une plus grande souplesse et une plus grande efficacité, notamment des centrales électriques classiques, de systèmes souples de stockage de l'énergie et des modèles de marché devant permettre de planifier, surveiller, contrôler et exploiter en toute sécurité des réseaux interopérables, y compris en ce qui concerne les questions de normalisation, sur un marché ouvert, compétitif, décarboné, respectueux de l'environnement et capable de s'adapter au changement climatique, aussi bien dans des conditions normales qu'en situation d'urgence.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:45";"664349" +"H2020-EU.3.3.4.";"es";"H2020-EU.3.3.4.";"";"";"Una red eléctrica europea única e inteligente";"A single, smart European electricity grid";"

Una red eléctrica europea única e inteligente

Las actividades se centrarán en la investigación, desarrollo y demostración a escala real de nuevas tecnologías de red energética inteligente, de tecnologías de apoyo y de compensación que permiten una mayor flexibilidad y eficiencia, incluidas las centrales eléctricas tradicionales el almacenamiento flexible de energía, los sistemas y los diseños de mercado para planificar, supervisar, controlar y explotar con seguridad las redes interoperables incluidos aspectos de normalización, en un mercado abierto, descarbonizado, medioambientalmente sostenible y resistente al cambio climático y competitivo, en condiciones normales y de emergencia.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:45";"664349" +"H2020-EU.3.3.4.";"de";"H2020-EU.3.3.4.";"";"";"Ein intelligentes europäisches Stromverbundnetz ";"A single, smart European electricity grid";"

Ein intelligentes europäisches Stromverbundnetz

Schwerpunkt der Tätigkeiten sind Forschung, Entwicklung und vollmaßstäbliche Demonstration mit Blick auf intelligente neue Energienetztechnologien, Reserve- und Ausgleichstechnologien für mehr Flexibilität und Effizienz, einschließlich konventioneller Kraftwerke, flexible Energiespeicherung, Systeme und Marktkonzepte für die Planung, Überwachung, Kontrolle und den sicheren Betrieb interoperabler Netze unter normalen Bedingungen und im Notfall – unter Einbeziehung von Normungsaspekten – auf einem offenen, ökologisch nachhaltigen und wettbewerbsfähigen Markt mit niedrigen CO2-Emissionen, der gegen den Klimawandel gewappnet ist.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:45";"664349" +"H2020-EU.3.3.4.";"it";"H2020-EU.3.3.4.";"";"";"Un'unica rete elettrica europea intelligente";"A single, smart European electricity grid";"

Un'unica rete elettrica europea intelligente

Le attività si concentrano sulla ricerca, lo sviluppo e la dimostrazione su scala reale di nuove tecnologie energetiche intelligenti di rete, tecnologie di bilanciamento e back-up che consentano una maggiore flessibilità ed efficienza, tra cui centrali tradizionali, stoccaggio flessibile dell'energia, sistemi e configurazioni di mercato per pianificare, monitorare, controllare e gestire in condizioni di sicurezza le reti interoperabili, comprese le questioni relative alla regolamentazione, in un mercato aperto, decarbonizzato, sostenibile sul piano ambientale, competitivo e resiliente al profilo climatico, in condizioni normali e di emergenza.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:45";"664349" +"H2020-EU.3.3.4.";"pl";"H2020-EU.3.3.4.";"";"";"Jednolita inteligentna europejska sieć elektroenergetyczna";"A single, smart European electricity grid";"

Jednolita inteligentna europejska sieć elektroenergetyczna

Działania mają skupiać się na badaniach, rozwoju i pełnoskalowej demonstracji nowych technologii inteligentnych sieci energetycznych, technologii zabezpieczania i równoważenia umożliwiających większą elastyczność i efektywność, takich jak m.in. konwencjonalne elektrownie, elastyczne magazynowanie energii, systemy i mechanizmy rynkowe służące planowaniu, monitorowaniu, kontrolowaniu i bezpiecznej eksploatacji interoperacyjnych sieci – wraz z kwestiami dotyczącymi normalizacji – w otwartym, niskoemisyjnym, zrównoważonym z punktu widzenia środowiska, odpornym na zmianę klimatu i konkurencyjnym rynku, w normalnych i nadzwyczajnych warunkach.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:45";"664349" +"H2020-EU.3.5.";"es";"H2020-EU.3.5.";"";"";"RETOS DE LA SOCIEDAD - Acción por el clima, medio ambiente, eficiencia de los recursos y materias primas";"Climate and environment";"

RETOS DE LA SOCIEDAD - Acción por el clima, medio ambiente, eficiencia de los recursos y materias primas

Objetivo específico

El objetivo específico es lograr una economía y una sociedad más eficientes en el uso de los recursos -y del agua- y resistentes al cambio climático, la protección y gestión sostenible de los recursos y ecosistemas naturales y un abastecimiento y uso sostenible de materias primas, a fin de satisfacer las necesidades de una población mundial cada vez mayor dentro de los límites sostenibles de los recursos naturales y ecosistemas del planeta. Las actividades contribuirán a incrementar la competitividad de Europa, la seguridad del abastecimiento de materias primas y a mejorar el bienestar, al tiempo que garantizan la integridad del medio ambiente, la resistencia y la sostenibilidad con el objetivo de mantener el calentamiento mundial medio por debajo de 2 °C y permitir a los ecosistemas y a la sociedad adaptarse al cambio climático y otros cambios medioambientales.Durante el siglo XX, el mundo decuplicó tanto su uso de los combustibles fósiles como la extracción de recursos materiales. Esta era de recursos aparentemente abundantes y baratos está llegando a su fin. Las materias primas, el agua, el aire, la biodiversidad y los ecosistemas terrestres, acuáticos y marinos se ven sometidos a una gran presión. Muchos de los principales ecosistemas del mundo están degradados, utilizándose de forma insostenible hasta el 60 % de los servicios que prestan. En la Unión, se utilizan unas 16 toneladas de materiales por persona y año, 6 de las cuales se convierten en residuos, la mitad de los cuales acaba en vertederos. La demanda mundial de recursos sigue incrementándose al aumentar la población y sus aspiraciones, en particular las de la clase media en las economías emergentes. Es preciso disociar absolutamente el crecimiento económico del uso de recursos.La temperatura media de la superficie de la Tierra aumentó en 0,8 °C, aproximadamente, en los últimos 100 años, y se prevé que aumente entre 1,8 y 4 °C para finales del siglo XXI (con respecto a la media 1980-1999). Los impactos probables sobre los sistemas naturales y humanos asociados a estos cambios plantean un reto al planeta y a su capacidad de adaptación, aparte de poner en peligro el futuro desarrollo económico y el bienestar de la humanidad.Las crecientes repercusiones del cambio climático y de los problemas ambientales, como la acidificación de los océanos, los cambios en la circulación oceánica, el incremento de la temperatura de las aguas marinas, la fusión del hielo en el Ártico y la reducción de la salinidad de las aguas marinas, la degradación y el uso del suelo, la escasez de agua, las anomalías hidrológicas, la heterogeneidad espacial y temporal de las precipitaciones, los cambios en la distribución espacial de las especies, la contaminación química, la sobreexplotación de recursos y la pérdida de biodiversidad, indican que el planeta se está acercando a los límites de su sostenibilidad. Por ejemplo, sin mejoras de la eficiencia en todos los sectores, inclusive mediante sistemas hidrológicos innovadores, se prevé que la demanda de agua exceda de la oferta en un 40 % de aquí a veinte años, lo que llevará a severas limitaciones y escasez de agua. Los bosques están desapareciendo al alarmante ritmo de 5 millones de hectáreas al año. Las interacciones entre los recursos pueden provocar riesgos sistémicos, si el agotamiento de un recurso genera un punto de inflexión irreversible para otros recursos y ecosistemas. Basándose en las tendencias actuales, para 2050 hará falta el equivalente de más de dos planetas Tierra para sostener la creciente población mundial.El abastecimiento sostenible y la gestión eficiente de las materias primas, incluyendo la exploración, extracción, transformación, reutilización, reciclado y sustitución, son esenciales para el funcionamiento de las sociedades modernas y sus economías. Sectores europeos como la construcción, las industrias química, automovilística, aeroespacial, de maquinaria y equipos, que aportan un valor añadido total de 1,3 billones de euros y dan empleo a aproximadamente 30 millones de personas, dependen enormemente del acceso a las materias primas. Sin embargo, el suministro de materias primas a la Unión está sometido a una presión creciente. Además, la Unión depende en gran medida de las importaciones de materias primas de importancia estratégica, que se ven afectadas por las distorsiones de mercado a un ritmo alarmante.Por otra parte, la Unión todavía cuenta con valiosos depósitos minerales, cuya exploración, extracción y transformación se ven limitadas por la falta de tecnologías adecuadas y una inadecuada gestión del ciclo del agua por la ausencia de inversiones y obstaculizadas por una competencia mundial cada vez mayor. Dada la importancia de las materias primas para la competitividad europea, la economía y su aplicación en productos innovadores, el suministro sostenible y la gestión eficiente de las materias primas constituye una prioridad vital para la Unión.La capacidad de la economía para adaptarse y hacerse más resistente al cambio climático y más eficiente en el uso de los recursos, al tiempo que sigue siendo competitiva, depende de unos niveles elevados de ecoinnovación, de carácter tanto social como económico, organizativo y tecnológico. Con un mercado mundial cuyo valor se aproxima a los mil millones de euros anuales y cuyo crecimiento está previsto se triplique para 2030, la ecoinnovación brinda una gran oportunidad para impulsar la competitividad y la creación de empleo en las economías europeas.

Justificación y valor añadido de la Unión

Para satisfacer los objetivos de la Unión e internacionales en materia de emisiones y concentraciones de gases de efecto invernadero y encajar los impactos del cambio climático, es necesario una transición hacia una sociedad de baja emisión de carbono y desarrollar y desplegar tecnologías rentables y soluciones tecnológicas y no tecnológicas sostenibles, así como tomar medidas de mitigación y adaptación y entender mejor las respuestas sociales a estos retos. Los marcos políticos mundial y de la Unión deberán garantizar que los ecosistemas y la biodiversidad sean protegidos, valorados y restaurados adecuadamente a fin de preservar su capacidad para proporcionar recursos y servicios en el futuro. Deben abordarse los retos que plantea la escasez de agua en los medios rurales, urbanos e industriales con el fin de promover sistemas hidrológicos innovadores y la eficiencia en la utilización de recursos, así como proteger los ecosistemas acuáticos. La investigación y la innovación pueden ayudar a garantizar un acceso a las materias primas en tierra y en el fondo marino y una explotación fiables y sostenibles y garantizar una reducción significativa del uso y el derroche de recursos.El propósito de las acciones de la Unión será, por tanto, el apoyo a los objetivos y políticas clave de la Unión que cubran el ciclo completo de innovación y los elementos del triángulo del conocimiento, incluidos: la Estrategia Europa 2020; las iniciativas emblemáticas ""Unión por la innovación"", ""Una política industrial para la era de la mundialización"", ""Agenda digital para Europa"" y ""Una Europa que utilice eficazmente los recursos"" y la correspondiente hoja de ruta; la Hoja de ruta hacia una economía hipocarbónica competitiva en 2050; ""Adaptación al cambio climático: Hacia un marco europeo de actuación""; Iniciativa sobre Materias Primas; Estrategia de la Unión a favor del desarrollo sostenible; Política marítima integrada para la Unión; Directiva marco sobre la estrategia marina; la Directiva marco sobre el agua y sus directivas derivadas; la Directiva sobre riesgos de inundación; el Plan de acción para la innovación ecológica; y Agenda Digital para Europa y el Programa General de Medio Ambiente de la Unión hasta 2020. Estas acciones, en su caso, servirán de interfaz con las Cooperaciones de Innovación Europea y las Iniciativas de Programación Conjunta. Asimismo reforzarán la capacidad de resistencia de la sociedad ante el cambio climático y ambiental y garantizarán la disponibilidad de materias primas.Dados el carácter transnacional y la naturaleza mundial del clima y del medio ambiente, su escala y complejidad, y la dimensión internacional de la cadena de suministro de materias primas, las actividades han de llevarse a cabo a nivel de la Unión y fuera de ella. El carácter multidisciplinario de la investigación necesaria exige agrupar los conocimientos y recursos complementarios para afrontar eficazmente este reto de manera sostenible. Para reducir el uso de recursos y el impacto ambiental, aumentando al mismo tiempo la competitividad, se requerirá una transición social y tecnológica decisiva hacia una economía basada en una relación sostenible entre la naturaleza y el bienestar humano. Las actividades coordinadas de investigación e innovación mejorarán la comprensión y previsión del cambio climático y ambiental en una perspectiva intersectorial y sistémica, reducirán las incertidumbres, detectarán y evaluarán los puntos vulnerables, riesgos, costes y oportunidades, y ampliarán y mejorarán la eficacia de las soluciones y respuestas sociales y políticas. Las acciones estarán encaminadas asimismo a mejorar la disponibilidad y difusión de la investigación y la innovación para apoyar la elaboración de políticas y capacitar a las partes interesadas de todos los niveles de la sociedad a participar activamente en este proceso.Abordar el uso sostenible y la disponibilidad de materias primas exige la coordinación de los esfuerzos de investigación e innovación en numerosas disciplinas y sectores para contribuir a conseguir soluciones seguras, económicamente viables, ambientalmente racionales y socialmente aceptables a lo largo de toda la cadena de valor (exploración, extracción, diseño, transformación, reutilización, reciclado y sustitución). La innovación en esos campos ofrecerá oportunidades para el crecimiento y el empleo, así como opciones innovadoras que pongan en juego la ciencia, la tecnología, la economía, la sociedad, la política y la gobernanza. Por estas razones se han emprendido las denominadas cooperaciones de Innovación Europea sobre las materias primas y sobre el agua.La ecoinnovación responsable puede proporcionar nuevas y valiosas oportunidades de crecimiento y empleo. Las soluciones aportadas mediante acciones a nivel de la Unión contrarrestarán las amenazas principales para la competitividad industrial y permitirán una rápida absorción y reproducción en el mercado único y fuera de él. De este modo será posible una transición hacia una economía ""verde"" que tenga en cuenta el uso sostenible de los recursos. Entre los socios para este planteamiento figurarán: responsables políticos nacionales, europeos e internacionales; programas de investigación e innovación de los Estados miembros e internacionales; empresas e industrias europeas; Agencia Europea de Medio Ambiente y las agencias de medio ambiente nacionales; y otras partes interesadas pertinentes.Además de la cooperación bilateral y regional, las acciones a nivel de la Unión también respaldarán los esfuerzos e iniciativas internacionales pertinentes, incluido el Grupo Intergubernamental de Expertos sobre el Cambio Climático (IPCC), la Plataforma Intergubernamental sobre Diversidad Biológica y Servicios de los Ecosistemas (IPBES) y el Grupo de Observación de la Tierra (GEO).

Líneas generales de las actividades

(a) Lucha contra el cambio climático y adaptación al mismo

El objetivo es desarrollar y evaluar medidas y estrategias de adaptación y mitigación innovadoras, rentables y sostenibles, referidas tanto al CO2 como a otros gases de efecto invernadero y aerosoles, que propongan soluciones ""verdes"" tanto tecnológicas como no tecnológicas, mediante la generación de datos para actuar con prontitud, eficacia y conocimiento de causa y poner en red las competencias necesarias. Las actividades se centrarán en: mejorar la comprensión del cambio climático y los riesgos asociados con los fenómenos extremos y los cambios abruptos relacionados con el clima con el fin de proporcionar proyecciones climáticas fiables; evaluar los impactos a escala mundial, regional y local y puntos vulnerables y elaborar medidas rentables e innovadoras de adaptación, y de prevención y gestión del riesgo; respaldar las políticas y estrategias de mitigación, incluidos los estudios que se centran en el impacto de otras políticas sectoriales.

(b) Protección del medio ambiente, gestión sostenible de los recursos naturales, el agua, la biodiversidad y los ecosistemas

El objetivo es aportar conocimientos e instrumentos para una gestión y protección de los recursos naturales que consiga un equilibrio sostenible entre los recursos limitados y las necesidades actuales y futuras de la sociedad y la economía. Las actividades se centrarán en: desarrollar nuestra comprensión de la biodiversidad y del funcionamiento de los ecosistemas, sus interacciones con los sistemas sociales y su función en el mantenimiento de la economía y el bienestar humano; impulsar planteamientos integrados para abordar los retos relacionados con el agua y la transición a hacia una gestión y uso sostenibles de los recursos y servicios hídricos, y aportar conocimientos y herramientas para la toma de decisiones efectiva y el compromiso público.

(c) Garantía de un abastecimiento sostenible de materias primas no agrícolas y no energéticas

El objetivo es mejorar la base de conocimientos sobre las materias primas y buscar soluciones innovadoras para la exploración, extracción, tratamiento, utilización, reutilización, reciclado y recuperación de materias primas de forma rentable, eficiente en la utilización de recursos y respetuosa del medio ambiente, y para su sustitución por alternativas económicamente atractivas y ecológicamente sostenibles de menor impacto ambiental inclusive sistemas y procesos de circuito cerrado. Las actividades se centrarán en: mejorar la base de conocimientos sobre la disponibilidad de materias primas; promover el abastecimiento sostenible y eficiente, la utilización y reutilización de materias primas, incluidos los recursos minerales, de la tierra y del mar; encontrar alternativas a las materias primas críticas; y mejorar la concienciación social y la capacitación en el área de las materias primas.

(d) Posibilitar la transición hacia una economía y una sociedad ""verdes"" a través de la ecoinnovación

El objetivo es promover todas las formas de ecoinnovación que hagan posible la transición a una economía ecológica. Las actividades aprovecharán e impulsarán, entre otras, las emprendidas en el Programa de ecoinnovación y se centrarán en: reforzar las tecnologías, procesos, servicios y productos ecoinnovadores, incluida la exploración de modos de reducir las cantidades de materias primas en la producción y el consumo, y la superación de las barreras en este contexto, e impulsar su absorción por el mercado y su renovación, prestando especial atención a las PYME; apoyar los cambios sociales, los modelos económicos sostenibles y las políticas innovadoras; medir y evaluar los progresos hacia una economía ecológica; y fomentar la eficiencia en el mar de los recursos a través de sistemas digitales.

(e) Desarrollo de sistemas completos y duraderos de observación e información sobre el medio ambiente mundial

El objetivo es garantizar la disponibilidad de los datos y la información de largo plazo necesarios para afrontar este reto. Las actividades se centrarán en las capacidades, tecnologías e infraestructuras de datos en materia de observación y vigilancia de la Tierra, tanto a través de sensores a distancia como de mediciones sobre el terreno, que pueden ofrecer continuamente información exacta y puntual, sobre la que se puedan elaborar previsiones y proyecciones. Se fomentará un acceso libre, abierto y sin trabas a la información y los datos interoperables. Las actividades contribuirán a definir futuras actividades operativas del Programa Europeo de Vigilancia de la Tierra (Copernicus) y a impulsar el uso de los datos de Copernicus para las actividades de investigación.

(f) Patrimonio cultural

El objetivo es investigar las estrategias, metodologías e instrumentos necesarios para posibilitar un patrimonio cultural dinámico y sostenible en Europa en respuesta al cambio climático. El patrimonio cultural en sus diversas formas materiales constituye el contexto de vida de unas comunidades resilientes que respondan a cambios multivariables. La investigación en el ámbito del patrimonio cultural exige un planteamiento pluridisciplinar que mejore la comprensión del material histórico. Las actividades se centrarán en definir niveles de resistencia mediante observaciones, vigilancia y modelización, y en facilitar una mejor comprensión de la manera en que las comunidades perciben el cambio climático y los riesgos sísmicos y volcánicos y responden a ellos.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:48:01";"664389" +"H2020-EU.3.5.";"fr";"H2020-EU.3.5.";"";"";"DÉFIS DE SOCIÉTÉ - Action pour le climat, environnement, utilisation efficace des ressources et matières premières";"Climate and environment";"

DÉFIS DE SOCIÉTÉ - Action pour le climat, environnement, utilisation efficace des ressources et matières premières

Objectif spécifique

L'objectif spécifique est de parvenir à une économie et une société économes en ressources - et en eau - et résistantes vis-à-vis du changement climatique, à la protection et à la gestion durable des ressources naturelles et des écosystèmes ainsi qu'à un approvisionnement durable en matières premières et à une utilisation durable de celles-ci, afin de répondre aux besoins d'une population mondiale en expansion, dans les limites d'une exploitation durable des ressources naturelles et des écosystèmes de notre planète. Les activités contribueront à accroître la compétitivité européenne et la sécurité de l'approvisionnement en matières premières et à améliorer le bien-être, tout en assurant l'intégrité, la résilience et la viabilité environnementales, l'objectif étant de maintenir le réchauffement planétaire moyen au-dessous de 2° C et de permettre aux écosystèmes et à la société de s'adapter au changement climatique et à d'autres modifications environnementales.Au cours du XXe siècle, l'utilisation des combustibles fossiles et l'extraction des matières premières dans le monde ont été multipliées par dix. Cette ère où les ressources semblaient abondantes et bon marché touche à sa fin. Les matières premières, l'eau, l'air, la biodiversité et les écosystèmes terrestres, aquatiques et marins sont tous soumis à d'intenses pressions. Nombre des principaux écosystèmes de notre planète subissent des déprédations; jusqu'à 60 % des services qu'ils fournissent sont utilisés de manière non durable. Quelque 16 tonnes de matériaux sont utilisées par personne et par an au sein de l'Union, dont 6 tonnes sont gaspillées, la moitié étant mise en décharge. La demande mondiale de ressources continue de croître, parallèlement à l'augmentation de la population et à l'élévation des aspirations individuelles, notamment au sein des classes moyennes des économies émergentes. Il est nécessaire de découpler la croissance économique et l'utilisation des ressources.La température moyenne de la surface de la Terre a augmenté d'environ 0,8 degré au cours des cent dernières années et devrait augmenter de 1,8 à 4 degrés d'ici la fin du XXIe siècle (par rapport à la moyenne 1980-1999). Les impacts probables de ces changements sur les systèmes naturels et humains mettront au défi la planète et sa capacité d'adaptation et hypothéqueront le développement économique futur et le bien-être de l'humanité.Les effets de plus en plus marqués du changement climatique et des problèmes environnementaux, tels que l'acidification des océans, les modifications de la circulation océanique, l'augmentation de la température de l'eau de mer, la fonte des glaces en Arctique et la diminution de la salinité de l'eau de mer, la dégradation et l'utilisation des sols, la diminution de la fertilité des sols, les pénuries d'eau, les sécheresses et les inondations, les risques sismiques et volcaniques, les modifications dans la répartition géographique des espèces, les pollutions chimiques, la surexploitation des ressources et la perte de biodiversité, indiquent que la planète approche de ses limites de durabilité. Sans amélioration sur le plan de l'efficacité dans tous les secteurs, y compris par des systèmes innovants de gestion de l'eau, la demande en eau devrait ainsi dépasser l'offre de 40 % d'ici 20 ans, ce qui se traduira par d'intenses pressions sur les réserves en eau et de graves pénuries d'eau. Les forêts disparaissent à un taux alarmant de 5 millions d'hectares par an. Les interactions entre les ressources peuvent provoquer des risques systémiques, la pénurie d'une ressource amenant, de manière irréversible, d'autres ressources et écosystèmes à un point de basculement. Sur la base des tendances actuelles, l'équivalent de plus de deux planètes Terre sera nécessaire d'ici 2050 pour satisfaire les besoins d'une population mondiale en pleine croissance.L'approvisionnement durable en matières premières et leur gestion économe, y compris sur le plan de la prospection, de l'extraction, de la transformation, de la réutilisation, du recyclage et du remplacement, sont essentiels au fonctionnement des sociétés modernes et de leurs économies. Les secteurs européens de la construction, de l'industrie chimique, de la fabrication automobile, de l'aéronautique et des machines et équipements, qui représentent ensemble une valeur ajoutée de quelque 1 300 milliards d'euros et emploient environ 30 millions de personnes, dépendent fortement de l'accès aux matières premières. L'approvisionnement de l'Union en matières premières est cependant soumis à une pression croissante. L'Union dépend en outre fortement de l'importation de matières premières d'importance stratégique, qui sont affectées à un taux alarmant par les distorsions du marché.Elle conserve par ailleurs de précieux gisements minéraux, dont la prospection, l'extraction et la transformation sont limitées par l'absence de technologies appropriées, par une gestion inadéquate du cycle des déchets et par un manque d'investissements et sont entravées par l'augmentation de la concurrence mondiale. Étant donné l'importance des matières premières pour la compétitivité européenne, pour l'économie et pour la fabrication de produits innovants, l'approvisionnement durable en matières premières et la gestion économe de ces dernières constituent une priorité fondamentale pour l'Union.La capacité de l'économie à s'adapter, à mieux résister au changement climatique et à devenir plus économe en ressources tout en restant compétitive nécessite un degré élevé d'éco-innovation, sur le plan sociétal, économique, organisationnel et technologique. Le marché mondial de l'éco-innovation représente quelque 1 000 milliards d'EUR annuellement et devrait voir sa valeur tripler d'ici 2030. L'éco-innovation représente donc une excellente occasion de promouvoir la compétitivité et la création d'emplois dans les économies d'Europe.

Justification et valeur ajoutée de l'Union

La réalisation des objectifs européens et internationaux en matière d'émissions et de concentrations de gaz à effet de serre et l'adaptation aux effets du changement climatique nécessitent une transition vers une société faiblement émettrice de carbone, le développement et le déploiement de solutions technologiques et non technologiques durables et économiquement rentables, la mise en œuvre de mesures d'atténuation et d'adaptation et une meilleure compréhension des réponses de la société à ces défis. Les cadres politiques européen et mondial doivent garantir que les écosystèmes et la biodiversité soient protégés, valorisés et correctement restaurés afin de préserver leur capacité future de fournir des ressources et des services. Il convient de faire face aux enjeux de la gestion de l'eau dans les environnements ruraux, urbains et industriels afin de promouvoir l'innovation et l'utilisation efficace des ressources dans le cycle de l'eau et de protéger les écosystèmes aquatiques. La recherche et l'innovation peuvent contribuer à assurer un accès fiable et durable aux matières premières et leur exploitation fiable et durable sur terre et au fond des mers et à réduire sensiblement l'utilisation et le gaspillage des ressources.Les actions de l'Union mettent donc l'accent sur le soutien aux objectifs et aux politiques clés de l'Union portant sur l'ensemble du cycle d'innovation et les éléments du triangle de la connaissance, parmi lesquels la stratégie Europe 2020; les initiatives phares «Une Union de l'innovation», «Une politique industrielle à l'ère de la mondialisation», «Une stratégie numérique pour l'Europe», ainsi que «Une Europe efficace dans l'utilisation des ressources» et la feuille de route correspondante; la feuille de route vers une économie compétitive à faible intensité de carbone à l'horizon 2050; le livre blanc «Adaptation au changement climatique: vers un cadre d'action européen»; l'initiative «Matières premières»; la stratégie de l'Union en faveur du développement durable; Une politique maritime intégrée pour l'Union; la directive-cadre «Stratégie pour le milieu marin»; la directive-cadre sur l'eau et les directives fondées sur celle-ci; la directive sur les inondations; le plan d'action en faveur de l'éco-innovation; et le programme d'action général de l'Union pour l'environnement à l'horizon 2020. Ces actions sont coordonnées, s'il y a lieu, avec les partenariats d'innovation européens correspondants et les initiatives de programmation conjointe pertinentes. Ces actions visent à renforcer la capacité de la société à mieux résister au changement climatique et environnemental et à garantir la disponibilité des matières premières.Étant donné la nature transnationale et mondiale du climat et de l'environnement, la portée et la complexité de ces thématiques et la dimension internationale de la chaîne d'approvisionnement en matières premières, il convient d'agir au niveau de l'Union et à un niveau supérieur. Le caractère pluridisciplinaire de la recherche à entreprendre nécessite une mise en commun des connaissances et des ressources complémentaires pour pouvoir relever efficacement ce défi de manière durable. Pour réduire l'utilisation des ressources et limiter les impacts environnementaux tout en renforçant la compétitivité, il conviendra d'engager résolument une transition sociétale et technologique vers une économie fondée sur une relation durable entre la nature et le bien-être humain. Des activités de recherche et d'innovation coordonnées permettront de mieux comprendre et anticiper le changement climatique et environnemental dans une perspective systémique et transsectorielle, de réduire les incertitudes, de répertorier et d'évaluer les vulnérabilités, les risques, les coûts et les possibilités, ainsi que d'élargir la portée et d'améliorer l'efficacité des réponses et des solutions sociétales et politiques. Les actions auront également pour objet d'améliorer les résultats en matière de recherche et d'innovation et leur diffusion pour soutenir le processus de décision et de donner aux différents acteurs, à tous les niveaux de la société, les moyens de prendre une part active à ce processus.Assurer la disponibilité des matières premières nécessite de coordonner les activités de recherche et d'innovation entre de nombreuses disciplines et de nombreux secteurs, pour contribuer à l'élaboration de solutions sûres, économiquement viables, respectueuses de l'environnement et socialement acceptables à tous les niveaux de la chaîne de valeur (prospection, extraction, transformation, conception, utilisation et réutilisation durables, recyclage et remplacement). L'innovation dans ces domaines offrira des possibilités de croissance et d'emplois, ainsi que des solutions innovantes faisant appel à des éléments scientifiques, technologiques, économiques, sociétaux, politiques et de gestion. Des partenariats d'innovation européens concernant l'eau et les matières premières ont été lancés pour ces raisons.L'éco-innovation responsable peut fournir de nouvelles possibilités intéressantes sur le plan de la croissance et de l'emploi. Les solutions élaborées dans un cadre européen permettront de faire face aux principales menaces pesant sur la compétitivité industrielle et d'assurer une adoption et une première application commerciale rapides de ces innovations, au sein du marché unique et au-delà. Le passage à une économie verte prenant en considération l'utilisation durable des ressources pourra dès lors être réalisé. Seront notamment associés à cette approche les décideurs politiques internationaux, européens et nationaux; les programmes de recherche et d'innovation internationaux et ceux des États membres; les entreprises et l'industrie européennes; l'Agence européenne pour l'environnement et les agences nationales de l'environnement, ainsi que d'autres parties prenantes.Outre la coopération bilatérale et régionale, les actions menées au niveau de l'Union soutiendront les démarches et initiatives internationales pertinentes, dont le Groupe d'experts intergouvernemental sur l'évolution du climat (GIEC), la plateforme intergouvernementale sur la biodiversité et les services écosystémiques (IPBES) et le Groupe sur l'observation de la Terre (GEO).

Grandes lignes des activités

(a) Combattre le changement climatique et s'y adapter

L'objectif est de définir et d'étudier des mesures et des stratégies d'adaptation et d'atténuation qui soient à la fois novatrices, économiquement avantageuses et durables concernant les gaz à effet de serre (CO2 et autres) et les aérosols, et qui viennent appuyer des solutions écologiques, technologiques ou non, grâce à la production de données utiles à l'adoption, en connaissance de cause, de mesures précoces et efficaces et grâce à la mise en réseau des compétences requises. Les activités viseront essentiellement à améliorer la compréhension du phénomène du changement climatique et des risques associés aux évènements extrêmes et aux changements brutaux liés au climat afin de fournir des projections fiables en la matière; à évaluer les impacts au niveau mondial, régional et local, ainsi que les vulnérabilités; à élaborer des mesures d'adaptation, de prévention et de gestion des risques novatrices et présentant un bon rapport coût-efficacité; et à soutenir les politiques et stratégies d'atténuation, y compris les études qui portent sur l'impact des autres politiques sectorielles.

(b) Protéger l'environnement, gérer les ressources naturelles, l'eau, la biodiversité et les écosystèmes de manière durable

L'objectif est de fournir des connaissances et outils qui permettront de gérer et protéger les ressources naturelles afin d'instaurer un équilibre durable entre des ressources limitées et les besoins actuels et futurs de la société et de l'économie. Les activités viseront essentiellement à approfondir notre compréhension de la biodiversité et du fonctionnement des écosystèmes, de leurs interactions avec les systèmes sociaux et de leur rôle dans la prospérité économique et le bien-être humain, à mettre au point des approches intégrées pour traiter les problèmes liés à l'eau et la transition vers une gestion et une utilisation durables des ressources et des services dans le domaine de l'eau ainsi qu'à apporter les connaissances et les outils nécessaires à une prise de décision efficace et à une implication du public.

(c) Garantir un approvisionnement durable en matières premières non énergétiques et non agricoles

L'objectif est de consolider la base de connaissances sur les matières premières et de mettre au point des solutions innovantes pour assurer la prospection, l'extraction, la transformation, l'utilisation, la réutilisation, le recyclage et la récupération des matières premières à moindre coût, dans le cadre d'une utilisation efficace des ressources et dans le respect de l'environnement, et pour remplacer ces matières premières par d'autres produits intéressants du point de vue économique, respectant les principes du développement durable et moins néfastes pour l'environnement, y compris des processus et des systèmes en circuit fermé. Les activités visent avant tout à améliorer la base de connaissances sur la disponibilité des matières premières, à promouvoir l'approvisionnement durable et efficace en matières premières ainsi que l'utilisation et la réutilisation durables et efficaces de ces dernières, y compris les ressources minérales, sur terre et en mer, à trouver des matières de remplacement pour les matières premières les plus importantes et à accroître la prise de conscience de la société et les compétences en ce qui concerne les matières premières.

(d) Garantir la transition vers une économie et une société «vertes» grâce à l'éco-innovation

L'objectif est de stimuler toutes les formes d'éco-innovation qui permettent une transition vers une économie verte. Les activités se fondent notamment sur celles menées dans le cadre du programme d'éco-innovation tout en les consolidant, et elles visent avant tout à renforcer les technologies, les procédés, les services et les produits éco-innovants, notamment à étudier les moyens de réduire les quantités de matières premières dans la production et la consommation, à surmonter les obstacles dans ce contexte, et à encourager leur adoption par le marché et leur reproduction, en accordant une attention particulière aux PME; à soutenir des politiques innovantes, des modèles économiques durables et des changements sociétaux; à mesurer et évaluer les progrès vers une économie verte; et à promouvoir une utilisation efficace des ressources grâce aux systèmes numériques.

(e) Développer des systèmes complets et soutenus d'observation et d'information à l'échelle mondiale en matière d'environnement

L'objectif est d'assurer la fourniture des données et des informations à long terme nécessaires pour relever ce défi. Les activités se concentrent sur les moyens, les technologies et les infrastructures de données pour l'observation et la surveillance de la Terre au moyen de la télésurveillance et de mesures in situ, capables de fournir continuellement et en temps voulu des informations précises et de permettre ainsi des prévisions et des projections. Un accès entièrement libre aux données et informations interopérables sera encouragé. Les activités aideront à définir de futures tâches opérationnelles du programme Copernicus et à renforcer l'utilisation des données de Copernicus pour les travaux de recherche.

(f) Patrimoine culturel

L'objectif est d'étudier les stratégies, les méthodologies et les outils nécessaires pour disposer d'un patrimoine culturel dynamique et durable en Europe face au changement climatique. Le patrimoine culturel sous ses diverses formes physiques constitue le cadre de vie de communautés résilientes qui réagissent aux changements multiples et variés. La recherche portant sur le patrimoine culturel nécessite une approche pluridisciplinaire pour améliorer la compréhension du matériel historique. Les activités viseront à déterminer les niveaux de résilience au moyen d'observations, d'une surveillance et d'une modélisation et à mieux comprendre la manière dont les communautés perçoivent le changement climatique, les risques sismiques et volcaniques, et la manière dont elles réagissent.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:48:01";"664389" +"H2020-EU.3.5.";"pl";"H2020-EU.3.5.";"";"";"WYZWANIA SPOŁECZNE - Działania w dziedzinie klimatu, środowisko, efektywna gospodarka zasobami i surowce";"Climate and environment";"

WYZWANIA SPOŁECZNE - Działania w dziedzinie klimatu, środowisko, efektywna gospodarka zasobami i surowce

Cel szczegółowy

Celem szczegółowym jest: doprowadzenie do tego, by gospodarka i społeczeństwo były zasobooszczędne (i wodnooszczędne) oraz odporne na zmianę klimatu, ochrona i zrównoważona gospodarka zasobami naturalnymi i ekosystemami oraz zrównoważone dostawy i wykorzystywanie surowców w celu zaspokojenia potrzeb rosnącej globalnej populacji w ramach zrównoważonych ograniczeń charakteryzujących zasoby naturalne i ekosystemy naszej planety. Działania przyczynią się do zwiększenia europejskiej konkurencyjności oraz bezpiecznego zaopatrzenia w surowce i poprawy dobrostanu, a jednocześnie zapewnią integralność, odporność i zrównoważenie środowiska w celu utrzymania globalnego ocieplenia poniżej 2°C oraz umożliwienia ekosystemom i społeczeństwu przystosowanie się do zmiany klimatu i innych zmian środowiska.W XX wieku światowe wykorzystanie paliw kopalnych, a także wydobycie zasobów materiałowych uległy dziesięciokrotnemu zwiększeniu. Ta era pozornie obfitych i tanich zasobów dobiega końca. Surowce, woda, powietrze, bioróżnorodność oraz ekosystemy lądowe, wodne i morskie są zagrożone. Wiele spośród najważniejszych ekosystemów świata ulega degradacji, a do 60% zapewnianych przez nie usług wykorzystuje się w sposób niezrównoważony. W Unii każdego roku na jedną osobę zużywanych jest 16 ton surowców, z czego 6 ton zmienia się w odpady, a połowa odpadów trafia na składowiska. Globalne zapotrzebowanie na zasoby nadal rośnie wraz ze wzrostem liczby ludności i zwiększaniem się aspiracji, w szczególności w przypadku osób o średnich dochodach w gospodarkach wschodzących. Niezbędne jest oddzielenie wzrostu gospodarczego od zużywania zasobów.Średnia temperatura powierzchni Ziemi wzrosła w ciągu ostatnich 100 lat o ok. 0,8°C i przewiduje się, że do końca XXI wieku wzrośnie o 1,8 do 4°C (w stosunku do średniej z lat 1980–1999). Prawdopodobne oddziaływanie tych zmian na systemy naturalne i ludzkie jest wyzwaniem dla planety i jej zdolności adaptacyjnych, a także stanowi zagrożenie dla przyszłego rozwoju gospodarczego i dobrostanu ludzkości.Coraz większy wpływ zmiany klimatu i problemy środowiskowe, takie jak zakwaszanie oceanów, zmiany w cyrkulacji oceanicznej, wzrost temperatury wód morskich, topnienie lodowców w Arktyce i spadek zasolenia wód morskich, degradacja gleby i jej wykorzystania, utrata urodzajności gleby, niedobory wody, susze i powodzie, zagrożenie sejsmiczne i wulkaniczne, zmiany przestrzennego rozkładu gatunków, zanieczyszczenia chemiczne, nadmierna eksploatacja zasobów i utrata bioróżnorodności świadczą o tym, że planeta zbliża się do granic stabilności. Przewiduje się przykładowo, że bez zwiększenia efektywności we wszystkich sektorach, w tym bez wprowadzenia innowacyjnych systemów wodnych, w ciągu 20 lat zapotrzebowanie na wodę o 40% przekroczy jej podaż, co będzie skutkować poważnym deficytem i niedoborem wody. Lasy znikają w alarmującym tempie 5 mln hektarów rocznie. Interakcje między zasobami mogą prowadzić do zagrożeń systemowych – wyczerpanie jednego zasobu może spowodować nieodwracalne szkody dla innych zasobów i ekosystemów. Jeśli utrzymają się obecne tendencje, do 2050 r. utrzymanie rosnącej globalnej populacji będzie wymagać odpowiednika więcej niż dwóch Ziemi.Zrównoważona dostawa surowców oraz zasobooszczędne gospodarowanie nimi, w tym ich eksploracja, wydobycie, przetworzenie, ponowne wykorzystanie, recykling i zastępowanie, jest niezbędne dla funkcjonowania nowoczesnych społeczeństw i ich gospodarek. Sektory europejskie, takie jak sektor budowlany, chemiczny, motoryzacyjny, lotniczy, maszynowy i sprzętowy, które zapewniają całkowitą wartość dodaną w wysokości ok. 1,3 bln EUR oraz zatrudnienie około 30 mln osób, w ogromnym stopniu zależne są od dostępu do surowców. Jednak podaż surowców w Unii znajduje się pod coraz większą presją. Ponadto Unia w wysokim stopniu zależy od importu strategicznych surowców, na które w alarmującym stopniu wpływają zakłócenia rynkowe.Ponadto Unia posiada nadal cenne złoża minerałów, których poszukiwanie, wydobycie i przetwarzanie są ograniczone z powodu braku adekwatnych technologii, nieodpowiedniego zarządzania obiegiem odpadów oraz braku inwestycji oraz jest utrudnione przez zwiększoną globalną konkurencję. Ze względu na znaczenie surowców dla europejskiej konkurencyjności, gospodarki oraz ich zastosowania w innowacyjnych produktach, zrównoważona podaż surowców oraz zasobooszczędne gospodarowanie nimi są ważnym priorytetem dla Unii.Zdolność gospodarki do dostosowania się i nabrania większej odporności na zmianę klimatu oraz zyskania zasobooszczędności, a zarazem utrzymania konkurencyjności, zależy od wysokiego poziomu ekoinnowacji o charakterze społecznym, gospodarczym, organizacyjnym i technologicznym. Wartość globalnego rynku ekoinnowacji wynosi ok. 1 bln EUR rocznie i oczekuje się, że do 2030 r. ulegnie potrojeniu, dlatego też ekoinnowacje stanowią istotną szansę na zwiększenie konkurencyjności i liczby miejsc pracy w europejskich gospodarkach.

Uzasadnienie i unijna wartość dodana

Osiągnięcie unijnych i międzynarodowych celów w zakresie ograniczenia emisji i stężenia gazów cieplarnianych oraz walka ze skutkami zmiany klimatu wymagają: przejścia w kierunku społeczeństwa niskoemisyjnego oraz rozwoju i wdrożenia racjonalnych pod względem kosztów i zrównoważonych rozwiązań technologicznych i nietechnologicznych, środków łagodzących zmianę klimatu i umożliwiających przystosowanie się do niej oraz lepszego zrozumienia społecznych odpowiedzi na te wyzwania. Ramy polityki unijnej i globalnej muszą zagwarantować, że ekosystemy i bioróżnorodność będą chronione, cenione i odpowiednio przywracane w celu zachowania ich zdolności do dostarczania zasobów i usług w przyszłości. Problemy z wodą w środowisku wiejskim, miejskim i przemysłowym należy rozwiązać tak, by promować innowacje w systemach wodnych i zasobooszczędność oraz by chronić ekosystemy wodne. Badania naukowe i innowacje mogą pomóc w zabezpieczeniu niezawodnego i zrównoważonego dostępu do surowców na lądzie i na dnie morskim oraz ich eksploatacji, a także zapewnić znaczne ograniczenie zużycia zasobów i marnotrawstwa.Działania Unii mają skupiać się zatem na wspieraniu zasadniczych celów i polityk Unii obejmujących cały cykl innowacji oraz elementy trójkąta wiedzy, takich jak m.in.: strategia „Europa 2020”; inicjatywy przewodnie „Unia innowacji”; „Polityka przemysłowa w erze globalizacji”, „Europejska agenda cyfrowa” i „Europa efektywnie korzystająca z zasobów” oraz odnośny plan działania; plan działania w celu przejścia na konkurencyjną gospodarkę niskoemisyjną do 2050 r.; przystosowanie się do zmiany klimatu: europejskie ramy działania; inicjatywa na rzecz surowców; strategia Unii na rzecz zrównoważonego rozwoju; zintegrowana polityka morska Unii; dyrektywa ramowa w sprawie strategii morskiej; dyrektywa ramowa w sprawie wody i jej dyrektywy na niej oparte; dyrektywa w sprawie powodzi; plan działania na rzecz ekoinnowacji oraz ogólny unijny program działań w zakresie środowiska do 2020 r. Działania te w odpowiednich przypadkach mają się zazębiać z odnośnymi europejskimi partnerstwami innowacyjnymi i inicjatywami w zakresie wspólnego programowania. Mają przyczynić się do wzmocnienia zdolności społeczeństwa do osiągnięcia większej odporności na zmiany środowiskowe i zmianę klimatu oraz zapewnią dostępność surowców.Ze względu na transnarodowy i globalny charakter klimatu i środowiska, skalę i złożoność tych kwestii oraz międzynarodowy wymiar łańcucha dostaw surowców działania muszą być prowadzone na poziomie Unii i poza nim. Wielodyscyplinarny charakter niezbędnych badań naukowych wymaga połączenia uzupełniającej się wzajemnie wiedzy i zasobów w celu skutecznego sprostania temu wyzwaniu w sposób zrównoważony. Ograniczenie zużycia zasobów i wpływu na środowisko przy jednoczesnym zwiększeniu konkurencyjności będzie wymagać definitywnego przejścia na płaszczyźnie społecznej i technologicznej do gospodarki opartej na zrównoważonym stosunku między przyrodą a dobrostanem człowieka. Skoordynowane działania w zakresie badań naukowych i innowacji poprawią zrozumienie i przewidywanie zmiany klimatu i zmian środowiskowych w perspektywie systemowej i międzysektorowej, ograniczą niepewność, umożliwią identyfikację i ocenę słabych punktów, ryzyka, kosztów i możliwości, a także poszerzenie zakresu i zwiększenie skuteczności reakcji i rozwiązań społecznych i politycznych. Działania będą także zmierzać do poprawy realizacji i upowszechniania badań naukowych i innowacji w celu wsparcia kształtowania polityki i umożliwienia podmiotom na wszystkich poziomach społeczeństwa aktywnego udziału w tym procesie.Kwestia dostępności surowców wymaga koordynacji badań naukowych i działań na rzecz innowacji między dyscyplinami i sektorami, co ma zapewnić opracowanie bezpiecznych, opłacalnych pod względem gospodarczym, przyjaznych środowisku i akceptowalnych społecznie rozwiązań w całym łańcuchu wartości (eksploracja, wydobycie, przetwarzanie, planowanie, zrównoważone użytkowanie i ponowne wykorzystanie, recykling i zastępowanie). Innowacje w tych dziedzinach zapewnią szanse na wzrost gospodarczy i tworzenie miejsc pracy, a także umożliwią znalezienie innowacyjnych rozwiązań w zakresie nauki, technologii, gospodarki, społeczeństwa, polityki i zarządzania. Z tych przyczyn utworzono europejskie partnerstwa innowacyjne w dziedzinie wody i surowców.Odpowiedzialne ekoinnowacje mogą przynieść cenne nowe szanse na wzrost gospodarczy i tworzenie miejsc pracy. Rozwiązania opracowane w drodze działań na poziomie Unii umożliwią przeciwdziałanie kluczowym zagrożeniom dla konkurencyjności przemysłowej oraz szybką absorpcję i odtworzenie innowacji na całym jednolitym rynku i poza nim. To ułatwi proces przejścia do zielonej gospodarki wykorzystującej zasoby w zrównoważony sposób. Partnerami uwzględniającymi to podejście będą m.in.: międzynarodowi, europejscy i krajowi decydenci, programy w zakresie badań naukowych i innowacji prowadzone na płaszczyźnie międzynarodowej i w państwach członkowskich, europejski biznes i przemysł, Europejska Agencja Środowiska i krajowe agencje ochrony środowiska, a także inne zainteresowane strony.Działania na poziomie Unii zapewnią wsparcie nie tylko współpracy dwustronnej i regionalnej, ale i odnośnych międzynarodowych wysiłków i inicjatyw, w tym Międzyrządowego Zespołu ds. Zmian Klimatu (IPCC), międzyrządowej platformy ds. różnorodności biologicznej i usług ekosystemowych (IPBES) oraz Grupy ds. Obserwacji Ziemi (GEO).

Ogólne kierunki działań

(a) Walka ze zmianą klimatu i przystosowanie się do niej

Celem jest rozwój i ocena innowacyjnych, racjonalnych pod względem kosztów i zrównoważonych środków i strategii łagodzących zmianę klimatu i umożliwiających przystosowanie się do niej, dotyczących emisji gazów cieplarnianych i aerozoli zawierających CO2 i niezawierających go, uwzględniających ekologiczne rozwiązania technologiczne i nietechnologiczne, poprzez gromadzenie danych na potrzeby merytorycznych, wczesnych i skutecznych działań oraz tworzenie sieci podmiotów dysponujących odpowiednimi kompetencjami. Działania mają się koncentrować na: poprawie zrozumienia zmiany klimatu i zagrożeń związanych ze zdarzeniami ekstremalnymi i nagłymi zmianami dotyczącymi klimatu, co ma służyć przygotowaniu wiarygodnych prognoz w tym zakresie; ocenie skutków na poziomie globalnym, regionalnym i lokalnym oraz słabych punktów; na opracowaniu innowacyjnych, efektywnych kosztowo środków przystosowania się do zmiany klimatu i zapobiegania ryzyku oraz zarządzania ryzykiem oraz wspieraniu polityk oraz strategii związanych z łagodzeniem zmiany klimatu, w tym badań, których głównym przedmiotem jest oddziaływanie polityk prowadzonych w innych sektorach.

(b) Ochrona środowiska, zrównoważone gospodarowanie zasobami naturalnymi, wodą, bioróżnorodnością i ekosystemami

Celem jest dostarczenie wiedzy i narzędzi na potrzeby zarządzania i ochrony zasobów naturalnych zapewniający celem osiągnięcia trwałej równowagi między ograniczonymi zasobami a obecnymi i przyszłymi potrzebami społeczeństwa i gospodarki. Działania mają koncentrować się na: poszerzaniu wiedzy na temat bioróżnorodności i funkcjonowania ekosystemów, ich interakcji z systemami społecznymi i roli w zakresie zrównoważenia gospodarki i dobrostanu ludzi; opracowaniu zintegrowanych podejść do zrównoważonego zarządzania wyzwaniami związanymi z wodą oraz przejściu do zrównoważonego zarządzania zasobami wodnymi i usługami w tym zakresie, a także zapewnieniu wiedzy i narzędzi na potrzeby skutecznego procesu decyzyjnego i udziału społeczeństwa.

(c) Zapewnienie zrównoważonych dostaw surowców nieenergetycznych i nierolniczych

Celem jest poszerzenie bazy wiedzy na temat surowców oraz rozwój innowacyjnych rozwiązań w zakresie racjonalnych pod względem kosztów, zasobooszczędnych i przyjaznych dla środowiska poszukiwań, wydobycia, przetwarzania, użytkowania oraz ponownego wykorzystywania, recyklingu i odzysku surowców oraz ich zastępowania gospodarczo atrakcyjnymi i zrównoważonymi środowiskowo alternatywami o mniejszym wpływie na środowisko, w tym procesami i systemami działającymi na zasadzie obiegu zamkniętego. Działania mają koncentrować się na: poszerzaniu bazy wiedzy na temat dostępności surowców; promowaniu zrównoważonych i efektywnych dostaw, użytkowania i ponownego wykorzystywania surowców, w tym surowców mineralnych, lądowych i morskich; nalezieniu alternatyw dla surowców krytycznych oraz podniesieniu świadomości społecznej i umiejętności związanych z surowcami.

(d) Umożliwienie ekologizacji gospodarki i społeczeństwa poprzez ekoinnowacje

Celem jest wspieranie wszystkich form ekoinnowacji umożliwiających przekształcenie gospodarki w zieloną gospodarkę. Działania mają m.in. nawiązywać do działań podjętych w ramach programu dotyczącego ekoinnowacji oraz stanowić ich uzupełnienie, a także skupiać się na: wzmocnieniu ekoinnowacyjnych technologii, procesów, usług i produktów, w tym na przeanalizowaniu sposobów ograniczenia ilości surowców w produkcji i konsumpcji, na pokonaniu barier w tym aspekcie, oraz na zwiększeniu ich wykorzystywania przez rynek i odtwarzania, ze szczególnym uwzględnieniem MŚP; wsparciu innowacyjnych kierunków polityki, zrównoważonych modeli gospodarczych i przemian społecznych; pomiarze i ocenie postępu na drodze ku zielonej gospodarce; a także wspomaganiu zasobooszczędności poprzez systemy cyfrowe.

(e) Rozwój kompleksowych i trwałych globalnych systemów obserwacji i informacji środowiskowej

Celem jest zapewnienie przygotowania długoterminowych danych i informacji potrzebnych do sprostania temu wyzwaniu. Działania mają skupiać się na zdolnościach, technologiach i infrastrukturze danych do celów obserwacji i monitorowania Ziemi, zarówno przy wykorzystaniu teledetekcji, jak i pomiarów in situ, które mogą bez przerwy dostarczać w odpowiednim terminie dokładne informacje i umożliwiać prognozy i przewidywania. Promowany będzie bezpłatny, otwarty i nieograniczony dostęp do interoperacyjnych danych i informacji. Działania mają pomóc w określaniu przyszłej działalności operacyjnej programu Copernicus i zwiększyć wykorzystywanie danych pochodzących z programu Copernicus do celów badawczych.

(f) Dziedzictwo kulturowe

Celem jest badanie strategii, metod i narzędzi niezbędnych do wykorzystania dynamicznego i zrównoważonego dziedzictwa kulturowego w Europie w odpowiedzi na zmianę klimatu. Dziedzictwo kulturowe w różnorodnych postaciach fizycznych stanowi środowisko, w jakim żyją odporne społeczności reagujące na wielorakie zmiany. Badania nad dziedzictwem kulturowym wymagają podejścia multidyscyplinarnego, sprzyjającego lepszemu zrozumieniu materiałów historycznych. Działania mają skupiać się na określeniu poziomów odporności w drodze obserwacji, monitorowania i tworzenia modeli, a także na umożliwieniu lepszego zrozumienia, jak społeczności postrzegają zmianę klimatu oraz zagrożenia sejsmiczno-wulkaniczne i jak na nie reagują.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:48:01";"664389" +"H2020-EU.3.1.5.1.";"en";"H2020-EU.3.1.5.1.";"";"";"Improving halth information and better use of health data";"";"";"";"H2020";"H2020-EU.3.1.5.";"";"";"2014-09-22 20:44:11";"664269" +"H2020-EU.3.5.";"de";"H2020-EU.3.5.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Klimaschutz, Umwelt, Ressourceneffizienz und Rohstoffe";"Climate and environment";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Klimaschutz, Umwelt, Ressourceneffizienz und Rohstoffe

Einzelziel

Einzelziel ist die Verwirklichung einer Wirtschaft und Gesellschaft, die die Ressourcen – und das Wasser – schont und gegen den Klimawandel gewappnet ist, der Schutz und eine nachhaltige Bewirtschaftung der natürlichen Ressourcen und Ökosysteme und eine nachhaltige Versorgung mit und Nutzung von Rohstoffen, um die Bedürfnisse einer weltweit wachsenden Bevölkerung innerhalb der Grenzen der Nachhaltigkeit natürlicher Ressourcen und Ökosysteme der Erde zu erfüllen. Die Tätigkeiten werden die Wettbewerbsfähigkeit und Rohstoffsicherheit Europas stärken und das Wohlergehen der Menschen verbessern und gleichzeitig die Integrität, Widerstandsfähigkeit und Nachhaltigkeit der Umwelt mit dem Ziel gewährleisten, die durchschnittliche globale Erwärmung unter 2° C zu halten und Ökosysteme und die Gesellschaft in die Lage zu versetzen, sich an den Klimawandel und andere Veränderungen in der Umwelt anzupassen.Im Laufe des 20. Jahrhunderts hat sich der Verbrauch fossiler Brennstoffe und die Gewinnung rohstofflicher Ressourcen um etwa den Faktor 10 vervielfacht. Diese Ära der scheinbar im Überfluss vorhandenen und billigen Ressourcen neigt sich dem Ende zu. Rohstoffe, Wasser, Luft, biologische Vielfalt sowie terrestrische, aquatische und marine Ökosysteme stehen insgesamt unter Druck. Viele der weltweit größten Ökosysteme sind geschädigt, da bis zu 60 % der Leistungen, die sie erbringen, in nicht nachhaltiger Art und Weise genutzt werden. In der Union werden etwa 16 Tonnen Rohstoffe pro Person und Jahr verbraucht, davon werden 6 Tonnen verschwendet, die Hälfte wird auf Abfalldeponien entsorgt. Angesichts der wachsenden Bevölkerung und der steigenden Ansprüche vor allem der Bezieher mittlerer Einkommen in Schwellenländern nimmt die weltweite Nachfrage nach Ressourcen weiter zu. Eine Entkopplung des Wirtschaftswachstums vom Ressourcenverbrauch ist notwendig.In den letzten 100 Jahren ist die durchschnittliche Temperatur der Erdoberfläche um etwa 0,8° C gestiegen und wird Prognosen zufolge bis zum Ende des 21. Jahrhunderts (im Verhältnis zum Durchschnitt der Jahre 1980-1999) um 1,8 bis 4° C weiter ansteigen. Die aufgrund dieser Veränderungen voraussichtlich eintretenden Folgen für die natürlichen und menschlichen Systeme werden eine Herausforderung für die Erde und ihre Anpassungsfähigkeit darstellen und die künftige Wirtschaftsentwicklung und das Wohlergehen der Menschen gefährden.Die zunehmenden Auswirkungen des Klimawandels und Umweltprobleme – wie etwa die Versauerung der Meere, Änderungen der Meeresströmungen, Erhöhung der Meerestemperatur, die Eisschmelze in der Arktis und der abnehmende Salzgehalt des Meerwassers, die Bodenverschlechterung und der Flächenverbrauch, der Verlust der Bodenfruchtbarkeit, der Wassermangel, Dürren und Überschwemmungen, Erdbeben und Vulkanausbrüche, Veränderungen bei der räumlichen Verteilung der Arten, die Verschmutzung durch Chemikalien, die übermäßige Ausbeutung der Ressourcen und der Verlust der biologischen Vielfalt – zeigen, dass die Erde allmählich die Grenzen ihrer Nachhaltigkeit erreicht. So wird in 20 Jahren die Wassernachfrage ohne Effizienzverbesserungen in sämtlichen Sektoren, einschließlich durch innovative Wassersysteme, das Angebot um 40 % übersteigen, was zu erheblicher Wasserbelastung und -knappheit führen wird. In alarmierend hohem Tempo verschwinden jedes Jahr 5 Millionen Hektar Wald. Die Wechselwirkungen zwischen den Ressourcen können Systemrisiken in der Weise bergen, dass durch das Verschwinden einer Ressource ein Punkt erreicht wird, an dem auch andere Ressourcen und Ökosysteme irreversibel geschädigt werden. Ausgehend von der derzeitigen Entwicklung wird bis 2050 das Äquivalent von über zwei Planeten Erde benötigt, um die wachsende Weltbevölkerung tragen zu können.Die nachhaltige Versorgung mit Rohstoffen und deren ressourcenschonende Bewirtschaftung (einschließlich Exploration, Gewinnung, Verarbeitung, Wiederverwendung und -verwertung sowie Ersatz) sind für das Funktionieren moderner Gesellschaften und Volkswirtschaften unerlässlich. Unionssektoren wie der Bau-, Chemie-, Automobil-, Luftfahrt-, Maschinenbau- und Ausrüstungssektor mit einer Wertschöpfung von etwa 1,3 Billionen EUR und 30 Millionen Arbeitsplätzen sind enorm abhängig vom Zugang zu Rohstoffen. Die Belieferung der Union mit Rohstoffen steht jedoch zunehmend unter Druck. Zudem ist die Union in höchstem Maße abhängig von strategisch wichtigen Rohstoffen, deren Einfuhr durch Marktverzerrungen in alarmierendem Tempo beeinträchtigt wird.Außerdem verfügt die Union nach wie vor über wertvolle Mineralvorkommen, deren Exploration, Gewinnung und Verarbeitung durch fehlende geeignete Technologien, unzureichendes Abfallkreislaufmanagement und den Mangel an Investitionen eingeschränkt und durch den zunehmenden internationalen Wettbewerb behindert werden. Angesichts der Bedeutung von Rohstoffen für die europäische Wettbewerbsfähigkeit, die Wirtschaft und deren Anwendung in innovativen Produkten haben die nachhaltige Versorgung mit Rohstoffen und deren ressourcenschonende Bewirtschaftung für die Union größte Priorität.Inwieweit die Wirtschaft in der Lage ist, sich anzupassen, sich gegen den Klimawandel zu wappnen und die Ressourceneffizienz zu verbessern und gleichzeitig wettbewerbsfähig zu bleiben, hängt von einem hohen Maß an gesellschaftlicher, wirtschaftlicher, organisatorischer und technologischer Öko-Innovation ab. Mit einem Wert von etwa einer Billion EUR pro Jahr und der erwarteten Verdreifachung dieses Markts bis 2030 stellen Öko-Innovationen eine gewaltige Chance für die Stärkung der Wettbewerbsfähigkeit und die Schaffung von Arbeitsplätzen in der europäischen Wirtschaft dar.

Begründung und Mehrwert für die Union

Die Erreichung der von der Union und international festgesetzten Ziele für die Treibhausgasemissionen und -konzentrationen sowie die Bewältigung der Folgen des Klimawandels erfordern den Übergang zu einer CO2-armen Gesellschaft und die Entwicklung und den Einsatz von kosteneffizienten und nachhaltigen technologischen und nichttechnologischen Lösungen sowie von Minderungs- und Anpassungsmaßnahmen und ein besseres Verständnis der gesellschaftlichen Antworten auf diese Herausforderungen. Die politischen Rahmenvorgaben auf Unionsebene und auf internationaler Ebene müssen gewährleisten, dass Ökosysteme und biologische Vielfalt geschützt, geschätzt und angemessen wiederhergestellt werden, damit diese auch in Zukunft Ressourcen bereitstellen und Leistungen erbringen können. Die Wasserproblematik im ländlichen, städtischen und industriellen Umfeld muss angegangen werden, um Innovationen bei Wassersystemen und Ressourceneffizienz zu fördern und die aquatischen Ökosysteme zu schützen. Forschung und Innovation können dazu beitragen, einen zuverlässigen und nachhaltigen Zugang zu Rohstoffen auf dem Land und am Meeresboden und deren Nutzung zu sichern und die Verwendung und Verschwendung von Ressourcen deutlich zu senken.Schwerpunkt der Unionsmaßnahmen ist daher, die wichtigsten Unionsziele und -strategien zu unterstützen, die den gesamten Innovationszyklus und die Komponenten des Wissensdreiecks abdecken einschließlich der Strategie Europa 2020; der Leitinitiativen ""Innovationsunion"", ""Eine Industriepolitik für das Zeitalter der Globalisierung"", ""Eine Digitale Agenda für Europa"" und ""Ein ressourcenschonendes Europa"" und des entsprechendes Fahrplans, des Fahrplans hin zu einer wettbewerbsfähigen Wirtschaft mit niedrigem CO2-Ausstoß bis 2050; der Europäische Aktionsrahmen zur Anpassung an den Klimawandel, die Rohstoff-Initiative, die Unionsstrategie für die nachhaltige Entwicklung, die integrierte Meerespolitik der Union, die Meeresstrategie-Rahmenrichtlinie, die Wasser-Rahmenrichtlinie und der darauf basierenden Richtlinien, die Hochwasserrichtlinie, der Aktionsplan für Öko-Innovation und das allgemeine Umweltaktionsprogramm der Union bis 2020. Diese Maßnahmen werden gegebenenfalls mit einschlägigen Europäischen Innovationspartnerschaften und Initiativen für die gemeinsame Planung verzahnt. Diese Maßnahmen werden die Gesellschaft besser gegen Veränderungen der Umwelt und den Klimawandel wappnen und die Verfügbarkeit von Rohstoffen gewährleisten.Angesichts des transnationalen und globalen Charakters der Umwelt, ihrer Größe und Komplexität und der internationalen Dimension der Rohstoffversorgungskette müssen die Tätigkeiten auf Unionsebene und darüber hinaus durchgeführt werden. Die Multidisziplinarität der notwendigen Forschung erfordert die Zusammenführung sich ergänzender Kenntnisse und Ressourcen, um so diese Herausforderung nachhaltig bewältigen zu können. Die Verringerung des Ressourcenverbrauchs und der Umweltfolgen bei gleichzeitiger Erhöhung der Wettbewerbsfähigkeit der Union erfordert einen tiefgreifenden gesellschaftlichen und technologischen Wandel hin zu einer Wirtschaft, die sich auf ein nachhaltiges Verhältnis zwischen dem Wohlergehen der Natur und des Menschen stützt. Die Koordinierung der Forschungs- und Innovationstätigkeiten verbessert systematisch und bereichsübergreifend das Verständnis und die Prognosen der Union für die Klima- und Umweltveränderungen, baut Ungewissheiten ab, benennt und bewertet Schwächen, Risiken, Kosten und Möglichkeiten und erweitert die Bandbreite der gesellschaftlichen und politischen Reaktionen und Lösungen und verbessert deren Wirkung. Auch wird mit den Maßnahmen angestrebt, die Ergebnisse von Forschung und Innovation und deren Verbreitung zu verbessern, um die politische Entscheidungsfindung zu unterstützen und die Akteure auf allen gesellschaftlichen Ebenen in die Lage zu versetzen, aktiv an diesem Prozess teilzunehmen.Die Verfügbarkeit von Rohstoffen erfordert koordinierte Forschungs- und Innovationsanstrengungen über viele Fachrichtungen und Sektoren hinweg, damit entlang der gesamten Wertschöpfungskette (Exploration, Gewinnung, Verarbeitung, Konzeption, nachhaltige Nutzung und Wiederverwendung und -verwertung sowie Ersatz) sichere, wirtschaftlich machbare, ökologisch unbedenkliche und gesellschaftlich akzeptierte Lösungen bereitstehen. Innovationen auf diesen Gebieten schaffen Möglichkeiten für Wachstum und Arbeitsplätze sowie innovative Optionen, die sich auf Wissenschaft, Technik, Wirtschaft, Gesellschaft, Politik und Governance erstrecken. Aus diesen Gründen wurden europäische Innovationspartnerschaften für Wasser und Rohstoffe eingeleitet.Eine verantwortungsbewusste Öko-Innovation eröffnet möglicherweise wertvolle neue Chancen für Wachstum und Beschäftigung. Mit Hilfe von Maßnahmen auf Unionsebene entwickelte Lösungen können zur Abwehr von großen Bedrohungen der industriellen Wettbewerbsfähigkeit eingesetzt werden und ermöglichen eine rasche Einführung und Nachahmung im gesamten Binnenmarkt und darüber hinaus. Dies ermöglicht den Übergang zu einer ""grünen"" Wirtschaft, die der nachhaltigen Nutzung von Ressourcen Rechnung trägt. Partner dieses Konzepts sind u. a. internationale, europäische und nationale politische Entscheidungsträger, internationale und einzelstaatliche Forschungs- und Innovationsprogramme, europäische Unternehmen und die Industrie, die Europäische Umweltagentur und nationale Umweltämter sowie sonstige einschlägige interessierte Kreise.Über die bilaterale und regionale Zusammenarbeit hinaus unterstützen Maßnahmen auf Unionsebene auch einschlägige internationale Anstrengungen und Initiativen wie etwa den Weltklimarat (IPPC), die zwischenstaatliche Plattform für biologische Vielfalt und Ökosystemleistungen (IPBES) sowie die Gruppe für Erdbeobachtung (GEO).

Einzelziele und Tätigkeiten in Grundzügen

(a) Klimaschutz und Anpassung an den Klimawandel

Ziel ist die Entwicklung und Bewertung innovativer, kosteneffizienter und nachhaltiger Anpassungs- und Minderungsmaßnahmen und -strategien, die auf CO2 und andere Treibhausgase und Aerosole und sowohl technologische als auch nichttechnologische ""grüne"" Lösungen abstellen, indem Daten generiert werden, die es ermöglichen, in Kenntnis der Sachlage frühzeitige und wirksame Maßnahmen zu treffen und die notwendigen Kompetenzen zu vernetzen. Schwerpunkt der Tätigkeiten sind ein besseres Verständnis des Klimawandels und der Gefahren, die mit Extremereignissen und abrupten klimabezogenen Veränderungen verbunden sind, im Hinblick auf die Bereitstellung zuverlässiger Klimaprojektionen, die Bewertung der Folgen auf globaler, regionaler und lokaler Ebene, Schwachstellen, die Entwicklung innovativer und kosteneffizienter Anpassungs- und Risikovermeidungs- und -bewältigungsmaßnahmen sowie die Unterstützung von Minderungsstrategien, einschließlich Studien mit Schwerpunkt auf den Auswirkungen anderer sektorbezogener Strategien.

(b) Umweltschutz, nachhaltige Bewirtschaftung der natürlichen Ressourcen, Wasser, biologische Vielfalt und Ökosysteme

Ziel ist die Bereitstellung von Wissen und Instrumenten für die Bewirtschaftung und den Schutz natürlicher Ressourcen, um ein nachhaltiges Gleichgewicht zwischen den begrenzten Ressourcen und den aktuellen und künftigen Bedürfnissen von Gesellschaft und Wirtschaft herzustellen. Schwerpunkt der Tätigkeiten ist die Vertiefung der Erkenntnisse über die biologische Vielfalt und die Funktionsweise von Ökosystemen, deren Wechselwirkungen mit sozialen Systemen und deren Aufgabe zur Sicherung der Wirtschaft und des Wohlergehens des Menschen, die Entwicklung integrierter Konzepte für die Bewältigung der Wasserprobleme sowie den Übergang zu einer nachhaltigen Bewirtschaftung und Nutzung der Wasserressourcen und -dienstleistungen sowie die Bereitstellung von Wissen und Instrumenten für eine wirksame Entscheidungsfindung und öffentliches Engagement

(c) Gewährleistung einer nachhaltigen Versorgung mit nicht-energetischen und nicht-landwirtschaftlichen Rohstoffen

Ziel ist es, mehr Erkenntnisse über Rohstoffe zu gewinnen und innovative Lösungen für die kosteneffiziente, ressourcenschonende und umweltfreundliche Exploration, Gewinnung, Verarbeitung, Verwendung, Wiederverwendung und -verwertung sowie Rückgewinnung von Rohstoffen und für deren Ersatz durch wirtschaftlich interessante und ökologisch nachhaltige Alternativen mit besserer Umweltbilanz zu entwickeln, einschließlich Kreislaufprozessen und -systemen. Schwerpunkt der Tätigkeiten ist die Verbesserung der Wissensbasis über die Verfügbarkeit von Rohstoffen, die Förderung einer nachhaltigen und effizienten Versorgung mit und Verwendung sowie Wiederverwendung von Rohstoffen, einschließlich an Land und am Meeresboden gewonnener Mineralien, die Suche nach Alternativen für kritische Rohstoffe sowie die Schärfung des gesellschaftlichen Bewusstseins und die Verbesserung der Qualifikationen im Hinblick auf Rohstoffe.

(d) Grundlagen für den Übergang zu einer umweltfreundlichen Wirtschaft und Gesellschaft durch Öko-Innovation

Ziel ist die Förderung sämtlicher Formen von Öko-Innovation, die den Übergang zu einer ""grünen"" Wirtschaft ermöglichen. Die Tätigkeiten bauen u. a. auf den im Rahmen des Öko-Innovations-Programms durchgeführten Tätigkeiten auf und verstärken diese; Schwerpunkt ist die Stärkung von Technologien, Verfahren, Dienstleistungen und Produkten der Öko-Innovation, wozu auch die Suche nach Möglichkeiten zur Verringerung der bei der Produktion und beim Verbrauch verwendeten Rohstoffmengen gehört, die Überwindung diesbezüglicher Hindernisse und die Unterstützung ihrer Markteinführung und Nachahmung, unter besonderer Berücksichtigung von KMU, die Unterstützung innovativer Strategien, nachhaltiger Wirtschaftsmodelle und gesellschaftlicher Veränderungen, die Messung und Bewertung von Fortschritten auf dem Weg zu einer ""grünen"" Wirtschaft sowie die Förderung der Ressourceneffizienz durch digitale Systeme; die Unterstützung innovativer Strategien, nachhaltiger Wirtschaftsmodelle und gesellschaftlicher Veränderungen, die Messung und Bewertung von Fortschritten auf dem Weg zu einer ""grünen"" Wirtschaft sowie die Förderung der Ressourceneffizienz durch digitale Systeme; sowie die Förderung der Ressourceneffizienz durch digitale Systeme;

(e) Entwicklung von Systemen für die umfassende und kontinuierliche globale Umweltüberwachung und von entsprechenden Informationssystemen

Ziel ist die Bereitstellung der zur Bewältigung dieser Herausforderung notwendigen langfristigen Daten und Informationen. Schwerpunkt dieser Tätigkeiten sind die Fähigkeiten, Technologien und Dateninfrastrukturen für die Erdbeobachtung und -überwachung sowohl mittels Fernerkundung als auch durch Messungen vor Ort, die kontinuierlich zeitnahe und präzise Daten liefern können und Prognosen und Projektionen ermöglichen. Gefördert wird der freie, offene und unbeschränkte Zugang zu interoperablen Daten und Informationen. Die Tätigkeiten tragen zur Bestimmung künftiger operativer Tätigkeiten des Copernicus Programms und zur verstärkten Nutzung von Copernicus-Daten für Forschungstätigkeiten bei.

(f) Kulturerbe

Ziel sind Forschungsarbeiten zu den Strategien, Methoden und Instrumenten, die erforderlich sind, um als Reaktion auf den Klimawandel ein dynamisches und nachhaltiges Kulturerbe in Europa zu ermöglichen. Das Kulturerbe bildet in seinen unterschiedlichen Erscheinungsformen die Existenzgrundlage der heutigen widerstandsfähigen Gemeinschaften, die mit vielfältigen Veränderungen fertig werden können. Für die Forschung über das Kulturerbe ist ein multidisziplinäres Konzept erforderlich, damit das historische Material besser verstanden werden kann. Den Schwerpunkt der Tätigkeiten bildet die Ermittlung der unterschiedlichen Ausprägungen der Widerstandsfähigkeit mittels Beobachtung, systematischer Erfassung und Modellbildung sowie die Klärung der Zusammenhänge, wie Gemeinschaften den Klimawandel, Erdbeben und Vulkanausbrüche wahrnehmen und darauf reagieren.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:48:01";"664389" +"H2020-EU.3.5.";"it";"H2020-EU.3.5.";"";"";"SFIDE PER LA SOCIETÀ - Azione per il clima, ambiente, efficienza delle risorse e materie prime";"Climate and environment";"

SFIDE PER LA SOCIETÀ - Azione per il clima, ambiente, efficienza delle risorse e materie prime

Obiettivo specifico

L'obiettivo specifico è conseguire un'economia e una società efficienti sotto il profilo delle risorse - e dell'acqua - e resilienti ai cambiamenti climatici, la protezione e la gestione sostenibile delle risorse naturali e degli ecosistemi e un approvvigionamento e un uso sostenibili di materie prime, al fine di rispondere alle esigenze di una popolazione mondiale in crescita entro i limiti sostenibili delle risorse naturali e degli ecosistemi del pianeta. Le attività contribuiranno ad accrescere la competitività europea e la sicurezza delle materie prime e a migliorare il benessere, garantendo nel contempo l'integrità, la resilienza e la sostenibilità ambientali, per far sì che il riscaldamento globale medio non superi i 2 °C e consentire agli ecosistemi e alla società di adattarsi al cambiamento climatico e ad altri mutamenti ambientali.Durante il XX secolo, il mondo ha decuplicato sia l'uso di combustibili fossili sia l'estrazione di risorse materiali. Quest'era apparentemente ricca di risorse abbondanti e a buon mercato sta volgendo al termine. Le materie prime, l'acqua, l'aria, la biodiversità e gli ecosistemi marini, terrestri e acquatici sono tutti sottoposti a pressione. Molti dei principali ecosistemi mondiali sono in uno stato di degrado e fino al 60 % dei servizi che essi forniscono sono utilizzati in maniera insostenibile. Nell'Unione, ogni anno si usano circa 16 tonnellate per persona di materiali, di cui 6 tonnellate sono sprecate e metà di esse è collocata in discarica. La domanda globale di risorse continua ad aumentare con l'incremento demografico e le crescenti aspirazioni, in particolare delle persone a reddito medio nelle economie emergenti. È necessario disaccoppiare la crescita economica dal consumo di risorse.La temperatura media della superficie del nostro pianeta è aumentata di circa 0,8 °C negli ultimi cento anni, ed è previsto un aumento compreso fra 1,8 e 4 °C entro la fine del XXI secolo rispetto alla media del periodo1980-1999. Il probabile impatto sui sistemi naturali e umani collegato a tali evoluzioni costituirà una sfida per il pianeta e la sua capacità di adattamento, nonché una minaccia per lo sviluppo economico futuro e il benessere dell'umanità.L'impatto crescente dei cambiamenti climatici e dei problemi ambientali, come l'acidificazione degli oceani, i mutamenti nella circolazione oceanica, l'aumento della temperatura delle acque marine, lo scioglimento dei ghiacci nell'Artico e la diminuzione della salinità dell'acqua marina, il degrado e l'uso del suolo, la perdita di fertilità del suolo, la carenza idrica, la siccità e le inondazioni, i rischi sismici e vulcanici, i mutamenti nella distribuzione spaziale delle specie, l'inquinamento chimico, l'eccessivo sfruttamento delle risorse e la perdita di biodiversità, indicano che il pianeta si sta avvicinando ai limiti della sua sostenibilità. Ad esempio, senza miglioramenti in termini di efficienza in tutti i settori, anche attraverso sistemi idrici innovativi, si stima che la domanda di acqua supererà del 40 % l'offerta nei prossimi vent'anni, il che condurrà a un grave stress idrico e a gravi carenze idriche. Le foreste stanno scomparendo all'allarmante ritmo di cinque milioni di ettari l'anno. L'interazione tra le risorse può provocare rischi sistemici, con l'esaurimento di una risorsa che determina un punto di svolta irreversibile per le altre risorse e gli ecosistemi. Sulla base delle tendenze attuali, sarà necessario l'equivalente di oltre due pianeti Terra entro il 2050 al fine di sostenere la crescita della popolazione mondiale.Un approvvigionamento sostenibile e una gestione efficiente in termini di risorse delle materie prime, compresi l'esplorazione, l'estrazione, la lavorazione, il riutilizzo, il riciclaggio e la sostituzione, sono essenziali per il funzionamento delle società moderne e delle loro economie. I settori europei come l'edilizia, la chimica, l'industria automobilistica e aerospaziale nonché l'industria dei macchinari e delle attrezzature, che rappresentano un valore aggiunto totale di circa 1 300 miliardi di EUR e occupano circa trenta milioni di persone, dipendono fortemente dall'accesso alle materie prime. Tuttavia, l'approvvigionamento di materie prime verso l'Unione è sottoposto a una pressione sempre maggiore. L'Unione è inoltre fortemente dipendente dalle importazioni di materie prime di importanza strategica, colpite a un livello allarmante dalle distorsioni del mercato.Inoltre, l''Unione dispone ancora di preziosi depositi minerari di cui l'esplorazione, l'estrazione e la lavorazione sono limitate per mancanza di tecnologie adeguate, per una gestione inadeguata del ciclo dei rifiuti e per mancanza di investimenti, e sono ostacolate da un'accresciuta concorrenza mondiale. Considerata l'importanza delle materie prime per la competitività e l'economia europee, oltre che per la loro applicazione in prodotti innovativi, un approvvigionamento sostenibile e una gestione efficiente in termini di risorse delle materie prime costituiscono una priorità fondamentale per l'Unione.La capacità dell'economia di adattarsi e di diventare più resiliente ai cambiamenti climatici ed efficiente in termini di risorse, mantenendo nel contempo la competitività, dipende da livelli elevati di ecoinnovazione di natura economica, sociale, organizzativa e tecnologica. Per un mercato globale dell'ecoinnovazione che ha un valore di circa 1 000 miliardi di EUR l'anno, destinato a triplicare entro il 2030, l'ecoinnovazione rappresenta una grande opportunità per rafforzare la competitività e la creazione di posti di lavoro nelle economie europee.

Motivazione e valore aggiunto dell'Unione

Al fine di conseguire gli obiettivi dell'Unione e internazionali relativi alle concentrazioni e alle emissioni di gas a effetto serra e far fronte alle conseguenze dei cambiamenti climatici occorrono una transizione verso una società a basse emissioni di carbonio e lo sviluppo e la diffusione di soluzioni tecnologiche e non tecnologiche efficienti in termini di costi e sostenibili, misure di mitigazione e adattamento, nonché una maggiore consapevolezza per quanto riguarda le risposte della società a queste sfide. I quadri di riferimento politici unionali e mondiali devono garantire che gli ecosistemi e la biodiversità siano protetti, valorizzati e ripristinati adeguatamente in modo da preservare la loro capacità di fornire risorse e servizi in futuro. Occorre affrontare le sfide idriche nei contesti rurali, urbani e industriali al fine di promuovere l'innovazione e l'efficienza sotto il profilo delle risorse del sistema idrico e proteggere gli ecosistemi acquatici. La ricerca e l'innovazione possono contribuire ad assicurare l'accesso e lo sfruttamento affidabili e sostenibili delle materie prime a terra e sui fondi marini e a garantire una significativa riduzione dell'uso e degli sprechi delle risorse.L'azione dell'Unione è incentrata pertanto sul sostegno agli obiettivi e alle politiche chiave dell'Unione, che coprono l'intero ciclo di innovazione e gli elementi del triangolo della conoscenza, ivi incluse la strategia ""Europa 2020"", le iniziative faro ""Unione dell'innovazione"", ""Una politica industriale per l'era della globalizzazione"", ""Un'agenda digitale europea"" e ""Un'Europa efficiente sotto il profilo delle risorse"" e la corrispondente tabella di marcia, ""Una tabella di marcia verso un'economia competitiva a basse emissioni di carbonio nel 2050"", ""L'adattamento ai cambiamenti climatici: verso un quadro d'azione europeo"", l'iniziativa ""Materie prime"", la strategia dell'Unione per lo sviluppo sostenibile, ""Una politica marittima integrata per l'Unione europea, la direttiva quadro sulla strategia per l'ambiente marino, la direttiva quadro sulle acque e le direttive basate su quest'ultima, la direttiva sulle alluvioni, il piano d'azione per l'ecoinnovazione e il programma generale di azione dell'Unione in materia di ambiente fino al 2020. Se del caso, tali azioni interagiscono con le iniziative di programmazione congiunta e i partenariati europei per l'innovazione pertinenti. Tali azioni rafforzano la capacità della società di divenire più resiliente al cambiamento ambientale e climatico e garantire la disponibilità di materie prime.Considerati il carattere transnazionale e globale del clima e dell'ambiente, la loro portata e complessità nonché la dimensione internazionale della catena di approvvigionamento delle materie prime, le attività devono essere svolte a livello unionale e superiore. Il carattere multidisciplinare della ricerca necessaria richiede la messa in comune delle conoscenze e delle risorse complementari al fine di affrontare efficacemente questa sfida in maniera sostenibile. Al fine di ridurre l'uso delle risorse e l'impatto ambientale, rafforzando nel contempo la competitività, sarà necessaria una decisiva transizione sociale e tecnologica verso un'economia basata su un rapporto sostenibile tra natura e benessere umano. Le attività coordinate di ricerca ed innovazione miglioreranno la comprensione e la previsione dei cambiamenti climatici e ambientali in una prospettiva sistemica e intersettoriale, ridurranno le incertezze, individueranno e valuteranno vulnerabilità, rischi, costi e opportunità e amplieranno la gamma e miglioreranno l'efficacia delle risposte e delle soluzioni sociali e politiche. Le azioni mireranno altresì a migliorare la produzione di ricerca e innovazione e la loro diffusione al fine di sostenere i processi decisionali e responsabilizzare gli attori a tutti i livelli della società affinché partecipino attivamente a questo processo.Affrontare la disponibilità di materie prime esige sforzi coordinati di ricerca e innovazione in diversi settori e discipline al fine di contribuire a fornire soluzioni sicure, economicamente realizzabili, compatibili con l'ambiente e socialmente accettabili lungo l'intera catena del valore (esplorazione, estrazione, lavorazione, progettazione, utilizzo e riutilizzo sostenibili, riciclaggio, sostituzione). L'innovazione in tali settori genererà opportunità di crescita e occupazione, nonché opzioni innovative che coinvolgono scienza, tecnologia, economia, società, politica e governance. Per tali motivi, sono stati avviati partenariati europei per l'innovazione sull'acqua e le materie prime.L'ecoinnovazione responsabile può fornire nuove e preziose opportunità di crescita e occupazione. Le soluzioni sviluppate per mezzo di un'azione avviata a livello unionale contrasteranno le principali minacce alla competitività industriale e consentiranno una rapida diffusione e riproduzione in tutto il mercato unico e oltre. Questo consentirà la transizione verso un'economia verde che tenga conto dell'uso sostenibile delle risorse. Le parti in questo approccio comprenderanno i responsabili politici internazionali, europei e nazionali, i programmi di ricerca e innovazione internazionali e degli Stati membri, le imprese e le industrie europee, l'Agenzia europea dell'ambiente e le agenzie ambientali nazionali e altre parti interessate.Oltre alla cooperazione bilaterale e regionale, le azioni a livello unionale sosterranno altresì gli sforzi e le iniziative internazionali pertinenti, compreso il gruppo intergovernativo di esperti dei cambiamenti climatici (IPCC), la piattaforma intergovernativa per la biodiversità e i servizi ecosistemici (IPBES) e il gruppo sull'osservazione della Terra (GEO).

Le grandi linee delle attività

(a) Lotta e adattamento ai cambiamenti climatici

Lo scopo è sviluppare e valutare misure e strategie di adattamento e attenuazione innovative, efficienti in termini di costi e sostenibili concernenti i gas ad effetto serra e gli aerosol (CO2 e diversi dal CO2), sottolineando le soluzioni verdi tecnologiche e non, attraverso la produzione di prove finalizzata a un'azione informata, tempestiva ed efficace e la messa in rete delle competenze richieste. Le attività si concentrano sul miglioramento della comprensione dei cambiamenti climatici e dei rischi associati ai fenomeni estremi nonché ai cambiamenti improvvisi legati al clima al fine di fornire proiezioni climatiche affidabili, sulla valutazione degli impatti a livello globale, regionale e locale e delle vulnerabilità, sullo sviluppo di misure di adeguamento e di prevenzione e gestione dei rischi innovative ed efficienti in termini di costi e sul sostegno alle politiche e alle strategie di mitigazione, tra cui gli studi incentrati sull'impatto di altre politiche settoriali.

(b) Protezione dell'ambiente, gestione sostenibile delle risorse naturali e idriche, della biodiversità e degli ecosistemi

L'obiettivo è fornire le conoscenze e gli strumenti per la gestione e la protezione delle risorse naturali, al fine di conseguire un equilibrio sostenibile tra risorse limitate ed esigenze presenti e future della società e dell'economia. Le attività si concentrano sullo sviluppo della nostra comprensione della biodiversità e del funzionamento degli ecosistemi, della loro interazione con i sistemi sociali e del loro ruolo nel sostenere l'economia e il benessere umano, sullo sviluppo di approcci integrati per affrontare le sfide connesse all'acqua e la transizione verso una gestione e un uso sostenibili delle risorse e dei servizi idrici e sulla fornitura di conoscenze e strumenti che consentano un processo decisionale efficace e il coinvolgimento del pubblico.

(c) Garantire un approvvigionamento sostenibile di materie prime non energetiche e non agricole

Lo scopo è migliorare la base di conoscenze sulle materie prime e sviluppare soluzioni innovative per l'esplorazione, l'estrazione, il trattamento, l'utilizzazione e la riutilizzazione, il riciclaggio e il recupero di materie prime efficienti in termini di costi e sotto il profilo delle risorse e rispettosi dell'ambiente e per la loro sostituzione con alternative a minor impatto ambientale economicamente attraenti e sostenibili sul piano ambientale, compresi processi e sistemi a ciclo chiuso. Le attività si concentrano sul miglioramento della base di conoscenze relativa alla disponibilità di materie prime, sulla promozione della fornitura, dell'utilizzo e del riutilizzo sostenibili ed efficaci delle materie prime, comprese le risorse minerarie, a terra e in mare, sull'individuazione di alternative alle materie prime essenziali e sul miglioramento della consapevolezza e delle competenze sociali riguardo alle materie prime.

(d) Agevolare la transizione verso un'economia e una società verdi per mezzo dell'ecoinnovazione

L'obiettivo è promuovere tutte le forme di ecoinnovazione che consentono la transizione verso un'economia verde. Le attività tra l'altro si basano su quelle intraprese nel quadro del programma per l'ecoinnovazione e le rafforzano, e si concentrano sul rafforzamento di tecnologie, processi, servizi e prodotti ecoinnovativi, anche attraverso l'esplorazione di modalità per ridurre la quantità di materie prime nella produzione e nel consumo, sul superamento delle barriere in tale contesto, nonché sulla loro diffusione e replicazione sul mercato, con particolare attenzione per le PMI, sul sostegno alle politiche innovative, ai modelli economici sostenibili e ai cambiamenti sociali, sulla misurazione e la valutazione dei progressi verso un'economia verde e sulla promozione dell'efficienza delle risorse per mezzo dei sistemi digitali.

(e) Sviluppare sistemi globali e continuativi di informazione e osservazione ambientali a livello mondiale

L'obiettivo è garantire la fornitura dei dati e informazioni a lungo termine necessari per far fronte a questa sfida. Le attività si concentrano sulle capacità, le tecnologie e le infrastrutture di dati relative all'osservazione e alla sorveglianza della Terra, basate sia sul telerilevamento che su misurazioni in loco, in grado di fornire costantemente informazioni tempestive e dettagliate e di consentire previsioni e proiezioni. È opportuno promuovere un accesso libero, aperto e privo di restrizioni a dati e informazioni interoperabili. Le attività contribuiscono a definire le future attività operative del programma Copernicus e a potenziare l'uso dei dati Copernicus per le attività di ricerca.

(f) Patrimonio culturale

L'obiettivo è la ricerca sulle strategie, le metodologie e gli strumenti necessari per garantire un patrimonio culturale dinamico e sostenibile per l'Europa in risposta al cambiamento climatico. Il patrimonio culturale nelle sue varie forme fisiche offre il contesto per la vita di comunità resilienti che rispondono a cambiamenti multivariati. La ricerca nell'ambito del patrimonio culturale richiede un approccio pluridisciplinare per migliorare la comprensione del materiale storico. Le attività si concentrano sull'individuazione di livelli di resilienza mediante osservazioni, monitoraggio e modellazione e permettono una migliore comprensione del modo in cui le comunità percepiscono il cambiamento climatico e i rischi sismici e vulcanici e reagiscono a essi.";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:48:01";"664389" +"H2020-EU.2.1.6.3.";"de";"H2020-EU.2.1.6.3.";"";"";"Grundlagen für die Nutzung von Weltraumdaten";"Enabling exploitation of space data";"

Grundlagen für die Nutzung von Weltraumdaten

Die Nutzung der Daten europäischer – wissenschaftlich, öffentlich oder kommerziell betriebener – Satelliten lässt sich deutlich erhöhen, wenn auf der Grundlage des Artikels 189 AEUV größere Anstrengungen in Bezug auf die Verarbeitung, Archivierung, Validierung, Standardisierung und nachhaltige Verfügbarkeit der Weltraumdaten sowie die Förderung der Entwicklung neuer Informationsprodukte und -dienste, die sich auf diese Daten stützen, unternommen werden, einschließlich Innovationen bei der Handhabung, Weitergabe und Kompatibilität der Daten, vor allem Förderung des Zugangs zu und des Austauschs von geowissenschaftlichen Daten und Metadaten. Diese Tätigkeiten können auch höhere Renditen der Investitionen in die Weltrauminfrastruktur sicherstellen und zur Bewältigung gesellschaftlicher Herausforderungen dann beitragen, wenn sie global koordiniert werden, etwa im Rahmen des Globalen Überwachungssystems für Erdbeobachtungssysteme (GEOSS) – insbesondere durch vollständige Ausschöpfung des Potenzials des GMES-Programms als wichtigstem europäischem Beitrag hierzu – des europäischen Satellitennavigationsprogramms Galileo oder des Zwischenstaatlichen Sachverständigenrats für Klimafragen (IPCC). Eine rasche Einbeziehung dieser Innovationen in die einschlägigen Anwendungs- und Entscheidungsprozesse wird unterstützt. Dies schließt auch die Auswertung von Daten für weitere wissenschaftliche Untersuchungen ein.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:29";"664213" +"H2020-Euratom";"en";"H2020-Euratom";"";"";"Euratom";"";"";"";"H2020";"H2020";"";"";"2014-09-23 17:05:17";"664515" +"H2020-EU.2.1.6.3.";"es";"H2020-EU.2.1.6.3.";"";"";"Favorecer la explotación de los datos espaciales";"Enabling exploitation of space data";"

Favorecer la explotación de los datos espaciales

Resulta posible incrementar considerablemente la explotación de los datos procedentes de los satélites europeos (científicos, públicos o comerciales) si se lleva a cabo un mayor esfuerzo para el tratamiento, archivo, validación, normalización y disponibilidad sostenible de los datos espaciales, así como para apoyar la introducción de nuevos productos y servicios de información derivados de esos datos, a la vista del artículo 189 del TFUE, y las innovaciones en materia de manipulación, difusión e interoperabilidad de datos, en particular la promoción del acceso a los datos y metadatos en materia de ciencias de la Tierra y el intercambio de dichos datos, también pueden garantizar una mayor rentabilidad de la inversión en infraestructura espacial y contribuir a afrontar los retos de la sociedad, en particular si se coordinan en un esfuerzo mundial, por ejemplo a través del Sistema de Sistemas de Observación Mundial de la Tierra (GEOSS), concretamente mediante una plena explotación del programa Copernicus como contribución europea principal del citado sistema, el programa europeo de navegación por satélite Galileo, o el IPCC para las cuestiones relacionadas con el cambio climático. Se apoyará la rápida introducción de estas innovaciones en los procesos pertinentes de aplicación y de toma de decisiones. Ello incluye asimismo la explotación de los datos para investigaciones científicas ulteriores.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:29";"664213" +"H2020-EU.2.1.6.3.";"fr";"H2020-EU.2.1.6.3.";"";"";"Permettre l'exploitation des données spatiales";"Enabling exploitation of space data";"

Permettre l'exploitation des données spatiales

L'exploitation des données provenant des satellites européens (qu'ils soient scientifiques, publics ou commerciaux) peut progresser de manière considérable moyennant un nouvel effort pour le traitement, l'archivage, la validation, la normalisation et la mise à disposition durable des données spatiales, ainsi que pour soutenir le développement de nouveaux produits et services résultant de ces données, dans le domaine de l'information, en tenant compte de l'article 189 du traité sur le fonctionnement de l'Union européenne, y compris des innovations dans le domaine du traitement, de la diffusion et de l'interopérabilité des données, notamment la promotion d'un accès aux données et métadonnées relatives aux sciences de la terre et à leur échange. Ces activités peuvent également garantir un meilleur retour sur investissement des infrastructures spatiales et contribuer à relever les défis de société, surtout si elles sont coordonnées dans le cadre d'initiatives mondiales, telles que le réseau mondial des systèmes d'observation de la Terre, en l'occurrence en exploitant pleinement le programme Copernicus, qui constitue la principale contribution européenne, le programme européen de navigation par satellite Galileo ou le Groupe d'experts intergouvernemental sur l'évolution du climat. Un soutien sera accordé à l'intégration rapide de ces innovations dans les processus de demande et de prise de décision. Cela recouvre également l'exploitation des données à des fins de recherches scientifiques complémentaires.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:29";"664213" +"H2020-EU.2.1.6.3.";"pl";"H2020-EU.2.1.6.3.";"";"";"Umożliwienie wykorzystania danych pozyskanych w przestrzeni kosmicznej";"Enabling exploitation of space data";"

Umożliwienie wykorzystania danych pozyskanych w przestrzeni kosmicznej

Znaczną intensyfikację wykorzystania danych pochodzących z satelitów europejskich (naukowych, publicznych lub komercyjnych) można osiągnąć, jeżeli kontynuowane będą wysiłki w zakresie przetwarzania, archiwizowania, walidacji i standaryzacji oraz trwałej dostępności danych pozyskanych w przestrzeni kosmicznej, a także w zakresie wspierania rozwoju nowych produktów i usług informacyjnych opartych na tych danych – z uwzględnieniem art. 189 TFUE – w tym innowacji w zakresie przetwarzania, upowszechniania i interoperacyjności danych; w szczególności wspieranie dostępu do naukowych danych i metadanych dotyczących Ziemi oraz ich wymiana. Takie działania mogą również zapewnić większy zwrot z inwestycji w infrastrukturę kosmiczną i przyczynić się do sprostania wyzwaniom społecznym, w szczególności w przypadku ich skoordynowania w ramach globalnego wysiłku, np. poprzez Globalną Sieć Systemów Obserwacji Ziemi (GEOSS), tj. poprzez pełne wykorzystanie programu Copernicus jako głównego wkładu europejskiego w tę sieć, europejski program nawigacji satelitarnej Galileo lub Międzyrządowego Zespołu ds. Zmian Klimatu (IPCC) w odniesieniu do kwestii dotyczących zmiany klimatu. Wspierane będzie szybkie wprowadzenie tych innowacji do odpowiednich zastosowań i procesów decyzyjnych. Obejmuje to również wykorzystywanie danych do dalszych badań naukowych.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:29";"664213" +"H2020-EU.2.1.6.3.";"it";"H2020-EU.2.1.6.3.";"";"";"Permettere lo sfruttamento dei dati spaziali";"";"

Permettere lo sfruttamento dei dati spaziali

È possibile conseguire un aumento considerevole dello sfruttamento dei dati provenienti dai satelliti europei (scientifici, pubblici o commerciali) con un ulteriore sforzo per il trattamento, l'archiviazione, la convalida, la standardizzazione e la disponibilità sostenibile dei dati spaziali, nonché per sostenere lo sviluppo di nuovi prodotti e servizi di informazione derivanti da tali dati, tenendo conto dell'articolo 189 TFUE, ivi incluse le innovazioni nella gestione, nella diffusione e nell'interoperabilità dei dati, segnatamente la promozione dell'accesso a dati e metadati delle scienze della Terra e dello scambio di questi ultimi. Tali attività possono altresì garantire un ritorno degli investimenti più elevato per le infrastrutture spaziali e contribuire ad affrontare le sfide per la società, in particolare se coordinate in uno sforzo globale, come per esempio attraverso il Sistema di sistemi per l'osservazione globale della terra (GEOSS), vale a dire sfruttando appieno il programma Copernicus in quanto principale contributo europeo, il programma europeo di navigazione satellitare Galileo o il Gruppo intergovernativo di esperti sul cambiamento climatico (IPCC) per le questioni legate ai cambiamenti climatici. Sarà dato sostegno a una rapida introduzione di tali innovazioni nei pertinenti processi decisionali e di applicazione. Ciò comprende altresì l'utilizzo dei dati per ulteriori indagini scientifiche.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:29";"664213" +"H2020-EU.5.f.";"en";"H2020-EU.5.f.";"";"";"Develop the governance for the advancement of responsible research and innovation by all stakeholders, which is sensitive to society needs and demands and promote an ethics framework for research and innovation";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:51:41";"664505" +"H2020-EU.5.b.";"en";"H2020-EU.5.b.";"";"";"Promote gender equality in particular by supporting structural change in the organisation of research institutions and in the content and design of research activities";"";"";"";"H2020";"H2020-EU.5.";"";"";"2014-09-22 20:51:29";"664499" +"H2020-EU.3.2.4.1.";"en";"H2020-EU.3.2.4.1.";"";"";"Fostering the bio-economy for bio-based industries";"";"";"";"H2020";"H2020-EU.3.2.4.";"";"";"2014-09-22 20:45:29";"664311" +"H2020-EU.2.1.6.2.";"it";"H2020-EU.2.1.6.2.";"";"";"Consentire progressi nell'ambito delle tecnologie spaziali";"Enabling advances in space technology";"

Consentire progressi nell'ambito delle tecnologie spaziali

Quest'iniziativa mira a sviluppare tecnologie spaziali avanzate e abilitanti e concetti operativi dall'idea alla dimostrazione nello spazio. Ciò comprende le tecnologie a sostegno dell'accesso allo spazio, le tecnologie per la protezione dei dispositivi spaziali da minacce quali detriti spaziali ed eruzioni solari, nonché per le telecomunicazioni satellitari, la navigazione e il telerilevamento. Lo sviluppo e l'applicazione di tecnologie spaziali avanzate richiede un'istruzione e una formazione continue di ingegneri e scienziati altamente qualificati, nonché forti connessioni tra questi e gli utenti delle applicazioni spaziali.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:25";"664211" +"H2020-EU.2.1.6.2.";"de";"H2020-EU.2.1.6.2.";"";"";"Grundlagen für Fortschritte in den Weltraumtechnologien";"Enabling advances in space technology";"

Grundlagen für Fortschritte in den Weltraumtechnologien

Ziel ist die Entwicklung fortgeschrittener und grundlegender Weltraumtechnologien und operativer Konzepte von der Idee bis zur Demonstration im Weltraum. Dies schließt Technologien für einen besseren Zugang zum Weltraum, Technologien zum Schutz der Weltraumsysteme vor Bedrohungen durch beispielsweise Weltraummüll oder Sonneneruptionen sowie Telekommunikation, Navigation und Fernerkundung über Satelliten ein. Die Entwicklung und Anwendung fortgeschrittener Weltraumtechnologien erfordert die kontinuierliche Aus- und Weiterbildung hochqualifizierter Ingenieure und Wissenschaftler sowie eine enge Verbindung zwischen diesen und den Nutzern der Raumfahrtanwendungen.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:25";"664211" +"H2020-EU.2.1.6.2.";"pl";"H2020-EU.2.1.6.2.";"";"";"Wspomaganie postępów w zakresie technologii kosmicznych";"Enabling advances in space technology";"

Wspomaganie postępów w zakresie technologii kosmicznych

Ma to na celu opracowanie zaawansowanych i prorozwojowych technologii kosmicznych i koncepcji operacyjnych od poziomu pomysłu po demonstrację w przestrzeni kosmicznej. Obejmuje to technologie wspomagające dostęp do przestrzeni kosmicznej, technologie służące ochronie systemów kosmicznych przed zagrożeniami takimi jak kosmiczne śmieci i rozbłyski słoneczne, oraz satelitarne technologie łączności, nawigacji i teledetekcji. Opracowanie i zastosowanie zaawansowanych technologii kosmicznych wymaga ciągłego kształcenia i szkolenia wysoce wykwalifikowanych inżynierów i naukowców, a także silnych powiązań między nimi a użytkownikami zastosowań kosmicznych.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:25";"664211" +"H2020-EU.2.1.6.2.";"fr";"H2020-EU.2.1.6.2.";"";"";"Permettre des avancées dans le domaine des technologies spatiales";"Enabling advances in space technology";"

Permettre des avancées dans le domaine des technologies spatiales

L'objectif est de permettre le développement de technologies spatiales et de concepts opérationnels avancés et catalyseurs, du stade de l'idée à celui de la démonstration en milieu spatial. Il s'agit notamment des technologies soutenant l'accès à l'espace, des technologies permettant d'assurer la protection des équipements spatiaux contre les menaces telles que les débris et les éruptions solaires ainsi que des technologies de télécommunication par satellite, de navigation et de télédétection. Le développement et la mise en œuvre de technologies spatiales avancées nécessitent un système d'éducation et de formation continues pour disposer d'ingénieurs et de scientifiques hautement qualifiés, ainsi que des liens étroits entre ceux-ci et les utilisateurs des applications spatiales.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:25";"664211" +"H2020-EU.2.1.6.2.";"es";"H2020-EU.2.1.6.2.";"";"";"Favorecer los avances en las tecnologías espaciales";"Enabling advances in space technology";"

Favorecer los avances en las tecnologías espaciales

El objetivo es desarrollar tecnologías espaciales avanzadas y generadoras y conceptos operativos que vayan de la idea a la demostración en el espacio. Ello incluye las tecnologías de apoyo del acceso al espacio, las tecnologías para la protección del patrimonio espacial frente a amenazas tales como la basura espacial y las fulguraciones solares, así como la navegación, la teledetección y las telecomunicaciones por satélite. Para desarrollar y aplicar tecnologías espaciales avanzadas son necesarias la educación y la formación permanentes de ingenieros y científicos altamente cualificados, así como unos sólidos vínculos entre estos y los usuarios de las aplicaciones espaciales.";"";"H2020";"H2020-EU.2.1.6.";"";"";"2014-09-22 20:42:25";"664211" +"H2020-Euratom-1.8.";"en";"H2020-Euratom-1.8.";"";"";"Ensure availability and use of research infrastructures of pan_european relevance";"";"";"";"H2020";"H2020-Euratom-1.";"";"";"2014-09-22 20:52:33";"664533" +"H2020-EU.3.3.1.3.";"en";"H2020-EU.3.3.1.3.";"";"";"Foster European Smart cities and Communities";"";"";"";"H2020";"H2020-EU.3.3.1.";"";"";"2014-09-22 20:46:09";"664329" +"H2020-EU.3.7.3.";"en";"H2020-EU.3.7.3.";"";"";"Strengthen security through border management";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2014-09-22 20:50:34";"664469" +"H2020-EU.3.7.";"fr";"H2020-EU.3.7.";"";"";"DÉFIS DE SOCIÉTÉ - Sociétés sûres - Protéger la liberté et la sécurité de l'Europe et de ses citoyens";"Secure societies";"

DÉFIS DE SOCIÉTÉ - Sociétés sûres - Protéger la liberté et la sécurité de l'Europe et de ses citoyens

Objectif spécifique

L'objectif spécifique est de promouvoir des sociétés européennes sûres dans un contexte de transformations sans précédent et d'interdépendances et de menaces mondiales croissantes, tout en renforçant la culture européenne de liberté et de justice.L'Europe n'a jamais été aussi pacifiée, et les citoyens européens bénéficient de niveaux de sécurité élevés par rapport à d'autres régions du monde. Toutefois, sa vulnérabilité perdure dans un contexte de mondialisation sans cesse croissante dans lequel les sociétés font face à des menaces et à des défis pour la sécurité qui gagnent en ampleur et en complexité.La menace d'agressions militaires à grande échelle a diminué et les questions de sécurité se concentrent sur de nouvelles menaces multiformes, interdépendantes et transnationales. Il y a lieu de prendre en compte des aspects tels que les droits de l'homme, la dégradation de l'environnement, la stabilité politique et la démocratie, les questions sociales, l'identité culturelle et religieuse ou la migration. Dans ce contexte, les aspects internes et externes de la sécurité sont inextricablement liés. Afin de protéger la liberté et la sécurité, l'Union doit trouver des réponses efficaces au moyen d'un éventail complet et innovant d'instruments de sécurité. La recherche et l'innovation peuvent jouer un rôle de soutien évident bien qu'elles ne puissent, à elles seules, garantir la sécurité. Les activités de recherche et d'innovation devraient viser à comprendre, à détecter, à empêcher et à dissuader les menaces pour la sécurité, à s'y préparer et à s'en protéger. De surcroît, la sécurité implique des défis fondamentaux qui ne peuvent être relevés de manière indépendante ou sectorielle, mais exigent des approches plus ambitieuses, coordonnées et globales.Les citoyens sont de plus en plus affectés par de nombreuses formes d'insécurité, qu'elles soient dues à la criminalité, à la violence, au terrorisme, aux catastrophes naturelles/d'origine humaine, aux cyberattaques ou aux atteintes à la vie privée, ou à d'autres formes de désordres sociaux et économiques.D'après les estimations, jusqu'à 75 millions de personnes seraient chaque année directement victimes de la criminalité en Europe. Les coûts directs de la criminalité, du terrorisme, des activités illégales, de la violence et des catastrophes en Europe ont été évalués à au moins 650 milliards d'EUR en 2010 (soit environ 5 % du PIB de l'Union). Le terrorisme a eu des conséquences irréparables dans plusieurs régions d'Europe et dans le monde, en ayant provoqué la mort de très nombreuses personnes et entraîné de lourdes pertes économiques. Il a également eu des répercussions culturelles et importantes au niveau mondial.Les particuliers, les entreprises et les institutions interagissent de plus en plus souvent par voie électronique et ont de plus en plus recours aux transactions en ligne, que ce soit dans le cadre de relations sociales, financières ou commerciales. Le développement de l'internet a cependant entraîné celui de la cybercriminalité, qui représente des milliards d'euros chaque année, et son lot de cyberattaques contre des infrastructures critiques et d'atteintes à la vie privée, qui affectent les individus ou les entités sur l'ensemble du continent. Les changements liés à la nature et à la perception de l'insécurité, au jour le jour, ne peuvent qu'entamer la confiance des citoyens à l'égard non seulement des institutions, mais aussi de leurs semblables.Afin d'anticiper, de prévenir et de gérer ces menaces, il est nécessaire de comprendre les causes, de concevoir et de mettre en œuvre des technologies, des solutions, des outils de prospection et des connaissances innovants, d'intensifier la coopération entre fournisseurs et utilisateurs, de trouver des solutions en matière de sécurité civile, d'améliorer la compétitivité du secteur européen de la sécurité et des services qu'il propose, y compris dans le domaine des TIC, et de prévenir et de combattre les atteintes à la vie privée et la violation des droits de l'homme sur l'internet, et ailleurs, tout en garantissant les droits et libertés individuels des citoyens européens.Afin d'améliorer la coopération transfrontière entre les différents types de services d'urgence, il conviendrait de veiller à l'interopérabilité et à la normalisation.Enfin, puisque les politiques de sécurité devraient interagir avec diverses politiques sociales, une composante importante de ce défi consistera à renforcer la dimension sociétale de la recherche relative à la sécurité.Le respect des valeurs fondamentales telles que la liberté, la démocratie, l'égalité et l'État de droit doit être à la base de toute activité entreprise dans le cadre de ce défi de société pour apporter la sécurité aux citoyens européens.

Justification et valeur ajoutée de l'Union

L'Union et ses citoyens, ses entreprises et ses partenaires internationaux sont confrontés à une série de menaces pour la sécurité, comme la criminalité, le terrorisme, le trafic et les situations d'urgence collectives dues à des catastrophes naturelles ou d'origine humaine. Ces menaces peuvent traverser les frontières et visent tant des cibles physiques que le cyberespace, les attaques provenant de différentes sources. Les attaques contre des systèmes d'information ou de communication de pouvoirs publics et d'entités privées, par exemple, non seulement sapent la confiance des citoyens dans les systèmes d'information et de communication et entraînent des pertes financières directes et une perte de débouchés commerciaux, mais elles peuvent également porter gravement atteinte à des infrastructures et services critiques tels que l'énergie, l'aviation et d'autres moyens de transport, la fourniture d'eau et de produits alimentaires, la santé, la finance et les télécommunications.Ces menaces pourraient éventuellement mettre en danger les fondements internes de notre société. La technologie et la conception créative peuvent apporter une contribution importante à toute réponse qui sera mise au point. Toutefois, il conviendrait d'élaborer de nouvelles solutions tout en gardant à l'esprit le caractère approprié des moyens et leur adéquation avec la demande de la société, en particulier en termes de garanties pour les droits et libertés fondamentaux des citoyens.Enfin, la sécurité représente également un enjeu économique majeur, compte tenu de la place que l'Europe occupe sur le marché mondial de la sécurité, qui connaît une croissance rapide. Compte tenu de l'incidence potentielle de certaines menaces sur les services, les réseaux ou les entreprises, le déploiement de solutions de sécurité adéquates est devenu essentiel pour l'économie et la compétitivité de l'industrie manufacturière européenne. La coopération entre les États membres, mais aussi avec les pays tiers et les organisations internationales, est un élément de ce défi.Le financement de la recherche et de l'innovation par l'Union au titre de ce défi de société appuiera donc le développement, la mise en œuvre et l'adaptation de politiques fondamentales de l'Union, notamment les objectifs de la stratégie Europe 2020, la politique étrangère et de sécurité commune, la stratégie de sécurité intérieure pour l'Union et l'initiative phare «Une stratégie numérique pour l'Europe». Une coordination sera instaurée avec les actions directes du JRC.

Grandes lignes des activités

L'objectif est de soutenir les politiques de l'Union en matière de sécurité intérieure et extérieure et de veiller à la cybersécurité, à la confiance et au respect de la vie privée dans le marché unique numérique, tout en améliorant la compétitivité du secteur européen de la sécurité et des services qu'il propose, y compris dans le domaine des TIC. Les activités mettront notamment l'accent sur la recherche et le développement concernant la prochaine génération de solutions innovantes, en travaillant sur de nouveaux concepts, conceptions et normes interopérables. Il conviendra pour ce faire de développer des technologies et des solutions innovantes qui comblent les lacunes en matière de sécurité et permettent de réduire le risque lié aux menaces dans ce domaine.Ces actions axées sur la réalisation de missions intégreront les exigences de différents utilisateurs finaux (citoyens, entreprises, organisations de la société civile et administrations, y compris les autorités au niveau national et international, services de protection civile, services répressifs, gardes-frontières, etc.), afin de prendre en considération l'évolution des menaces en matière de sécurité, la protection de la vie privée et les aspects sociétaux nécessaires.Les activités visent à:(a) lutter contre la criminalité, les trafics et le terrorisme, notamment en appréhendant et en combattant les idées et les convictions terroristes; (b) protéger et améliorer la résilience des infrastructures critiques, des chaînes d'approvisionnement et des modes de transport; (c) renforcer la sécurité par la gestion des frontières; (d) améliorer la cybersécurité; (e) améliorer la résilience de l'Europe face aux crises et aux catastrophes; (f) garantir le respect de la vie privée et de la liberté, y compris sur l'internet, et renforcer la compréhension, du point de vue sociétal, juridique et éthique, de tous les domaines de la sécurité, du risque et de la gestion; (g) améliorer la normalisation et l'interopérabilité des systèmes, notamment à des fins d'urgence;(h) soutenir la politique extérieure de l'Union en matière de sécurité, y compris pour la prévention des conflits et la consolidation de la paix. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:50:23";"664463" +"H2020-EU.3.7.";"pl";"H2020-EU.3.7.";"";"";"WYZWANIA SPOŁECZNE - Bezpieczne społeczeństwa – ochrona wolności i bezpieczeństwa Europy i jej obywateli";"Secure societies";"

WYZWANIA SPOŁECZNE - Bezpieczne społeczeństwa – ochrona wolności i bezpieczeństwa Europy i jej obywateli

Cel szczegółowy

Celem szczegółowym jest wspieranie bezpiecznych społeczeństw europejskich w kontekście bezprecedensowych transformacji i nasilających się globalnych współzależności oraz zagrożeń, przy jednoczesnym wzmocnieniu europejskiej kultury wolności i sprawiedliwości.Europa nie była nigdy do tego stopnia pokojowo skonsolidowana, a poziom bezpieczeństwa obywateli w Europie jest wysoki w porównaniu z innymi częściami świata. Jednak podatność Europy na zagrożenia utrzymuje się w kontekście postępującej w niespotykanym dotąd tempie globalizacji – społeczeństwa mierzą się w dziedzinie bezpieczeństwa z ryzykiem i wyzwaniami, których skala i stopień wyrafinowania są coraz większe.Zagrożenie agresją wojskową o dużym zasięgu zmniejszyło się, a obawy dotyczące bezpieczeństwa skupiają się na nowych wieloaspektowych, powiązanych ze sobą i ponadnarodowych zagrożeniach. Pod uwagę należy wziąć aspekty takie jak prawa człowieka, degradacja środowiska, stabilność polityczna i demokracja, kwestie społeczne, tożsamość kulturowa i religijna czy migracja. W tym kontekście wewnętrzne i zewnętrzne aspekty bezpieczeństwa są ze sobą nierozerwalnie powiązane. Do ochrony wolności i bezpieczeństwa Unia potrzebuje skutecznych odpowiedzi przewidujących użycie kompleksowego i innowacyjnego zestawu instrumentów bezpieczeństwa. Badania naukowe i innowacje mogą wyraźnie odgrywać istotną rolę wspomagającą, choć nie mogą samodzielnie zagwarantować bezpieczeństwa. Działania w zakresie badań naukowych i innowacji powinny mieć na celu zrozumienie zagrożeń bezpieczeństwa, wykrywanie ich, zapobieganie im, powstrzymywanie i ochronę przed nimi oraz przygotowanie na nie. Ponadto bezpieczeństwo wiąże się z fundamentalnymi wyzwaniami, których nie można wyeliminować w sposób niezależny i sektorowy i które wymagają ambitniejszych, skoordynowanych i całościowych podejść.Obywatele coraz częściej mają do czynienia z poczuciem zagrożenia w wielu formach, niezależnie od tego, czy jest to zagrożenie przestępczością, przemocą, terroryzmem, katastrofami naturalnymi lub spowodowanymi przez człowieka, atakami cybernetycznymi lub naruszeniami prywatności czy innymi formami zaburzeń społecznych i gospodarczych.Według szacunków, co roku w Europie ofiarą przestępstw pada bezpośrednio nawet 75 mln osób. W 2010 r. bezpośredni koszt przestępczości, terroryzmu, czynów niezgodnych z prawem, przemocy i katastrof w Europie oszacowano na co najmniej 650 mld EUR (ok. 5% PKB Unii). W niektórych częściach Europy i świata dały o sobie znać fatalne skutki terroryzmu, który kosztował tysiące istnień ludzkich i spowodował znaczne straty gospodarcze. Miał on również znaczne oddziaływanie kulturowe i globalne.Obywatele, przedsiębiorstwa i instytucje są w coraz większym stopniu zaangażowane w cyfrowe interakcje i transakcje w społecznych, finansowych i handlowych obszarach życia, jednak rozwój internetu doprowadził także do pojawienia się cyberprzestępczości, przynoszącej co roku miliardy euro strat, do cyberataków na infrastrukturę krytyczną oraz naruszeń prywatności dotykających osoby fizyczne lub organizacje na całym kontynencie. Zmiany charakteru i sposobu odczuwania braku bezpieczeństwa w życiu codziennym prawdopodobnie wpłyną na zaufanie obywateli nie tylko do instytucji, lecz także do siebie nawzajem.Przewidywanie tych zagrożeń, zapobieganie im i postępowanie w przypadku ich wystąpienia wymaga zrozumienia przyczyn, opracowania i zastosowania innowacyjnych technologii, rozwiązań, narzędzi prognozowania i wiedzy, stymulowania współpracy między dostawcami i użytkownikami, poszukiwania rozwiązań w zakresie bezpieczeństwa cywilnego, podniesienia konkurencyjności europejskich sektorów i usług bezpieczeństwa, w tym ICT, oraz zapobiegania nadużyciom w zakresie prywatności i łamania praw człowieka w internecie i gdzie indziej oraz zwalczania tych nadużyć, przy czym należy zapewnić obywatelom Europy indywidualne prawa i wolność.W celu poprawy ponadgranicznej współpracy między różnego rodzaju służbami ratowniczymi należy zwrócić uwagę na kwestie interoperacyjności i normalizacji.Ponadto, ponieważ polityka bezpieczeństwa powinna współgrać z różnymi obszarami polityki społecznej, ważnym aspektem działań podejmowanych w związku z tym wyzwaniem społecznym będzie wzmocnienie społecznego wymiaru badań naukowych w zakresie bezpieczeństwa.Poszanowanie podstawowych wartości, takich jak wolność, demokracja, równość i praworządność, musi leżeć u podstaw wszelkich działań podejmowanych w związku z tym wyzwaniem, co pozwoli zapewnić bezpieczeństwo europejskim obywatelom.

Uzasadnienie i unijna wartość dodana

Unia i jej obywatele, przemysł i partnerzy międzynarodowi stykają się z wieloma zagrożeniami dla ich bezpieczeństwa, takimi jak przestępczość, terroryzm, nielegalny handel i masowe kryzysy wywołane katastrofami naturalnymi lub spowodowanymi przez człowieka. Tego rodzaju zagrożenia mogą przekraczać granice i dotyczyć obiektów fizycznych lub cyberprzestrzeni, a ataki mogą mieć różne źródła. Ataki, na przykład na systemy informacji lub komunikacji organów publicznych i podmiotów prywatnych, nie tylko podważają zaufanie obywateli do systemów informacji i komunikacji, powodują bezpośrednie straty finansowe i szkody w postaci utraty możliwości biznesowych, ale mogą również wywrzeć poważny wpływ na infrastrukturę krytyczną i sektory usługowe, takie jak energia, lotnictwo i inne rodzaje transportu, zaopatrzenie w wodę i żywność, ochrona zdrowia, finanse lub telekomunikacja.Zagrożenia te mogłyby narazić na szwank wewnętrzne podwaliny naszego społeczeństwa. Technologia i twórcze projektowanie mogą w istotny sposób przyczynić się do znalezienia sposobu reakcji na te zagrożenia. Jednak przy opracowywaniu nowych rozwiązań należy pamiętać, że wybrane środki muszą być właściwe i odpowiednie do potrzeb społecznych, w szczególności jeżeli chodzi o zagwarantowanie podstawowych praw i swobód obywatelskich.Bezpieczeństwo stanowi także istotne wyzwanie gospodarcze ze względu na udział Europy w szybko rozwijającym się światowym rynku w tej dziedzinie. Ze względu na potencjalne skutki niektórych zagrożeń dla usług, sieci i przedsiębiorstw, wdrożenie odpowiednich rozwiązań z zakresu bezpieczeństwa nabrało zasadniczego znaczenia dla gospodarki i konkurencyjności produkcji europejskiej. Współpraca między państwami członkowskimi, ale też z państwami trzecimi i organizacjami międzynarodowymi jest elementem tego wyzwania.Unijne finansowanie badań naukowych i innowacji zapewniane w związku z tym wyzwaniem społecznym będzie zatem wspierać rozwój, realizację i dostosowanie kluczowych kierunków polityki Unii, zwłaszcza celów strategii „Europa 2020”, wspólnej polityki zagranicznej i bezpieczeństwa, strategii bezpieczeństwa wewnętrznego Unii i inicjatywy przewodniej „Europejska agenda cyfrowa”. Kontynuowana będzie koordynacja z działaniami bezpośrednimi JRC.

Ogólne kierunki działań

Celem jest wsparcie polityki Unii w zakresie bezpieczeństwa wewnętrznego i zewnętrznego oraz zapewnienie bezpieczeństwa cybernetycznego, zaufania i prywatności na jednolitym rynku cyfrowym, przy jednoczesnej poprawie konkurencyjności unijnego sektora i usług bezpieczeństwa, w tym ICT. Działania te skupią się m.in. na działalności badawczo-rozwojowej w zakresie innowacyjnych rozwiązań nowej generacji i polegać będą na opracowaniu nowatorskich koncepcji, projektów oraz norm gwarantujących interoperacyjność. Nastąpi to dzięki rozwojowi innowacyjnych technologii i rozwiązań służących eliminacji braków w dziedzinie bezpieczeństwa i umożliwiających zmniejszanie ryzyka płynącego z zagrożeń dla bezpieczeństwa.Te zorientowane na realizację misji działania będą prowadzone z uwzględnieniem potrzeb różnych użytkowników końcowych (obywateli, przedsiębiorstw, organizacji społeczeństwa obywatelskiego, administracji, w tym organów krajowych i międzynarodowych, organów ds. ochrony ludności, organów ścigania, straży granicznej itd.), tak by wziąć pod uwagę ewolucję zagrożeń dla bezpieczeństwa i ochrony prywatności oraz niezbędne aspekty społeczne.Działania mają się koncentrować na:(a) zwalczaniu przestępczości, nielegalnego handlu i terroryzmu, w tym na zrozumieniu poglądów i przekonań terrorystów oraz sposobów przeciwstawienia się im; (b) ochronie i poprawie odporności infrastruktury krytycznej, łańcuchów dostaw i środków transportu; (c) zwiększeniu ochrony poprzez zarządzanie granicami; (d) poprawie bezpieczeństwa cybernetycznego; (e) zwiększaniu odporności Europy na kryzysy i katastrofy; (f) zapewnieniu prywatności i wolności, w tym w internecie, oraz lepszym poznaniu przez społeczeństwo prawnych i etycznych aspektów wszystkich obszarów bezpieczeństwa, zagrożenia i zarządzania;(g) wzmocnieniu normalizacji i interoperacyjności systemów, w tym w zakresie zastosowań w sytuacjach kryzysowych; (h) wspieraniu zewnętrznych polityk bezpieczeństwa Unii, w tym zapobiegania konfliktom i budowania pokoju. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:50:23";"664463" +"H2020-EU.3.7.";"de";"H2020-EU.3.7.";"";"";"GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Sichere Gesellschaften – Schutz der Freiheit und Sicherheit Europas und seiner Bürger";"Secure societies";"

GESELLSCHAFTLICHE HERAUSFORDERUNGEN - Sichere Gesellschaften – Schutz der Freiheit und Sicherheit Europas und seiner Bürger

Einzelziel

Einzelziel ist die Förderung sicherer europäischer Gesellschaften vor dem Hintergrund eines beispiellosen Wandels und wachsender globaler Interdependenzen und Bedrohungen, unter Verstärkung der europäischen Kultur der Freiheit und des Rechts.Europa war noch nie so friedlich konsolidiert und die von den europäischen Bürgern in Anspruch genommenen Sicherheitsniveaus sind verglichen mit denen in anderen Teilen der Welt hoch. Die Anfälligkeit Europas bleibt jedoch vor dem Hintergrund einer ständig zunehmenden Globalisierung, in der die Gesellschaften sich Sicherheitsbedrohungen und Herausforderungen gegenübersehen, die sowohl vom Umfang als auch vom Anspruch eher größer werden, bestehen.Die Gefahr ausgedehnter militärischer Aggressionen hat abgenommen und Sicherheitsbedenken konzentrieren sich auf neue vielschichtige, untereinander verflochtene transnationale Bedrohungen. Aspekte wie Menschenrechte, Umweltschädigung, politische Stabilität und Demokratie, soziale Fragen, kulturelle und religiöse Identität oder Einwanderung müssen berücksichtigt werden. In diesem Kontext sind die internen und externen Sicherheitsaspekte untrennbar verbunden. Zum Schutz von Freiheit und Sicherheit benötigt die Union wirksame Antworten unter Heranziehung eines umfassenden und innovativen Satzes von Sicherheitsinstrumenten. Forschung und Innovation können eine eindeutig unterstützende Rolle spielen, wenngleich sie nicht allein die Sicherheit garantieren können. Forschung und innovative Tätigkeiten sollten darauf abzielen, Sicherheitsbedrohungen zu verstehen, aufzuspüren, zu verhindern, aufzudecken, vorzubeugen, abzuwehren, sich darauf vorzubereiten sowie sich vor ihnen zu schützen. Zudem ist die Sicherheit eine grundlegende Herausforderung, die nicht mit unabhängigen und bereichsspezifischen Maßnahmen bewältigt werden kann, sondern die ehrgeizigere, besser koordinierte sowie ganzheitliche Ansätze erfordert.Das Gefühl der Unsicherheit nimmt bei den Bürgern in vielerlei Hinsicht zu, sei es aufgrund von Kriminalität, Gewalt, Terrorismus, Naturkatastrophen bzw. vom Menschen verursachten Katastrophen, Cyberangriffen oder Verletzungen der Privatsphäre oder anderen Formen gesellschaftlicher oder ökonomischer Störungen.Schätzungen zufolge werden in Europa jedes Jahr bis zu 75 Millionen Menschen unmittelbar zu Kriminalitätsopfern(24). Die direkten Kosten von Kriminalität, Terrorismus, illegalen Aktivitäten, Gewalt und Katastrophen in Europa wurden 2010 auf mindestens 650 Mrd. EUR (etwa 5 des BIP der Union) veranschlagt. Der Terrorismus hat sich in verschiedenen Teilen Europas und weltweit mit seinen fatalen Folgen gezeigt, die zum Verlust zahlreicher Menschenleben und zu erheblichen wirtschaftlichen Verlusten geführt haben. Er hat ferner erhebliche Auswirkungen in kultureller und globaler Hinsicht.Bürger, Unternehmen und Institutionen sind im Alltag gesellschaftlich, finanziell und kommerziell zunehmend in digitale Interaktionen und Transaktionen eingebunden, doch die Entwicklung des Internet hat auch zu Computer-Kriminalität geführt, die jedes Jahr Schäden in Milliardenhöhe anrichtet, sowie zu Cyberangriffen auf kritische Infrastrukturen und zur Verletzung der Privatsphäre von Einzelnen und Einrichtungen in ganz Europa. Änderungen in Bezug auf die Art und Wahrnehmung der Unsicherheit im Alltag dürften das Vertrauen der Bürger nicht nur in Institutionen, sondern auch ihr gegenseitiges Vertrauen untergraben.Um solche Bedrohungen vorherzusehen, zu vermeiden und zu bewältigen, müssen die Ursachen verstanden, innovative Technologien, Lösungen, Prognoseinstrumente und Erkenntnisgrundlagen entwickelt und angewendet, die Zusammenarbeit zwischen Anbietern und Nutzern gefördert, Lösungen für die Sicherheit der Bürger gefunden, die Wettbewerbsfähigkeit der europäischen Sicherheitsunternehmen und -dienste, einschließlich IKT, verbessert und Verletzungen der Privatsphäre und der Menschenrechte im Internet und anderswo verhindert und bekämpft und gleichzeitig die individuellen Rechte und die Freiheit der europäischen Bürger geschützt werden.Um die grenzüberschreitende Zusammenarbeit zwischen unterschiedlichen Rettungsdiensten zu verbessern, sollte auf ihre Interoperabilität und die Festlegung von Normen geachtet werden.Da sicherheitspolitische Maßnahmen mit verschiedenen gesellschaftlichen Strategien rückgekoppelt werden sollten, ist die Stärkung der gesellschaftlichen Dimension der Sicherheitsforschung ein wichtiger Aspekt dieser gesellschaftlichen Herausforderung.Die Achtung grundlegender Werte wie Freiheit, Demokratie, Gleichheit und Rechtsstaatlichkeit muss das Fundament aller Tätigkeiten im Zusammenhang mit dieser Herausforderung sein, um den europäischen Bürgern Sicherheit zu bieten.

Begründung und Mehrwert für die Union

Die Union und ihre Bürger, Wirtschaft und internationalen Partner sehen sich einer Reihe von Sicherheitsbedrohungen gegenüber, darunter u. a. Kriminalität, Terrorismus, illegaler Handel und Massennotfälle (aufgrund von Naturkatastrophen oder vom Menschen verursachten Katastrophen). Diese Bedrohungen können grenzüberschreitend und sowohl auf physische als auch auf virtuelle Ziele (Cyberspace) gerichtet sein, wobei die Angriffe von verschiedenen Quellen ausgehen. Angriffe auf Informations- und Kommunikationssysteme von Behörden und Privatunternehmen untergraben beispielsweise nicht nur das Vertrauen der Bürger in Informations- und Kommunikationssysteme und führen nicht nur zu unmittelbaren finanziellen Verlusten und zu Verlusten an Geschäftsmöglichkeiten, sondern können auch kritische Infrastrukturen und Dienstleistungen wie die Energieversorgung, die Luftfahrt und andere Verkehrsträger, die Wasser- und Lebensmittelversorgung, das Gesundheitswesen, den Finanzsektor oder die Telekommunikation ernsthaft beeinträchtigen.Diese Bedrohungen könnten möglicherweise die inneren Fundamente unserer Gesellschaft erschüttern. Technik und kreatives Design können zu möglichen Abwehrreaktionen einen bedeutenden Beitrag leisten. Daher sollten neue Lösungen entwickelt werden, wobei jedoch die Angemessenheit der Mittel und ihre Eignung für das entsprechende gesellschaftliche Anliegen zu berücksichtigen ist; dies gilt insbesondere im Hinblick auf die Gewährleistung der Grundrechte und -freiheiten der Bürger.Darüber hinaus ist Sicherheit – angesichts des Anteils Europas am rasch wachsenden globalen Sicherheitsmarkt – auch ein wichtiger Wirtschaftsfaktor. Angesichts der möglichen Folgen einiger Bedrohungen für Dienste, Netze oder Unternehmen ist der Einsatz angemessener Sicherheitslösungen für die Wirtschaft und die Wettbewerbsfähigkeit der europäischen Industrie inzwischen unabdingbar. Die Zusammenarbeit zwischen den Mitgliedstaaten, aber auch mit Drittländern und internationalen Organisationen, ist ein Bestandteil dieser Herausforderung.Die Unionsförderung von Forschung und Innovation im Rahmen dieser gesellschaftlichen Herausforderung gilt damit der Entwicklung, Umsetzung und Anpassung zentraler Unionsstrategien, insbesondere der Ziele der Strategie Europa 2020, der Gemeinsamen Außen- und Sicherheitspolitik, der Unionsstrategie für die innere Sicherheit und der Leitinitiative ""Eine Digitale Agenda für Europa"". Es erfolgt eine Koordinierung mit den direkten Maßnahmen der Gemeinsamen Forschungsstelle.

Einzelziele und Tätigkeiten in Grundzügen

Ziel ist die Unterstützung von Unionsstrategien für die innere und äußere Sicherheit und zur Gewährleistung von Computer- und Netzsicherheit, Vertrauen und Schutz personenbezogener Daten auf dem digitalen Binnenmarkt bei gleichzeitiger Verbesserung der Wettbewerbsfähigkeit der Sicherheitsunternehmen und -dienste in der EU, einschließlich der IKT. Schwerpunkt der Tätigkeiten ist unter anderem die Erforschung und Entwicklung der nächsten Generation innovativer Lösungen, wobei an neuen Konzepten, Designs und interoperablen Normen gearbeitet wird. Hierzu werden innovative Technologien und Lösungen entwickelt, die Sicherheitslücken beheben und eine Minderung des von Sicherheitsbedrohungen ausgehenden Risikos bewirken.In diese funktionsorientierten Maßnahmen werden die Anforderungen der verschiedenen Endnutzer (Bürger, Unternehmen, Organisationen der Zivilgesellschaft, Verwaltungen, nationale und internationale Behörden, Katastrophenschutz-, Strafverfolgungs-, Grenzschutzstellen usw.) einbezogen, um die Entwicklung bei den Sicherheitsbedrohungen, beim Schutz der Privatsphäre und die notwendigen gesellschaftlichen Aspekte zu berücksichtigen.Schwerpunkte der Tätigkeiten ist:(a) Die Bekämpfung von Kriminalität, illegalem Handel und Terrorismus, einschließlich der Auseinandersetzung mit dem Gedankengut und den Überzeugungen von Terroristen und entsprechender Gegenmaßnahmen; (b) der Schutz und Stärkung der Widerstandsfähigkeit kritischer Infrastrukturen, Versorgungsketten und Verkehrsträger; (c) die Erhöhung der Sicherheit durch Grenzüberwachung; (d) die Verbesserung der Computer- und Netzsicherheit; (e) die Stärkung der Widerstandsfähigkeit Europas gegenüber Krisen und Katastrophen; (f) die Gewährleistung der Privatsphäre und der Freiheit, auch im Internet, und besseres Verständnis der gesellschaftlichen, rechtlichen und ethischen Zusammenhänge in Bezug auf alle Teilbereiche von Sicherheit, Risiko und Gefahrenabwehr; (g) die Förderung der Normung und der Interoperabilität der Systeme, auch für Notfälle; (h) die Unterstützung der externen Sicherheitspolitik der EU, einschließlich Konfliktverhütung und Friedenskonsolidierung. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:50:23";"664463" +"H2020-EU.3.7.";"it";"H2020-EU.3.7.";"";"";"SFIDE PER LA SOCIETÀ - Società sicure - proteggere la libertà e la sicurezza dell'Europa e dei suoi cittadini";"Secure societies";"

SFIDE PER LA SOCIETÀ - Società sicure - proteggere la libertà e la sicurezza dell'Europa e dei suoi cittadini

Obiettivo specifico

L'obiettivo specifico è promuovere società europee sicure in un contesto di trasformazioni senza precedenti e interdipendenze e minacce crescenti di portata mondiale, rafforzando nel contempo la cultura europea della libertà e della giustizia.L'Europa non è mai stata consolidata in modo così pacifico e i livelli di sicurezza di cui godono i cittadini europei sono elevati rispetto ad altre aree del mondo. Tuttavia, l'Europa continua a essere vulnerabile in un contesto di globalizzazione sempre maggiore, in cui le società stanno affrontando minacce e sfide alla sicurezza sempre maggiori in termini di portata e sofisticatezza.La minaccia di un attacco militare su larga scala è diminuita e le preoccupazioni di sicurezza riguardano nuove minacce sfaccettate, interconnesse e transnazionali. Occorre tenere conto di aspetti come i diritti dell'uomo, il degrado ambientale, la stabilità politica e la democrazia, le questioni sociali, l'identità culturale e religiosa o la migrazione. In tale contesto, gli aspetti interni ed esterni della sicurezza sono inestricabilmente connessi. Al fine di proteggere la libertà e la sicurezza, l'Unione richiede risposte efficaci utilizzando un vasto arsenale innovativo di strumenti per la sicurezza. La ricerca e l'innovazione possono svolgere un chiaro ruolo di sostegno, sebbene da sole non possano garantire la sicurezza. Le attività di ricerca e innovazione dovrebbero mirare a comprendere, individuare, prevenire e scoraggiare le minacce alla sicurezza, nonché a prepararsi e proteggersi da esse. Inoltre, la sicurezza presenta sfide fondamentali che non possono essere affrontate con un approccio indipendente e vincolato a uno specifico settore ma che piuttosto richiedono un'impostazione più ambiziosa, coordinata e olistica.Numerose forme di insicurezza, riguardante la criminalità, la violenza, il terrorismo, le catastrofi naturali e imputabili all'uomo, attacchi informatici o violazioni del diritto al rispetto della vita privata e altre forme di disordini economici e sociali, colpiscono sempre più i cittadini.Secondo le stime, è verosimile il dato di 75 milioni di vittime dirette di reati ogni anno in Europa. I costi diretti del crimine, del terrorismo, delle attività illecite, della violenza e delle catastrofi in Europa sono stati stimati in almeno 650 miliardi di EUR (pari a circa il 5 % del PIL dell'Unione) nel 2010. Il terrorismo ha dimostrato le sue conseguenze fatali in diverse parti d'Europa e del mondo, causando la morte di molte persone e importanti perdite economiche. Ha altresì un significativo impatto culturale e globale.I cittadini, le imprese e le istituzioni sono sempre più interessate dalle interazioni e dalle operazioni digitali nei settori sociali, commerciali e finanziari della vita, ma lo sviluppo di internet ha recato con sé reati informatici per svariati miliardi di euro l'anno, attacchi informatici contro infrastrutture critiche e violazioni del diritto al rispetto della vita privata che colpiscono i singoli o le entità in tutto il continente. I mutamenti nel carattere e nella percezione dell'insicurezza nella vita quotidiana possono influire sulla fiducia dei cittadini non solo nei confronti delle istituzioni, ma anche a livello interpersonale.Al fine di anticipare, prevenire e gestire tali minacce, è necessario comprenderne le cause, sviluppare e applicare tecnologie, soluzioni, conoscenze e strumenti di previsione innovativi, stimolare la collaborazione tra fornitori e utenti, trovare soluzioni in materia di sicurezza civile, migliorare la competitività dell'industria e dei servizi europei in materia di sicurezza, comprese le TIC, nonché prevenire e combattere le violazioni del diritto al rispetto della vita privata e dei diritti dell'uomo su internet e altrove, garantendo nel contempo i diritti e le libertà individuali dei cittadini europei.Per migliorare ulteriormente la cooperazione transfrontaliera tra diversi tipi di servizi di emergenza occorre prestare attenzione all'interoperabilità e alla standardizzazione.Infine, dal momento che le politiche di sicurezza dovrebbero interagire con diverse politiche sociali, rafforzare la dimensione sociale della ricerca in materia di sicurezza costituirà un aspetto importante della presente sfida per la società.Il rispetto di valori fondamentali quali la libertà, la democrazia, l'uguaglianza e lo stato di diritto deve costituire la base di qualunque attività intrapresa nel quadro della presente sfida al fine di garantire la sicurezza dei cittadini europei.

Motivazione e valore aggiunto dell'Unione

L'Unione, i suoi cittadini, la sua industria e i suoi partner internazionali devono far fronte a una serie di minacce a livello di sicurezza, come la criminalità, il terrorismo, i traffici illeciti e le situazioni di emergenza di grande portata dovute a calamità naturali o causate dall'uomo. Tali minacce possono attraversare le frontiere e sono rivolte a obiettivi materiali o al ciberspazio con attacchi provenienti da diverse fonti. Ad esempio, gli attacchi condotti contro i sistemi d'informazione o di comunicazione di autorità pubbliche e di enti privati non solo compromettono la fiducia dei cittadini nei sistemi di informazione e comunicazione e comportano perdite finanziarie dirette e una perdita di opportunità commerciali, ma possono anche colpire in modo grave infrastrutture e servizi essenziali, come l'energia, i trasporti aerei e altri modi di trasporto, l'approvvigionamento alimentare e idrico, la sanità, le finanze e le telecomunicazioni.Tali minacce potrebbero mettere in pericolo le fondamenta interne della nostra società. La tecnologia e la progettazione creativa possono dare un importante contributo a qualunque risposta si renda necessaria. Occorre comunque sviluppare nuove soluzioni tenendo sempre conto dell'adeguatezza degli strumenti, anche alle richieste della società, in particolare in termini di garanzie dei diritti e delle libertà fondamentali dei cittadini.Infine, la sicurezza rappresenta anche una notevole sfida economica, tenuto conto della percentuale detenuta dall'Europa nel mercato globale in forte crescita della sicurezza. Dato il potenziale impatto di determinate minacce sui servizi, sulle reti o sulle imprese, l'impiego di adeguate soluzioni di sicurezza è divenuto fondamentale per l'economia e la competitività della produzione europea. La cooperazione tra gli Stati membri e con paesi terzi e organizzazioni internazionali rientra in questa sfida.Il finanziamento dell'Unione alla ricerca e all'innovazione nel quadro di questa sfida per la società sosterrà quindi lo sviluppo, l'attuazione e l'adeguamento delle politiche chiave dell'Unione, segnatamente gli obiettivi della strategia Europa 2020, la politica estera e di sicurezza comune, la strategia per la sicurezza interna dell'Unione e l'iniziativa faro ""Agenda digitale europea"". Sarà perseguito il coordinamento con le azioni dirette del CCR.

Le grandi linee delle attività

L'obiettivo è sostenere le politiche dell'Unione di sicurezza interna ed esterna e garantire la sicurezza, la fiducia e la riservatezza informatiche sul mercato unico digitale, migliorando nel contempo la competitività dell'industria e dei servizi dell'Unione in materia di sicurezza, comprese le TIC. Le attività saranno incentrate tra l'altro sulla ricerca e lo sviluppo per quanto riguarda la prossima generazione di soluzioni innovative, lavorando su nuovi concetti e progetti e norme interoperabili. Questo sarà effettuato per mezzo dello sviluppo di tecnologie e soluzioni innovative mirate a colmare le lacune di sicurezza e a ridurre i rischi derivanti dalle minacce alla sicurezza.Queste azioni orientate alle missioni integreranno le esigenze di diversi utenti finali (cittadini, imprese, organizzazioni della società civile e amministrazioni, comprese le autorità nazionali e internazionali, la protezione civile, le autorità preposte all'applicazione della legge, le guardie di frontiera, ecc.), al fine di tenere in considerazione l'evoluzione delle minacce alla sicurezza e della protezione della vita privata e i necessari aspetti sociali.Il centro delle attività comprende:(a) la lotta alla criminalità, ai traffici illeciti e al terrorismo, anche comprendendo e affrontando le idee e le credenze dei terroristi; (b) la protezione e il potenziamento della resilienza delle infrastrutture essenziali, delle catene di approvvigionamento e dei modi di trasporto; (c) il rafforzamento della sicurezza attraverso la gestione delle frontiere; (d) il miglioramento della sicurezza informatica; (e) l'aumento della resilienza dell'Europa a crisi e catastrofi; (f) la garanzia della vita privata e della libertà, anche su internet, e il miglioramento della comprensione, da un punto di vista sociale, giuridico ed etico, di tutti i settori della sicurezza, del rischio e della relativa gestione; (g) il rafforzamento della standardizzazione e dell'interoperabilità dei sistemi, anche per fini di emergenza; (h) il sostegno delle politiche di sicurezza esterne dell'Unione, tra cui la prevenzione dei conflitti e il consolidamento della pace. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:50:23";"664463" +"H2020-EU.3.7.";"es";"H2020-EU.3.7.";"";"";"RETOS DE LA SOCIEDAD - Sociedades seguras – proteger la libertad y la seguridad de Europa y sus ciudadanos";"Secure societies";"

RETOS DE LA SOCIEDAD - Sociedades seguras – proteger la libertad y la seguridad de Europa y sus ciudadanos

Objetivo específico

El objetivo específico es fomentar unas sociedades europeas seguras en un contexto de transformaciones sin precedentes y creciente interdependencia y crecientes amenazas mundiales, al tiempo que se refuerza la cultura europea de libertad y justicia.Europa nunca antes ha gozado de una paz tan consolidada y los niveles de seguridad que disfrutan los ciudadanos europeos son considerablemente más elevados si se comparan con otras partes del mundo. No obstante, la vulnerabilidad de Europa continúa siendo una realidad en un contexto de globalización creciente en el que las sociedades se enfrentan a amenazas y retos en materia de seguridad cada vez mayores en magnitud y sofisticación.La amenaza de agresiones militares a gran escala ha disminuido y las preocupaciones relativas a la seguridad se centran en nuevas amenazas polifacéticas, interrelacionadas y transnacionales. Es necesario tomar en consideración aspectos tales como los derechos humanos, la degradación medioambiental, la estabilidad política y la democracia, las cuestiones sociales, la identidad cultural y religiosa o el fenómeno de la migración. En este contexto, los aspectos internos y externos de la seguridad están inseparablemente vinculados. Para proteger la libertad y la seguridad, la Unión requiere respuestas eficaces que utilicen un amplio abanico de instrumentos globales e innovadores en materia de seguridad. La investigación y la innovación pueden desempeñar una función clara de apoyo como elemento capacitador aunque por sí solas no pueden garantizar la seguridad. Las actividades de investigación e innovación deben encaminarse a comprender, evitar y desalentar las amenazas a la seguridad, así como a prepararse y protegerse frente a ellas. Además, la seguridad implica retos fundamentales que no pueden superarse mediante un tratamiento independiente y específico por sector, sino que requieren planteamientos más ambiciosos, coordinados y globales.Numerosas formas de inseguridad, tales como las derivadas de la delincuencia, la violencia, el terrorismo, las catástrofes naturales o las provocadas por el ser humano, los ciberataques, las violaciones de la intimidad y otros tipos de trastorno social o económico, afectan cada vez en mayor medida a los ciudadanos.Según los cálculos, es posible que el número de víctimas anuales directas de la delincuencia ascienda a 75 millones en Europa. El coste directo de la delincuencia, el terrorismo, las actividades ilícitas, la violencia y las catástrofes en Europa se cifró en al menos 650 000 millones de euros (alrededor del 5 % del PIB de la Unión) en 2010. El terrorismo ha dado muestras de sus letales consecuencias en diversas partes de Europa, al dejar miles de víctimas mortales y provocar importantes pérdidas económicas. También tuvo un impacto cultural y mundial significativo.Los ciudadanos, empresas e instituciones cada vez intervienen en más transacciones e interacciones digitales en los ámbitos social, financiero y comercial, pero el desarrollo de Internet ha creado también la ciberdelincuencia, que cuesta miles de millones de euros cada año, y los ataques informáticos a infraestructuras críticas y genera violaciones de la intimidad de particulares o asociaciones en todo el continente. Los cambios de la naturaleza y de la percepción de la inseguridad en la vida cotidiana pueden afectar no solo a la confianza de los ciudadanos en las instituciones, sino también a la confianza entre sí.Para anticipar, prevenir y gestionar estas amenazas es necesario crear y aplicar tecnologías y soluciones innovadoras e instrumentos de predicción y conocimiento, estimular la cooperación entre proveedores y usuarios, buscar soluciones de seguridad civil, mejorar la competitividad de los sectores de la seguridad, la industria y los servicios, incluidas las TIC, en Europa, y prevenir y combatir la violación de la intimidad y los derechos humanos en Internet, y otros lugares, sin dejar de garantizar los derechos y libertades individuales de los ciudadanos europeos.A fin de propiciar una mayor colaboración transfronteriza entre los distintos tipos de servicios de urgencia, debe prestarse atención a la interoperabilidad y la normalización.Por último, como las políticas de seguridad deben interactuar con diferentes políticas sociales, reforzar la dimensión social de la investigación sobre seguridad será un aspecto importante de este reto de la sociedad.El respeto a los valores fundamentales, como la libertad, la democracia, la igualdad y el Estado de Derecho debe constituir la base de cualquier actividad emprendida en el contexto de este desafío para proporcionar seguridad a los ciudadanos europeos.

Justificación y valor añadido de la Unión

La Unión y sus ciudadanos, sus industrias y sus socios internacionales se enfrentan a una serie de amenazas a la seguridad tales como la delincuencia, el terrorismo, el tráfico ilegal y las emergencias a gran escala debidas a catástrofes naturales o provocadas por el hombre. Estas amenazas pueden cruzar fronteras e ir dirigidas tanto a objetivos físicos como al ciberespacio, con ataques procedentes de diversas fuentes. Los atentados contra los sistemas de información o de comunicación de las instituciones públicas y de las entidades privadas, por ejemplo, no solo socavan la confianza del ciudadano en los sistemas de información y comunicación y dan lugar a pérdidas financieras directas y a la pérdida de oportunidades de negocio, sino que pueden también afectar gravemente a infraestructuras y servicios vitales como la energía, la aviación y demás transportes, al abastecimiento de agua y alimentos, a la salud, a las finanzas y a las telecomunicaciones.Estas amenazas pueden poner en peligro los fundamentos internos de nuestra sociedad. La tecnología y un diseño creativo pueden suponer una contribución importante a cualquier respuesta que se dé. Con todo, deben buscarse soluciones nuevas, sin perder de vista que los medios deben ser los apropiados y adecuarse a la demanda de la sociedad, en particular en lo que respecta a los derechos y libertades fundamentales del ciudadano.Por último, la seguridad representa asimismo un reto económico de primer orden, habida cuenta de la participación de Europa en un mercado de la seguridad mundial en rápido crecimiento. Dado el impacto potencial de algunas de las amenazas para los servicios, redes o empresas, la aplicación de soluciones de seguridad adecuadas se ha convertido en algo crucial para la economía y la competitividad de la industria europea. Un elemento central de este reto es la cooperación entre Estados miembros, así como con terceros países y organizaciones internacionales.La financiación de la investigación e innovación por parte de la Unión en lo que respecta a este reto supondrá, por tanto, un apoyo para la elaboración, aplicación y adaptación de las acciones clave de la Unión, en particular las prioridades de la estrategia Europa 2020 para un crecimiento inteligente, sostenible e integrador, la Política Exterior y de Seguridad Común, la Estrategia de Seguridad Interior de la Unión y la iniciativa emblemática ""Agenda Digital para Europa"". Se procurará la coordinación con las acciones directas del Centro Común de Investigación.

Líneas generales de las actividades

Se trata de apoyar las políticas de seguridad interior y exterior de la Unión y garantizar la ciberseguridad, la confianza y la privacidad en el mercado único digital, mejorando, al mismo tiempo, la competitividad de las industrias y servicios de seguridad de la Unión, incluidas las TIC. Las actividades se centrarán en la investigación y el desarrollo de la siguiente generación de soluciones innovadoras, y en la puesta a punto de conceptos, diseños novedosos y normas interoperables. Para lograrlo se recurrirá a tecnologías y soluciones innovadoras que aborden la cuestión de las brechas de seguridad y lleven a una reducción del riesgo derivado de las amenazas a la seguridad.Estas acciones orientadas a una misión concreta integrarán las demandas de diferentes usuarios finales (ciudadanos, empresas, organizaciones de la sociedad civil y administraciones, incluidas las autoridades nacionales e internacionales, protección civil, fuerzas de seguridad, guardia fronteriza, etc.), a fin de tener en cuenta la evolución de las amenazas para la seguridad, la protección de la intimidad y los necesarios aspectos sociales.Las actividades perseguirán los siguientes objetivos específicos:(a) la lucha contra la delincuencia, el tráfico ilegal y el terrorismo, lo que incluye comprender las claves del fenómeno terrorista y hacer frente a las ideas y creencias que lo alimentan; (b) la protección y mejora de la resistencia de las infraestructuras críticas, cadenas de suministro y modos de transporte; (c) el refuerzo de la seguridad a través de la gestión de las fronteras; (d) la mejora de la ciberseguridad; (e) el refuerzo de la resistencia de Europa frente a las crisis y las catástrofes;(f) la protección de la intimidad y la libertad, también en Internet, y la mejora de la comprensión social, jurídica y ética de todos los ámbitos de la seguridad, el riesgo y la gestión; (g) la mejora de la normalización e interoperabilidad de los sistemas, inclusive para fines de emergencia; (h) el apoyo a las políticas de seguridad exterior de la Unión, inclusive la prevención de conflictos y la consolidación de la paz. ";"";"H2020";"H2020-EU.3.";"";"";"2014-09-22 20:50:23";"664463" +"H2020-EU.3.7.8.";"en";"H2020-EU.3.7.8.";"";"";"Support the Union's external security policies including through conflict prevention and peace-building";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2015-01-23 18:42:15";"664479" +"H2020-EU.5.";"de";"H2020-EU.5.";"";"";"WISSENSCHAFT MIT DER UND FÜR DIE GESELLSCHAFT";"Science with and for Society";"

WISSENSCHAFT MIT DER UND FÜR DIE GESELLSCHAFT

Einzelziel

Ziel ist es, eine wirksame Zusammenarbeit zwischen Wissenschaft und Gesellschaft aufzubauen, neue Talente für die Wissenschaft zu rekrutieren und wissenschaftliche Exzellenz mit sozialem Bewusstsein und Verantwortung zu verknüpfen.

Begründung und Mehrwert für die Union

Die Stärke des europäischen Wissenschafts- und Technologiesystems hängt von seiner Fähigkeit ab, Talente und Ideen anzuziehen, wo immer diese vorhanden sind. Vertrauen kann nur entstehen, wenn ein fruchtbarer und reicher Dialog und eine aktive Zusammenarbeit zwischen Wissenschaft und Gesellschaft herbeigeführt werden, um mehr Verantwortungsbewusstsein der Wissenschaft und mehr Bürgernähe bei der Konzipierung von Maßnahmen zu gewährleisten. Schnelle Fortschritte in der aktuellen wissenschaftlichen Forschung und Innovation haben zu einer Zunahme wichtiger ethischer, rechtlicher und sozialer Fragen geführt, die die Partnerschaft zwischen Wissenschaft und Gesellschaft berühren. Die Verbesserung der Zusammenarbeit von Wissenschaft und Gesellschaft mit dem Ziel, die gesellschaftliche und politische Unterstützung für Wissenschaft und Technologie in allen Mitgliedstaaten zu fördern, ist eine zunehmend kritische Problematik, die durch die derzeitige Wirtschaftskrise stark verschärft wurde. Öffentliche Investitionen in die Wissenschaft erfordern eine große soziale und politische Wählerschaft, die die Werte der Wissenschaft teilt, in ihren Prozessen geschult und engagiert ist und Beiträge der Wissenschaft zum Wissen, zur Gesellschaft und zum wirtschaftlichen Fortschritt erkennen kann.

Einzelziele und Tätigkeiten in Grundzügen

Schwerpunkte der Tätigkeiten ist:(a) die Erhöhung der Attraktivität wissenschaftlicher und technologischer Laufbahnen für junge Schüler und Studenten und Förderung einer nachhaltigen Interaktion zwischen Schulen, Forschungseinrichtungen, Wirtschaft und Organisationen der Zivilgesellschaft; (b) die Förderung der Gleichbehandlung der Geschlechter insbesondere durch Unterstützung struktureller Veränderungen im Aufbau von Forschungseinrichtungen sowie bei Inhalt und Gestaltung von Forschungstätigkeiten; (c) die Einbeziehung der Gesellschaft in Fragen, Strategien und Tätigkeiten der Wissenschaft und Innovation, um die Interessen und Werte der Bürger zu berücksichtigen, sowie Verbesserung der Qualität, Relevanz, gesellschaftlichen Akzeptanz und Nachhaltigkeit von Forschungs- und Innovationsergebnissen in verschiedenen Tätigkeitsbereichen von gesellschaftlicher Innovation bis zu Bereichen wie Biotechnologie und Nanotechnologie; (d) die Förderung der Bürgerbeteiligung in der Wissenschaft durch formelle und informelle wissenschaftliche Bildung und die Verbreitung wissenschaftlicher Aktivitäten insbesondere in Wissenschaftszentren und über sonstige geeignete Kanäle; (e) der Ausbau der Zugänglichkeit und Nutzung der Ergebnisse von mit öffentlichen Mitteln finanzierter Forschung; (f) die Ausarbeitung einer Governance für den Ausbau von verantwortungsvoller Forschung und Innovation durch alle Akteure (Forscher, öffentliche Stellen, Industrie und Organisationen der Zivilgesellschaft), die auf gesellschaftliche Bedürfnisse und Forderungen eingeht und die Förderung eines ethischen Rahmens für Forschung und Innovation; (g) das Ergreifen ausreichender und verhältnismäßiger Vorsichtsmaßnahmen bei Forschungs- und Innovationstätigkeiten durch Antizipierung und Bewertung potenzieller Folgen für Umwelt, Gesundheit und Sicherheit; (h) die Verbesserung der Kenntnisse über Wissenschaftskommunikation, um die Qualität und Wirksamkeit von Interaktionen zwischen Wissenschaftlern, allgemeinen Medien und der Öffentlichkeit zu verbessern.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:13";"664495" +"H2020-EU.5.";"it";"H2020-EU.5.";"";"";"SCIENZA CON E PER LA SOCIETÀ";"Science with and for Society";"

SCIENZA CON E PER LA SOCIETÀ

Obiettivo specifico

L'obiettivo consiste nel costruire una cooperazione efficace tra scienza e società, assumere nuovi talenti per la scienza e associare l'eccellenza scientifica alla sensibilizzazione e alla responsabilità sociali.

Motivazione e valore aggiunto dell'Unione

La forza del sistema scientifico e tecnologico europeo dipende dalla sua capacità di sfruttare i talenti e le idee ovunque si trovino. Ciò può essere raggiunto solo se saranno sviluppati un dialogo ricco e proficuo e una cooperazione attiva tra scienza e società, al fine di garantire una scienza più responsabile e permettere lo sviluppo di politiche più pertinenti per i cittadini. Rapidi progressi nella ricerca e innovazione scientifica contemporanea hanno sollevato importanti questioni etiche, giuridiche e sociali che influiscono sul rapporto tra la scienza e la società. Il miglioramento della cooperazione tra la scienza e la società per consentire un ampliamento del sostegno sociale e politico per la scienza e la tecnologia in tutti gli Stati membri è una questione sempre più importante che l'attuale crisi economica ha fortemente acuito. Gli investimenti pubblici per la scienza richiedono un ampio gruppo sociale e politico che condivida i valori della scienza, che ne conosca i processi e partecipi agli stessi e sia in grado di apprezzarne il contributo alla conoscenza, alla società e al progresso economico.

Le grandi linee delle attività

Il centro delle attività comprende:(a) rendere le carriere scientifiche e tecnologiche attraenti per i giovani studenti e favorire un dialogo duraturo tra le scuole, gli istituti di ricerca, l'industria e le organizzazioni della società civile;(b) promuovere la parità di genere, in particolare favorendo cambiamenti strutturali a livello di organizzazione degli istituti di ricerca e di contenuto e progettazione delle attività di ricerca; (c) integrare la società nelle tematiche, nelle politiche e nelle attività della scienza e dell'innovazione al fine di integrare gli interessi e i valori dei cittadini e aumentare la qualità, la pertinenza, l'accettabilità sociale e la sostenibilità dei risultati della ricerca e dell'innovazione in vari settori di attività, dall'innovazione sociale a settori quali le biotecnologie e le nanotecnologie; (d) incoraggiare i cittadini a impegnarsi nella scienza attraverso un'istruzione scientifica, sia formale che informale, e promuovere la diffusione di attività basate sulla scienza, in particolare nei centri scientifici e mediante altri canali appropriati; (e) sviluppare l'accessibilità e l'uso dei risultati della ricerca finanziata con risorse pubbliche; (f) definire una governance per il progresso della ricerca e dell'innovazione responsabili da parte di tutte le parti interessate (ricercatori, autorità pubbliche, settore industriale e organizzazioni della società civile), che sia sensibile alle esigenze e alle richieste della società e promuovere un quadro deontologico per la ricerca e l'innovazione;(g) osservare debite e proporzionate cautele nelle attività di ricerca e innovazione prevedendo e valutando i possibili impatti ambientali, sulla salute e sulla sicurezza; (h) migliorare la conoscenza in materia di comunicazione scientifica al fine di migliorare la qualità e l'efficacia delle interazioni tra scienziati, media generalisti e pubblico. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:13";"664495" +"H2020-EU.5.";"pl";"H2020-EU.5.";"";"";"NAUKA Z UDZIAŁEM SPOŁECZEŃSTWA I DLA SPOŁECZEŃSTWA";"Science with and for Society";"

NAUKA Z UDZIAŁEM SPOŁECZEŃSTWA I DLA SPOŁECZEŃSTWA

Cel szczegółowy

Celem jest zbudowanie skutecznej współpracy między środowiskiem naukowym a społeczeństwem, przyciągnięcie nowych talentów do działalności naukowej oraz powiązanie doskonałości naukowej ze świadomością i odpowiedzialnością społeczną.

Uzasadnienie i unijna wartość dodana

Siła europejskiej nauki i techniki zależy od jej zdolności do pozyskiwania talentów i idei wszędzie tam, gdzie zaistnieją. Można to osiągnąć jedynie w drodze owocnego i intensywnego dialogu i aktywnej współpracy między środowiskiem naukowym a społeczeństwem w celu zapewnienia większej odpowiedzialności nauki oraz umożliwienia opracowywania strategii politycznych bliższych obywatelom. Szybkie postępy we współczesnych badaniach naukowych i innowacjach doprowadziły do pojawienia się istotnych kwestii etycznych, prawnych i społecznych, które mają wpływ na relacje między środowiskiem naukowym a społeczeństwem. Zacieśnienie współpracy między środowiskiem naukowym a społeczeństwem w celu zapewnienia szerszego poparcia społecznego i politycznego dla nauki i techniki we wszystkich państwach członkowskich staje się coraz istotniejszą kwestią, której wagę podkreślił jeszcze obecny kryzys gospodarczy. Publiczne inwestycje w naukę wymagają ogromnego poparcia społecznego i politycznego osób uznających wartość nauki, znających procesy naukowe i zaangażowanych w nie oraz zdolnych docenić wkład nauki w poszerzanie wiedzy, rozwój społeczny i postęp gospodarczy.

Ogólne kierunki działań

Działania mają się koncentrować na:(a) sprawieniu, by kariera naukowo-techniczna stała się atrakcyjna dla młodych studentów, a także na wspieraniu trwałych kontaktów między szkołami, instytucjami badawczymi, przemysłem i organizacjami społeczeństwa obywatelskiego; (b) promowaniu równouprawnienia płci, w szczególności poprzez wspieranie zmian strukturalnych w organizacji instytucji badawczych oraz w treści i planowaniu działań badawczych; (c) włączeniu społeczeństwa w kwestie, polityki i działania dotyczące nauki i innowacji w celu uwzględnienia zainteresowań obywateli i wyznawanych przez nich wartości oraz podniesienia jakości, znaczenia, akceptowalności społecznej i trwałości wyników badań naukowych i innowacji w wielu dziedzinach działalności: od innowacji społecznych po obszary takie jak biotechnologia i nanotechnologia; (d) zachęcaniu obywateli do zainteresowania nauką poprzez formalną i nieformalną edukację naukową, a także na propagowaniu działań o charakterze naukowym w ośrodkach naukowych i za pomocą innych odpowiednich kanałów; (e) zwiększaniu dostępności i wykorzystywania wyników badań finansowanych ze środków publicznych; (f) ulepszaniu zarządzania na rzecz rozwoju odpowiedzialnych badań naukowych i innowacji przez wszystkie zainteresowane strony (naukowców, organy publiczne, przemysł i organizacje społeczeństwa obywatelskiego), które to zarządzanie będzie uwzględniało potrzeby i postulaty społeczne oraz propagowaniu ram etycznych w zakresie badań naukowych i innowacji; (g) stosowaniu odpowiednich i proporcjonalnych środków ostrożności w działaniach w zakresie badań naukowych i innowacji poprzez przewidywanie i ocenę ewentualnych skutków środowiskowych, zdrowotnych i w dziedzinie bezpieczeństwa; (h) poszerzaniu wiedzy na temat popularyzacji nauki w celu poprawy jakości i skuteczności interakcji między naukowcami, mediami i społeczeństwem. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:13";"664495" +"H2020-EU.5.";"fr";"H2020-EU.5.";"";"";"LA SCIENCE AVEC ET POUR LA SOCIÉTÉ";"Science with and for Society";"

LA SCIENCE AVEC ET POUR LA SOCIÉTÉ

Objectif spécifique

L'objectif consiste à établir une coopération efficace entre la science et la société, à recruter de nouveaux talents scientifiques et à allier excellence scientifique, d'une part, et conscience et responsabilité sociales, d'autre part.

Justification et valeur ajoutée de l'Union

La solidité du système scientifique et technologique européen dépend de sa capacité à mettre à profit les talents et à attirer les idées, d'où qu'ils viennent. Cela n'est possible que si un dialogue fructueux et riche, ainsi qu'une coopération active entre la science et la société contribuent à rendre la science plus responsable et à élaborer des politiques plus utiles pour les citoyens. Les progrès rapides de la recherche scientifique contemporaine et de l'innovation se traduisent par une multiplication des questions éthiques, juridiques et sociales importantes qui ont une incidence sur la relation entre la science et la société. La question de plus en plus cruciale du renforcement de la coopération entre le monde scientifique et la société afin d'élargir le soutien social et politique à l'égard des sciences et des technologies dans tous les États membres se fait éminemment pressante, ce qui est exacerbé sous l'effet de la crise économique actuelle. Les investissements publics dans la science passent par une vaste mobilisation sociale et politique de personnes partageant les valeurs de la science, sensibilisées et parties prenantes à ses processus et capables de reconnaître ses contributions à la connaissance, à la société et au progrès économique.

Grandes lignes des activités

Les activités visent à:(a) rendre les carrières scientifiques et technologiques attirantes pour les jeunes étudiants et encourager une interaction durable entre les écoles, les institutions de recherche, l'industrie et les organisations de la société civile; (b) promouvoir l'égalité entre les genres, notamment par des mesures propres à favoriser des changements structurels dans l'organisation des institutions de recherche et dans le contenu et la conception des activités des chercheurs; (c) intégrer la société dans les questions, les politiques et les activités relatives aux sciences et à l'innovation afin de tenir compte des intérêts et des valeurs des citoyens, et d'améliorer la qualité, la pertinence, l'acceptabilité sociale et la durabilité des résultats de la recherche et de l'innovation dans différents domaines d'activités, depuis l'innovation sociale jusqu'à des domaines tels que les biotechnologies et les nanotechnologies; (d) encourager les citoyens à s'impliquer dans les sciences, au travers d'une éducation scientifique formelle et informelle, et promouvoir la diffusion d'activités basées sur la science, notamment dans des centres scientifiques à travers d'autres vecteurs appropriés; (e) renforcer l'accès aux résultats de la recherche financée par des fonds publics et développer l'utilisation de ces résultats; (f) mettre en place une gouvernance pour assurer le développement d'une recherche et d'une innovation responsables de la part de toutes les parties prenantes (chercheurs, pouvoirs publics, industrie et organisations de la société civile), à l'écoute des besoins et des demandes de la société, et promouvoir un cadre déontologique pour la recherche et l'innovation; (g) prendre des mesures de précaution proportionnées dans les activités de recherche et d'innovation en prévoyant et évaluant les répercussions potentielles sur l'environnement, la santé et la sécurité; (g) améliorer les connaissances en matière de communication scientifique afin d'accroître la qualité et l'efficacité des interactions entre les scientifiques, les médias et le public. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:13";"664495" +"H2020-EU.5.";"es";"H2020-EU.5.";"";"";"CIENCIA CON Y PARA LA SOCIEDAD";"Science with and for Society";"

CIENCIA CON Y PARA LA SOCIEDAD

Objetivo específico

El objetivo específico es impulsar una cooperación efectiva entre ciencia y sociedad, captar nuevos talentos para la ciencia y conciliar la excelencia científica con la responsabilidad y la conciencia social.

Justificación y valor añadido de la Unión

La fortaleza del sistema científico y tecnológico europeo depende de su capacidad para aprovechar el talento y las ideas donde los haya. Esto solo puede conseguirse si se propicia un diálogo fructífero y extenso y una cooperación activa entre ciencia y sociedad para garantizar que esta última sea más responsable y permitir la adopción de medidas de mayor relevancia para los ciudadanos. Los rápidos avances en la investigación y la innovación científicas contemporáneas han conducido a un incremento de la importancia de las cuestiones éticas, jurídicas y sociales, que exige reforzar la relación entre la ciencia y la sociedad. Cada vez resulta más importante mejorar la cooperación entre ciencia y sociedad a fin de permitir una ampliación del apoyo social y político a la ciencia y la tecnología en todos los Estados miembros, una cuestión exacerbada considerablemente por la actual crisis económica. La inversión pública en ciencia requiere que una vasta capa social y política comparta los valores de la ciencia, esté educada para entender sus procesos y sea capaz de reconocer su contribución al conocimiento, a la sociedad y al progreso económico.

Líneas generales de las actividades

Las actividades perseguirán los siguientes objetivos específicos:(a) aumentar el atractivo de las carreras científicas y tecnológicas para los jóvenes estudiantes y fomentar la interacción sostenible entre las escuelas, los centros de investigación, la industria y las organizaciones de la sociedad civil; (b) promover la igualdad entre sexos, en particular, apoyando cambios estructurales de la organización de las instituciones de investigación y en el contenido y diseño de las actividades investigadoras; (c) integrar la sociedad en las cuestiones, políticas y actividades relacionadas con la ciencia y la innovación con el fin de integrar los intereses y valores de los ciudadanos y mejorar la calidad, pertinencia, aceptación social y sostenibilidad de los frutos de la ciencia y la innovación en diversos ámbitos de la actividad, desde la innovación social hasta sectores tales como los de la biotecnología y la nanotecnología; (d) animar a los ciudadanos a comprometerse con la ciencia a través de la educación científica formal e informal, y promover la difusión de actividades centradas en la ciencia, especialmente en centros científicos y mediante otros canales adecuados; (e) propiciar el fácil acceso y la utilización de los resultados de la investigación realizada con fondos públicos; (f) impulsar una gestión que propicie el progreso de una investigación e innovación responsables por parte de todas las partes interesadas (investigadores, autoridades públicas, industria y organizaciones de la sociedad civil) que son sensibles a las demandas y necesidades de la sociedad; promover un marco ético para la investigación y la innovación; (g) tomar las precauciones debidas y proporcionadas en relación con las actividades de investigación e innovación anticipando y valorando el potencial impacto medioambiental, para la salud y para la seguridad; (h) mejorar el conocimiento sobre la comunicación en materia científica a fin de mejorar la calidad y la eficacia de las interacciones entre los científicos, los medios de comunicación y el público. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:13";"664495" +"H2020-EU.3.2.1.1.";"en";"H2020-EU.3.2.1.1.";"";"";"Increasing production efficiency and coping with climate change, while ensuring sustainability and resilience";"";"";"";"H2020";"H2020-EU.3.2.1.";"";"";"2014-09-22 20:44:41";"664285" +"H2020-EU.3.3.5.";"de";"H2020-EU.3.3.5.";"";"";"Neue Erkenntnisse und neue Technologien";"";"

Neue Erkenntnisse und neue Technologien

Schwerpunkt der Tätigkeiten sind die multidisziplinäre Erforschung von Technologien für saubere, sichere und nachhaltige Energien (auch visionäre Maßnahmen) und die gemeinsame Verwirklichung europaweiter Forschungsprogramme sowie erstklassiger Einrichtungen.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:48";"664351" +"H2020-EU.3.3.5.";"it";"H2020-EU.3.3.5.";"";"";"Nuove conoscenze e tecnologie";"New knowledge and technologies";"

Nuove conoscenze e tecnologie

Le attività si concentrano sulla ricerca multidisciplinare nell'ambito delle tecnologie energetiche pulite, sicure e sostenibili (comprensive di azioni visionarie) e dell'attuazione congiunta di programmi di ricerca paneuropei e strutture di livello mondiale.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:48";"664351" +"H2020-EU.3.3.5.";"pl";"H2020-EU.3.3.5.";"";"";"Nowa wiedza i technologie";"New knowledge and technologies";"

Nowa wiedza i technologie

Działania mają skupiać się na multidyscyplinarnych badaniach naukowych w zakresie czystych, bezpiecznych i zrównoważonych technologii energetycznych (w tym na działaniach wizjonerskich) i wspólnej realizacji ogólnoeuropejskich programów badawczych oraz tworzeniu światowej klasy obiektów.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:48";"664351" +"H2020-EU.3.3.5.";"fr";"H2020-EU.3.3.5.";"";"";"Des connaissances et technologies nouvelles";"New knowledge and technologies";"

Des connaissances et technologies nouvelles

Les activités se concentrent sur la recherche pluridisciplinaire relative à des technologies énergétiques propres, sûres et durables (dont les actions visionnaires) et sur la mise en œuvre conjointe de programmes de recherche paneuropéens et l'exploitation commune d'installations de niveau mondial.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:48";"664351" +"H2020-EU.3.3.5.";"es";"H2020-EU.3.3.5.";"";"";"Nuevos conocimientos y tecnologías";"New knowledge and technologies";"

Nuevos conocimientos y tecnologías

Las actividades se centrarán en la investigación multidisciplinaria de tecnologías energéticas limpias, seguras y sostenibles (incluidas acciones visionarias) y la ejecución conjunta de programas de investigación paneuropeos e instalaciones de categoría mundial.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:48";"664351" +"H2020-EU.3.3.3.";"de";"H2020-EU.3.3.3.";"";"";"Alternative Brenn- bzw. Kraftstoffe und mobile Energiequellen";"Alternative fuels and mobile energy sources";"

Alternative Brenn- bzw. Kraftstoffe und mobile Energiequellen

Schwerpunkt der Tätigkeiten sind Forschung, Entwicklung und die vollmaßstäbliche Demonstration mit Blick auf Technologien und Wertschöpfungsketten, die darauf abzielen, die Wettbewerbsfähigkeit und Nachhaltigkeit von Bioenergie und anderen alternativen Brenn- bzw. Kraftstoffen für Energie- und Wärmegewinnung und für Land-, See- und Luftverkehr zu erhöhen, mit dem Potenzial einer energieeffizienteren Umwandlung, die Zeit bis zur Marktreife von Wasserstoff- und Brennstoffzellen zu verringern und neue Optionen mit langfristigem Potenzial zur Marktreife aufzuzeigen.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:31";"664341" +"H2020-EU.3.3.3.";"it";"H2020-EU.3.3.3.";"";"";"Combustibili alternativi e fonti energetiche mobili";"Alternative fuels and mobile energy sources";"

Combustibili alternativi e fonti energetiche mobili

Le attività si concentrano sulla ricerca, lo sviluppo e la dimostrazione su scala reale di tecnologie e catene del valore mirate a rendere la bioenergia e altri combustibili alternativi più competitivi e sostenibili per la produzione di calore ed energia elettrica e per i trasporti di superficie, marittimi e aerei, che offrano la possibilità di una conversione energetica più efficace, al fine di ridurre i tempi di commercializzazione per l'idrogeno e le celle a combustibile e proporre nuove opzioni che dimostrino potenzialità a lungo termine per giungere a maturità.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:31";"664341" +"H2020-EU.3.3.3.";"es";"H2020-EU.3.3.3.";"";"";"Combustibles alternativos y fuentes de energía móviles";"Alternative fuels and mobile energy sources";"

Combustibles alternativos y fuentes de energía móviles

Las actividades se centrarán en la investigación, desarrollo y demostración a escala real de tecnologías y cadenas de valor para hacer más competitivas y sostenibles la bioenergía y otros combustibles alternativos, la cogeneración, el transporte de superficie, marítimo y aéreo con potencial para una conversión energética más eficaz, para reducir el tiempo de llegada al mercado de las pilas de combustible e hidrógeno y aportar nuevas opciones que presenten potencial a largo plazo para alcanzar la madurez.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:31";"664341" +"H2020-EU.3.3.3.";"pl";"H2020-EU.3.3.3.";"";"";"Paliwa alternatywne i mobilne źródła energii";"Alternative fuels and mobile energy sources";"

Paliwa alternatywne i mobilne źródła energii

Działania mają skupiać się na badaniach, rozwoju i pełnoskalowej demonstracji technologii oraz łańcuchów wartości, tak by bioenergia i inne paliwa alternatywne stały się bardziej konkurencyjne i zrównoważone do celów produkcji energii elektrycznej i cieplnej oraz transportu lądowego, morskiego i lotniczego, z możliwością efektywniejszej konwersji energii, co pozwoli skrócić czas wprowadzenia na rynek ogniw wodorowych i paliwowych oraz znaleźć nowe możliwości charakteryzujące się długim czasem realizacji potencjału.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:31";"664341" +"H2020-EU.3.3.3.";"fr";"H2020-EU.3.3.3.";"";"";"Des combustibles de substitution et sources d'énergie mobiles";"Alternative fuels and mobile energy sources";"

Des combustibles de substitution et sources d'énergie mobiles

Les activités se concentrent sur la recherche, le développement et la démonstration en grandeur réelle de technologies et de chaînes de valeur visant à renforcer la compétitivité et la durabilité des bioénergies et des autres combustibles de substitution pour l'électricité et le chauffage, ainsi que les transports terrestres, maritimes et aériens offrant des possibilités de conversion énergétique plus efficace, à réduire les délais de mise sur le marché des piles à hydrogène et à combustible et à proposer de nouvelles possibilités présentant des perspectives de maturité à long terme.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:31";"664341" +"H2020-EU.3.3.2.";"it";"H2020-EU.3.3.2.";"";"";"Energia elettrica a basso costo e a basse emissioni di carbonio";"Low-cost, low-carbon energy supply";"

Energia elettrica a basso costo e a basse emissioni di carbonio

Le attività si concentrano sulla ricerca, lo sviluppo e la dimostrazione su scala reale di fonti energetiche rinnovabili innovative, centrali elettriche a combustibili fossili efficienti, flessibili e a basse emissioni di carbonio e tecnologie per la cattura e lo stoccaggio del carbonio o la riutilizzazione del CO2, che consentano tecnologie su scala più ampia, a costi inferiori, sicure per l'ambiente, dotate di un rendimento di conversione superiore e di una più ampia disponibilità per diversi mercati e contesti operativi.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:12";"664331" +"H2020-EU.3.3.2.";"pl";"H2020-EU.3.3.2.";"";"";"Zaopatrzenie w tanią, niskoemisyjną energię elektryczną";"Low-cost, low-carbon energy supply";"

Zaopatrzenie w tanią, niskoemisyjną energię elektryczną

Działania mają skupiać się na badaniach, rozwoju i pełnoskalowej demonstracji innowacyjnych odnawialnych źródeł energii, efektywnych, elastycznych i niskoemisyjnych elektrowni na paliwa kopalne oraz technologiach wychwytywania i składowania dwutlenku węgla lub ponownego wykorzystania CO2, przy większej skali i niższym koszcie, bezpiecznych dla środowiska oraz cechujących się większą efektywnością konwersji i dostępnością w różnych środowiskach rynkowych i operacyjnych.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:12";"664331" +"H2020-EU.3.3.2.";"de";"H2020-EU.3.3.2.";"";"";"Kostengünstige Stromversorgung mit niedrigen CO2-Emissionen";"Low-cost, low-carbon energy supply";"

Kostengünstige Stromversorgung mit niedrigen CO2-Emissionen

Schwerpunkt der Tätigkeiten sind Forschung, Entwicklung und vollmaßstäbliche Demonstration mit Blick auf innovative erneuerbare Energieträger, effiziente und flexible Kraftwerke für fossile Energieträger mit niedrigem CO2-Ausstoß sowie Techniken für CO2-Abscheidung und -Speicherung oder -Wiederverwendung, die kostengünstiger und umweltverträglich sind und in größerem Maßstab eingesetzt werden können und gleichzeitig einen hohen Wirkungsgrad haben und für unterschiedliche Märkte und betriebliche Gegebenheiten leichter verfügbar sind.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:12";"664331" +"H2020-EU.3.3.2.";"es";"H2020-EU.3.3.2.";"";"";"Suministro de electricidad a bajo coste y de baja emisión de carbono";"Low-cost, low-carbon energy supply";"

Suministro de electricidad a bajo coste y de baja emisión de carbono

Las actividades se centrarán en la investigación, desarrollo y demostración a escala real de energías renovables innovadoras, centrales eléctricas de combustibles fósiles eficiente, flexibles y con baja utilización de carbono y las tecnologías de captura y almacenamiento de carbono, o de reutilización del CO2, que ofrezcan tecnologías de mayor escala, inferior coste y respetuosas del medio ambiente, con mayor eficiencia de conversión y mayor disponibilidad para mercados y entornos operativos diferentes.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:12";"664331" +"H2020-EU.3.3.2.";"fr";"H2020-EU.3.3.2.";"";"";"Un approvisionnement en électricité à faible coût et à faibles émissions de carbone";"Low-cost, low-carbon energy supply";"

Un approvisionnement en électricité à faible coût et à faibles émissions de carbone

Les activités se concentrent sur la recherche, le développement et la démonstration en grandeur réelle d'énergies renouvelables innovantes, de centrales à combustible fossile efficaces, souples et à faible émission de carbone et de technologies de captage et de stockage du carbone ou de recyclage du CO2 offrant des technologies à plus grande échelle, à moindre coût et respectueuses de l'environnement, qui présentent des rendements de conversion plus élevés et une plus grande disponibilité pour différents marchés et environnements d'exploitation.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:12";"664331" +"H2020-EU.1.3.5.";"de";"H2020-EU.1.3.5.";"";"";"Besondere Unterstützung und politische Maßnahmen";"MSCA Specific support";"

Besondere Unterstützung und politische Maßnahmen

Ziel ist die Überwachung der Fortschritte, die Ermittlung von Lücken und Hindernissen bei den Marie-Skłodowska-Curie-Maßnahmen und die Stärkung ihrer Auswirkungen. In diesem Zusammenhang sind Indikatoren zu entwickeln und Daten zu Mobilität, Fähigkeiten, Laufbahn und Geschlechtergleichstellung der Forscher im Hinblick auf Synergien und eine enge Abstimmung mit den Unterstützungsmaßnahmen zu analysieren, die im Rahmen des Einzelziels ""Europa in einer sich verändernden Welt - Integrative, innovative und reflektierende Gesellschaften"" für Forscher, ihre Arbeitgeber und Geldgeber durchgeführt werden. Die Tätigkeit zielt ferner darauf ab, das Bewusstsein für die Bedeutung und Attraktivität einer wissenschaftlichen Laufbahn zu erhöhen und die Forschungs- und Innovationsergebnisse der Arbeiten zu verbreiten, die aus den Marie-Skłodowska-Curie-Maßnahmen hervorgehen.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:39";"664119" +"H2020-EU.1.3.5.";"fr";"H2020-EU.1.3.5.";"";"";"Soutien spécifique et actions stratégiques";"MSCA Specific support";"

Soutien spécifique et actions stratégiques

L'objectif est d'assurer le suivi des progrès réalisés, de recenser les lacunes et les obstacles au niveau des actions Marie Skłodowska-Curie et d'accroître l'impact de ces actions. Il convient dans ce cadre de mettre au point des indicateurs et d'analyser les données concernant la mobilité, les compétences et la carrière des chercheurs ainsi que l'égalité entre chercheurs hommes et femmes, en recherchant des synergies et des coordinations approfondies avec les actions de soutien stratégique ciblant les chercheurs, leurs employeurs et leurs bailleurs de fonds réalisées au titre de l'objectif spécifique «L'Europe dans un monde en évolution - Des sociétés ouvertes à tous, innovantes et capables de réflexion». Cette activité vise également à faire comprendre l'importance et l'attractivité d'une carrière dans la recherche ainsi qu'à diffuser les résultats de la recherche et de l'innovation obtenus grâce aux travaux financés par des actions Marie Skłodowska-Curie.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:39";"664119" +"H2020-EU.1.3.5.";"es";"H2020-EU.1.3.5.";"";"";"Apoyo específico y acciones políticas";"MSCA Specific support";"

Apoyo específico y acciones políticas

Los objetivos consisten en seguir de cerca los progresos logrados, detectando lagunas y obstáculos en las acciones Marie Skłodowska-Curie y aumentar su impacto. En este contexto, se crearán indicadores y se analizarán los datos relativos a la movilidad, las cualificaciones, la carrera de los investigadores y la igualdad entre sexos, procurando conseguir sinergias y una estrecha coordinación con las acciones de apoyo a las políticas sobre los investigadores, sus empleadores y entidades financiadoras realizadas en el marco del objetivo específico ""Europa en un mundo cambiante: sociedades inclusivas, innovadoras y reflexivas"". La actividad tratará además de sensibilizar sobre la importancia y el atractivo de una carrera de investigador y difundir los resultados de la investigación y la innovación derivados de los trabajos financiados por las acciones Marie Skłodowska-Curie.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:39";"664119" +"H2020-EU.1.3.5.";"it";"H2020-EU.1.3.5.";"";"";"Sostegno specifico e azione strategica";"MSCA Specific support";"

Sostegno specifico e azione strategica

Gli obiettivi consistono nel monitorare i progressi, nell'identificare le lacune e gli ostacoli nelle azioni Marie Skłodowska-Curie e nell'incrementarne l'impatto. In questo contesto si sviluppano gli indicatori e si analizzano i dati relativi alla mobilità, alle competenze, alle carriere e alla parità di genere dei ricercatori, alla ricerca di sinergie e di uno stretto coordinamento con le azioni di sostegno strategico dei ricercatori, dei loro datori di lavoro e dei finanziatori, portate avanti nell'ambito dell'obiettivo specifico ""L'Europa in un mondo che cambia - Società inclusive, innovative e riflessive"". L'attività mira inoltre a sensibilizzare in merito all'importanza e all'attrattività di una carriera di ricerca e a diffondere i risultati di ricerca e innovazione generati dalle attività sostenute dalle azioni Marie Skłodowska-Curie.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:39";"664119" +"H2020-EU.1.3.5.";"pl";"H2020-EU.1.3.5.";"";"";"Działania wspierające i polityczne";"MSCA Specific support";"

Działania wspierające i polityczne

Celem jest monitorowanie postępów, określenie luk i barier w działaniach „Maria Skłodowska-Curie” i zwiększenie ich oddziaływania. W tym kontekście opracowywane są wskaźniki oraz analizowane są dane odnoszące się do mobilności naukowców, ich umiejętności i karier oraz równości płci; ma to na celu zapewnienie synergii i bliskiej koordynacji z politycznymi działaniami wspierającymi dotyczącymi naukowców, ich pracodawców i sponsorów prowadzonymi w ramach celu szczegółowego „Europa w zmieniającym się świecie – integracyjne, innowacyjne i refleksyjne społeczeństwa”. Działania mają na celu zwiększenie świadomości na temat znaczenia i atrakcyjności kariery badawczej oraz upowszechnianie wyników działalności badawczej i innowacyjnej pozyskanych dzięki pracom wspieranym w ramach działań „Maria Skłodowska-Curie”.";"";"H2020";"H2020-EU.1.3.";"";"";"2014-09-22 20:39:39";"664119" +"H2020-EU.3.3.1.";"it";"H2020-EU.3.3.1.";"";"";"Ridurre il consumo di energia e le emissioni di carbonio grazie all'uso intelligente e sostenibile";"Reducing energy consumption and carbon footprint";"

Ridurre il consumo di energia e le emissioni di carbonio grazie all'uso intelligente e sostenibile

Le attività si concentrano sulla ricerca e la sperimentazione su larga scala di nuovi concetti, di soluzioni non tecnologiche, di componenti tecnologici più efficienti, socialmente accettabili e accessibili nonché su sistemi con intelligenza integrata, che permettono la gestione energetica in tempo reale di edifici nuovi ed esistenti con emissioni prossime allo zero, a consumi energetici praticamente nulli e a energia positiva, edifici, città e territori ristrutturati, energie rinnovabili per il riscaldamento e il raffreddamento, industrie altamente efficienti e adozione massiccia di soluzioni e servizi di efficienza e risparmio energetici da parte di imprese, singoli, comunità e città.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:45:58";"664323" +"H2020-EU.3.3.1.";"es";"H2020-EU.3.3.1.";"";"";"Reducir el consumo de energía y la huella de carbono mediante un uso inteligente y sostenible";"Reducing energy consumption and carbon footprint";"

Reducir el consumo de energía y la huella de carbono mediante un uso inteligente y sostenible

Las actividades se centrarán en la investigación y ensayo a escala real de nuevos conceptos, soluciones no tecnológicas, componentes tecnológicos más eficientes, socialmente aceptables y asequibles y sistemas con inteligencia incorporada, a fin de poder gestionar la energía en tiempo real en ciudades y territorios y lograr edificios con emisiones cercanas a cero o que generen más energía de la que consumen, edificios, ciudades y barrios modernizados, calefacción y refrigeración renovables, industrias altamente eficientes y adopción masiva por parte de empresas, particulares, comunidades y ciudades de soluciones y servicios de eficiencia energética y de ahorro de energía.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:45:58";"664323" +"H2020-EU.3.3.1.";"fr";"H2020-EU.3.3.1.";"";"";"Réduire la consommation d'énergie et l'empreinte carbone en utilisant l'énergie de manière intelligente et durable";"Reducing energy consumption and carbon footprint";"

Réduire la consommation d'énergie et l'empreinte carbone en utilisant l'énergie de manière intelligente et durable

Les activités se concentrent sur la recherche et les essais en grandeur réelle de nouveaux concepts, de solutions non technologiques, ainsi que de composants technologiques et de systèmes avec technologies intelligentes intégrées qui soient plus efficaces, socialement acceptables et financièrement abordables, afin de permettre une gestion énergétique en temps réel pour des bâtiments, des immeubles reconditionnés, des villes et des quartiers nouveaux ou existants à émissions quasi nulles, à consommation d'énergie quasi nulle et à énergie positive, des systèmes de chauffage et de refroidissement utilisant les énergies renouvelables, des industries très performantes et une adoption massive, par les entreprises, les particuliers, les collectivités et les villes, de solutions et de services assurant l'efficacité énergétique et permettant des économies d'énergie.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:45:58";"664323" +"H2020-EU.3.3.1.";"de";"H2020-EU.3.3.1.";"";"";"Verringerung des Energieverbrauchs und Verbesserung der CO2-Bilanz durch intelligente und nachhaltige Nutzung ";"Reducing energy consumption and carbon footprint";"

Verringerung des Energieverbrauchs und Verbesserung der CO2-Bilanz durch intelligente und nachhaltige Nutzung

Schwerpunkt der Tätigkeiten sind Forschung und vollmaßstäbliche Tests neuer Konzepte, nichttechnologische Lösungen sowie technologische Komponenten und Systeme mit integrierter Intelligenz, die effizienter, gesellschaftlich akzeptabel und erschwinglich sind. Dies ermöglicht ein Energiemanagement in Echtzeit für neue und bereits vorhandene nahezu emissionsfreie, Niedrigstenergie- und Energieüberschussgebäude, nachgerüstete Gebäude, Städte und Bezirke, den Einsatz erneuerbarer Energien in Heizung und Kühlung, hocheffiziente Industrien und den flächendeckenden Einsatz von Energieeffizienz- und Energiesparlösungen und -dienstleistungen durch Unternehmen, Privathaushalte und Kommunen.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:45:58";"664323" +"H2020-EU.3.3.1.";"pl";"H2020-EU.3.3.1.";"";"";"Ograniczenie zużycia energii i śladu węglowego poprzez inteligentne i zrównoważone użytkowanie";"Reducing energy consumption and carbon footprint";"

Ograniczenie zużycia energii i śladu węglowego poprzez inteligentne i zrównoważone użytkowanie

Działania mają skupiać się na badaniach naukowych i prowadzonych w pełnej skali testach nowych koncepcji, rozwiązaniach nietechnologicznych, na bardziej efektywnych, akceptowanych społecznie i przystępnych cenowo komponentach technologicznych oraz systemach z wbudowaną inteligencją, co ma umożliwić zarządzanie energią w czasie rzeczywistym w nowych i istniejących budynkach niskoemisyjnych, o niemal zerowym zużyciu energii i produkujących więcej energii niż wynosi jej zużycie, w przebudowywanych budynkach, miastach i dzielnicach, na ogrzewaniu i chłodzeniu z wykorzystaniem energii odnawialnej, wysoce oszczędnym przemyśle oraz masowym wprowadzeniu efektywnych energetycznie i energooszczędnych rozwiązań i usług przez przedsiębiorstwa, osoby fizyczne, społeczności i miasta.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:45:58";"664323" +"H2020-EU.3.7.4.";"en";"H2020-EU.3.7.4.";"";"";"Improve cyber security";"";"";"";"H2020";"H2020-EU.3.7.";"";"";"2014-09-22 20:50:38";"664471" +"H2020-EU.3.2.4.2.";"fr";"H2020-EU.3.2.4.2.";"";"";"Développer des bioraffineries intégrées";"";"Un soutien sera apporté aux activités destinées à accélérer le développement de bioproduits, de produits intermédiaires et de bioénergies et biocombustibles durables, en se concentrant essentiellement sur une approche en cascade et en donnant la priorité à la production de produits à haute valeur ajoutée. Des technologies et des stratégies visant à garantir l'approvisionnement en matières premières seront mises au point. L'élargissement de l'éventail des types de biomasse utilisables dans les bioraffineries de deuxième et troisième générations, y compris ceux d'origine sylvicole, des biodéchets et des sous-produits industriels, contribuera à éviter les conflits entre production d'aliments et production de combustibles et favorisera le développement économique des zones rurales et littorales de l'Union, tout en respectant l'environnement.";"";"H2020";"H2020-EU.3.2.4.";"";"";"2018-08-03 16:31:41";"702726" +"H2020-EU.3.2.4.2.";"es";"H2020-EU.3.2.4.2.";"";"";"Desarrollar biorrefinerías integradas";"";"Se respaldarán las actividades que impulsen los bioproductos, los productos intermedios y las bioenergías o los biocombustibles sostenibles, centrándose en particular en un enfoque en cascada y dando prioridad a la generación de productos de alto valor añadido. Se desarrollarán tecnologías y estrategias que garanticen el suministro de materias primas. Una gama mejorada de tipos de biomasa que se puedan utilizar en biorrefinerías de segunda y tercera generación, incluyendo bosques, biorresiduos y subproductos industriales, contribuirá a evitar los conflictos entre alimentos y combustibles y apoyará el desarrollo económico y respetuoso del medio ambiente de las zonas rurales y costeras de la Unión.";"";"H2020";"H2020-EU.3.2.4.";"";"";"2018-08-03 16:31:05";"702726" +"H2020-EU.3.2.4.2.";"de";"H2020-EU.3.2.4.2.";"";"";"Entwicklung integrierter Bioraffinerien";"";"Es werden Tätigkeiten zur Förderung nachhaltiger Bioprodukte, Zwischenprodukte und Biokraftstoffe bzw. von Bioenergie unterstützt, wobei vor allem ein ""Kaskadenansatz"" verfolgt werden soll, bei dem der Schwerpunkt auf der Entwicklung von Produkten mit hohem Mehrwert liegt. Es werden Technologien und Strategien für die Gewährleistung der Rohstoffversorgung entwickelt. Die Erweiterung der Bandbreite von Biomassearten, die in Bioraffinerien der zweiten und dritten Generation genutzt werden können, einschließlich forstwirtschaftlicher Erzeugnisse, Bioabfällen und industrieller Nebenerzeugnisse, wird dazu beitragen, dass Konflikte bezüglich der Verwendung von Biomasse für Lebensmittelzwecke oder als Brennstoff vermieden werden, und die wirtschaftliche und umweltfreundliche Entwicklung der ländlichen Gebiete und Küstengebiete der Union unterstützen.";"";"H2020";"H2020-EU.3.2.4.";"";"";"2018-08-03 16:31:07";"702726" +"H2020-EU.3.2.4.2.";"en";"H2020-EU.3.2.4.2.";"";"";"Developing integrated biorefineries";"";"Activities will be supported to boost sustainable bioproducts, intermediates and bioenergy/biofuels, predominantly focusing on a cascade approach, prioritising the generation of high added value products. Technologies and strategies will be developed to assure the raw material supply. Enhancing the range of types of biomass for use in second and third generation biorefineries, including forestry, biowaste and industrial by-products, will help avoid food/fuel conflicts and support economic and environmentally friendly development of rural and coastal areas in the Union.";"";"H2020";"H2020-EU.3.2.4.";"";"";"2018-08-03 16:31:43";"702726" +"H2020-EU.3.2.4.2.";"it";"H2020-EU.3.2.4.2.";"";"";"Sviluppo di bioraffinerie integrate";"";"Saranno sostenute attività destinate alla promozione dei prodotti biologici sostenibili, dei prodotti intermedi e delle bioenergie/biocarburanti, concentrandosi prevalentemente su un approccio a cascata e dando la priorità alla produzione di prodotti ad elevato valore aggiunto. Si metteranno a punto tecnologie e strategie per garantire l'approvvigionamento di materie prime. Ampliando la gamma di tipologie di biomassa destinate ad essere utilizzate nelle bioraffinerie di seconda e terza generazione, ivi comprese quelle provenienti dalla silvicoltura, dai rifiuti organici e dai sottoprodotti industriali, sarà possibile evitare i conflitti tra prodotti alimentari e combustibili e sostenere uno sviluppo economico e rispettoso dell'ambiente nelle aree rurali e costiere dell'Unione.";"";"H2020";"H2020-EU.3.2.4.";"";"";"2018-08-03 16:31:07";"702726" +"H2020-EU.3.2.4.2.";"pl";"H2020-EU.3.2.4.2.";"";"";"Rozwój zintegrowanych biorafinerii";"";"Wsparcie otrzymają działania ukierunkowane na pobudzenie wytwarzania zrównoważonych bioproduktów i produktów pośrednich, bioenergii i biopaliw, ze zwróceniem uwagi przede wszystkim na podejście kaskadowe przy uznaniu za priorytet wytwarzania produktów o wysokiej wartości dodanej. W celu zapewnienia dostaw surowców opracowywane będą technologie i strategie. Zwiększenie zakresu rodzajów biomasy stosowanej w biorafineriach drugiej i trzeciej generacji, w tym produktów ubocznych pochodzących z sektora leśnictwa, odpadów biologicznych i ubocznych produktów przemysłowych, pozwoli uniknąć konfliktów między produkcją żywności a produkcją paliw i przyczyni się do przyjaznego środowisku rozwoju gospodarczego wiejskich i przybrzeżnych obszarów w Unii.";"";"H2020";"H2020-EU.3.2.4.";"";"";"2018-08-03 16:31:06";"702726" +"H2020-EU.4.";"de";"H2020-EU.4.";"";"";"VERBREITUNG VON EXZELLENZ UND AUSWEITUNG DER BETEILIGUNG";"Spreading excellence and widening participation";"

VERBREITUNG VON EXZELLENZ UND AUSWEITUNG DER BETEILIGUNG

Einzelziel

Das Einzelziel besteht darin, das Potenzial des europäischen Pools an Talenten auszuschöpfen und dafür zu sorgen, dass die Vorteile einer innovationsgesteuerten Wirtschaft maximiert und im Einklang mit dem Exzellenzprinzip umfassend über die gesamte Union verteilt werden.Trotz einer neuen Tendenz zur Annäherung der Innovationsleistungen einzelner Länder und Regionen bestehen noch immer große Unterschiede zwischen den Mitgliedstaaten. Darüber hinaus droht die derzeitige Finanzkrise durch Beschränkung der nationalen Haushalte die Kluften noch zu vergrößern. Die Nutzung des Potenzials des europäischen Pools an Talenten und die Maximierung und Verbreitung der Vorteile von Innovation in der gesamten Union ist von entscheidender Bedeutung für die Wettbewerbsfähigkeit Europas und seine Fähigkeit, künftig gesellschaftliche Herausforderungen zu bewältigen.

Begründung und Mehrwert für die Union

Damit Fortschritte auf dem Weg zu einer nachhaltigen, integrativen und intelligenten Gesellschaft gemacht werden können, muss Europa den verfügbaren Pool an Talenten in der Union so gut wie möglich nutzen und ungenutztes Forschungs- und Innovationspotenzial freisetzen.Durch die Förderung und Bündelung der Exzellenzpools werden die vorgeschlagenen Maßnahmen zur Stärkung des Europäischen Forschungsraums beitragen.Einzelziele und Tätigkeiten in GrundzügenDie Verbreitung von Exzellenz und die Ausweitung der Beteiligung wird durch folgende spezifische Maßnahmen erleichtert werden:— Zusammenführung von exzellenten Forschungseinrichtungen und hinsichtlich Forschung, Entwicklung und Innovation leistungsschwachen Regionen mit dem Ziel, neue Exzellenzzentren in den hinsichtlich Forschung, Entwicklung und Innovation leistungsschwachen Mitgliedstaaten und Regionen zu schaffen (oder bestehende Zentren umfassend aufzurüsten).— Partnerschaften zwischen Forschungseinrichtungen mit dem Ziel, einen bestimmten Forschungsbereich in einer aufstrebenden Einrichtung durch Verbindungen zu mindestens zwei international führenden Einrichtungen in diesem Bereich wesentlich zu stärken. — Einrichtung von EFR-Lehrstühlen um herausragende Wissenschaftler für Einrichtungen mit einem eindeutigen Potenzial für Exzellenz in der Forschung zu interessieren, damit diese Einrichtungen ihr Potenzial in vollem Umfang freisetzen können und so im Europäischen Forschungsraum gleichberechtigte Bedingungen für Forschung und Innovation entstehen. Mögliche Synergien mit den Tätigkeiten des ERC sollten erforscht werden.— Eine Fazilität für Politikunterstützung soll die Gestaltung, Durchführung und Bewertung nationaler/regionaler forschungs- und innovationspolitischer Maßnahmen verbessern.— Unterstützung des Zugangs herausragender Forscher und Innovatoren, die nicht ausreichend in europäische und internationale Netze eingebunden sind, zu internationalen Netzen, einschließlich COST.— Stärkung der administrativen und operativen Kapazität transnationaler Netzwerke nationaler Kontaktstellen, u. a. durch Schulung, damit sie den potenziellen Teilnehmern bessere Unterstützung bieten können.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:57";"664481" +"H2020-EU.4.";"es";"H2020-EU.4.";"";"";"DIFUNDIR LA EXCELENCIA Y AMPLIAR LA PARTICIPACIÓN";"Spreading excellence and widening participation";"

DIFUNDIR LA EXCELENCIA Y AMPLIAR LA PARTICIPACIÓN

Objetivo específico

El objetivo específico es explotar plenamente el potencial de talento en Europa y garantizar que los beneficios de una economía centrada en la innovación se maximicen y distribuyan equitativamente por toda la Unión, de conformidad con el principio de excelencia.A pesar de la reciente tendencia hacia una convergencia de los resultados de diversos países y regiones en materia de innovación, siguen subsistiendo agudas diferencias entre Estados miembros. Además, al someter los presupuestos nacionales a limitaciones, la actual crisis financiera amenaza con aumentar esas diferencias. Aprovechar el potencial de talento existente en Europa y maximizar y aumentar los beneficios de la innovación a través de la Unión es vital para la competitividad de Europa y su capacidad de afrontar los retos de la sociedad en el futuro.

Justificación y valor añadido de la Unión

Para avanzar hacia una sociedad sostenible, inclusiva e inteligente, Europa necesita utilizar de la mejor manera posible la inteligencia disponible en la Unión y desbloquear el potencial no aprovechado de I+i.Mediante la protección y la conexión de los centros de excelencia, las actividades propuestas contribuirán a fortalecer el EEI.

Líneas generales de las actividades

Se facilitará mediante medidas específicas la difusión de la excelencia y se ampliará la participación mediante actuaciones como las siguientes:— Creación de nuevos centros de excelencia (o mejora considerable de los ya existentes) en los Estados miembros y regiones con menor rendimiento de desarrollo tecnológico e innovación.— El hermanamiento de centros de investigación con el fin de reforzar considerablemente un campo determinado de investigación en un centro novel vinculándolo con al menos dos centros de rango internacional en dicho campo. — Establecimiento de ""cátedras del EEI"" para atraer a personal prominente de las instituciones académicas a instituciones que tengan un claro potencial para la excelencia en la investigación con el fin de ayudar a dichas instituciones a desarrollar plenamente su potencial y lograr así un contexto de igualdad de oportunidades para el impulso de la investigación y la innovación en el EEI. Deberían explorarse posibles sinergias con las actividades del Consejo Europeo de Investigación.— Creación de un mecanismo de apoyo a las políticas para mejorar la concepción, la ejecución y la evaluación de las políticas nacionales y regionales de investigación e innovación.— Apoyo al acceso a las redes internacionales de investigadores e innovadores excelentes que no participen suficientemente en las redes europeas e internacionales, inclusive COST. — Mejora de la capacidad administrativa y operativa de las redes transnacionales de puntos de contacto nacionales, por ejemplo mediante la formación, para que puedan proporcionar un mejor apoyo a los potenciales participantes. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:57";"664481" +"H2020-EU.4.";"fr";"H2020-EU.4.";"";"";"PROPAGER L'EXCELLENCE ET ÉLARGIR LA PARTICIPATION";"Spreading excellence and widening participation";"

PROPAGER L'EXCELLENCE ET ÉLARGIR LA PARTICIPATION

Objectif spécifique

L'objectif spécifique est d'exploiter pleinement le potentiel des talents européens et de veiller à ce que les retombées d'une économie axée sur l'innovation soient à la fois maximisées et largement réparties au sein de l'Union, conformément au principe d'excellence.Même si les résultats des différents pays et des différentes régions tendent depuis peu à converger dans le domaine de l'innovation, il subsiste toujours des différences importantes entre les États membres. En outre, en imposant des restrictions aux budgets nationaux, la crise financière actuelle menace de creuser les écarts. Afin que l'Europe soit compétitive et à même de relever les défis de société à l'avenir, il est indispensable d'exploiter le potentiel de talents de l'Europe et de maximiser et diffuser les bénéfices de l'innovation dans toute l'Union.

Justification et valeur ajoutée de l'Union

Pour progresser sur la voie d'une société durable, inclusive et intelligente, l'Europe doit utiliser au mieux l'intelligence dont elle dispose dans l'Union et libérer son potentiel inexploité en matière de recherche et d'innovation.En favorisant et en reliant les pôles d'excellence, les activités proposées contribueront à renforcer l'EER.

Grandes lignes des activités

Des actions spécifiques faciliteront la diffusion de l'excellence et l'élargissement de la participation par l'intermédiaire des actions suivantes:— Faire travailler ensemble des institutions de recherche d'excellence et des régions peu performantes en matière de recherche, de développement et d'innovation L'objectif étant de créer de nouveaux centres d'excellence (ou de remettre à niveau ceux qui existent) dans les États membres et les régions peu performants en matière de recherche, de développement et d'innovation.— Jumeler des institutions de recherche L'objectif étant de renforcer nettement un domaine défini de recherche dans une institution émergente en établissant des liens avec au moins deux institutions de pointe au niveau international dans un domaine défini. — Instaurer des «chaires EER» Instaurer des «chaires EER» pour attirer des universitaires de renom dans des institutions ayant un clair potentiel d'excellence dans la recherche, afin d'aider ces institutions à libérer pleinement ce potentiel et créer de ce fait des conditions de concurrence égales pour la recherche et l'innovation dans l'EER. Il faudrait étudier les possibilités de synergies avec les activités du CER;— Mettre en place un mécanisme de soutien aux politiques Afin d'améliorer la définition, la mise en œuvre et l'évaluation des politiques nationales/régionales de recherche et d'innovation.— Favoriser l'accès aux réseaux internationaux de chercheurs et d'innovateurs d'excellence qui ne sont pas suffisamment présents dans les réseaux européens et internationaux, y compris COST. — Renforcer les capacités opérationnelles et administratives des réseaux transnationaux de points de contact nationaux, y compris par la formation, afin qu'ils puissent apporter un meilleur soutien aux participants potentiels.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:57";"664481" +"H2020-EU.4.";"pl";"H2020-EU.4.";"";"";"UPOWSZECHNIANIE DOSKONAŁOŚCI I ZAPEWNIANIE SZERSZEGO UCZESTNICTWA";"Spreading excellence and widening participation";"

UPOWSZECHNIANIE DOSKONAŁOŚCI I ZAPEWNIANIE SZERSZEGO UCZESTNICTWA

Cel szczegółowy

Celem szczegółowym jest pełne wykorzystanie potencjału europejskiej puli talentów oraz zadbanie o to, by korzyści z gospodarki opartej na innowacjach były jak największe oraz szeroko upowszechniane w całej Unii zgodnie z zasadą doskonałości.Jednak pomimo obserwowanej w ostatnim czasie tendencji do wyrównania poziomu między poszczególnymi krajami i regionami, jeżeli chodzi o wyniki w dziedzinie innowacji, wciąż istnieją ogromne różnice między państwami członkowskimi. Ponadto obecny kryzys finansowy, wymuszając ograniczenia w budżetach krajowych, grozi pogłębieniem przepaści. Wykorzystanie potencjału europejskiej puli talentów oraz zadbanie o to, by korzyści z innowacji były jak największe oraz by były upowszechniane w całej Unii, jest kluczowe dla konkurencyjności Europy i jej zdolności do stawienia czoła wyzwaniom społecznym w przyszłości.

Uzasadnienie i unijna wartość dodana

Aby osiągnąć postępy na drodze ku trwałemu, integracyjnemu i inteligentnemu społeczeństwu, Europa musi jak najlepiej wykorzystać wiedzę dostępną w Unii oraz uwolnić niewykorzystany potencjał w zakresie badań naukowych i innowacji.Proponowane działania, wspierające i łączące ośrodki doskonałości, przyczynią się do wzmocnienia EPB.

Ogólne kierunki działań

Działania szczegółowe ułatwią upowszechnianie doskonałości i zapewnianie szerszego uczestnictwa i będą polegać na:— łączeniu w zespoły najlepszych instytucji badawczych (ang. teaming) oraz przedstawicieli regionów osiągających słabe wyniki w zakresie badań, rozwoju i innowacjico będzie miało na celu utworzenie nowych (lub znaczące podniesienie statusu istniejących) centrów doskonałości w państwach członkowskich i regionach osiągających słabe wyniki w zakresie badań, rozwoju i innowacji.— tworzeniu partnerstw między instytucjami badawczymi (ang. twinning) mających na celu znaczne wzmocnienie określonej dziedziny badań naukowych w powstającej instytucji poprzez utworzenie powiązań z co najmniej dwiema instytucjami, które w danej dziedzinie odgrywają wiodącą rolę na poziomie międzynarodowym. — ustanowieniu „katedr EPB” (ang. „ERA chairs”)w celu przyciągnięcia wybitnych przedstawicieli środowisk akademickich do instytucji dysponujących wyraźnym potencjałem doskonałości badawczej, aby pomóc tym instytucjom w pełni uwolnić ich potencjał i stworzyć tym samym równe warunki działania w zakresie badań naukowych i innowacji w EPB. Należy zbadać możliwość synergii z działalnością Europejskiej Rady ds. Badań Naukowych.— wprowadzeniu narzędzia wspierania polityki w celu podniesienia jakości projektowania, realizacji i oceny krajowych/regionalnych polityk w zakresie badań naukowych i innowacji.— ułatwieniu dostępu do międzynarodowych sieci wybitnym naukowcom i innowatorom, którzy są w niewystarczającym stopniu zaangażowani w działania sieci europejskich i międzynarodowych, w tym w COST. — zwiększeniu administracyjnych i operacyjnych zdolności transnarodowych sieci krajowych punktów kontaktowych, m.in. w drodze szkoleń, tak by mogły lepiej wspierać ewentualnych uczestników. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:57";"664481" +"H2020-EU.4.";"it";"H2020-EU.4.";"";"";"DIFFONDERE L'ECCELLENZA E AMPLIARE LA PARTECIPAZIONE";"Spreading excellence and widening participation";"

DIFFONDERE L'ECCELLENZA E AMPLIARE LA PARTECIPAZIONE

Obiettivo specifico

L'obiettivo specifico è sfruttare appieno il potenziale di talenti esistenti in Europa e assicurare che i benefici di un'economia basata sull'innovazione siano massimizzati e ampiamente distribuiti in tutta l'Unione secondo il principio dell'eccellenza.Nonostante la recente tendenza a una convergenza dei risultati dei singoli paesi e regioni nell'ambito dell'innovazione, permangono marcate differenze tra gli Stati membri. Inoltre, l'attuale crisi finanziaria, imponendo restrizioni ai bilanci nazionali, minaccia di ampliare i divari. Sfruttare il potenziale di talenti esistenti in Europa, ottimizzando e diffondendo i benefici dell'innovazione in tutta l'Unione, è fondamentale per la competitività dell'Europa e per la sua capacità di affrontare le sfide per la società in futuro.

Motivazione e valore aggiunto dell'Unione

Per progredire verso una società sostenibile, inclusiva e intelligente, l'Europa deve utilizzare al meglio l'intelligenza disponibile nell'Unione e mettere a frutto il potenziale inesplorato nell'ambito della ricerca e dell'innovazione.Tutelando e collegando i gruppi di eccellenza, le attività proposte contribuiranno a rafforzare il SER.

Le grandi linee delle attività

La diffusione dell'eccellenza e l'ampliamento della partecipazione saranno agevolati dalle azioni seguenti:— Raggruppamento di istituti di ricerca di eccellenza e regioni con prestazioni meno soddisfacenti dal punto di vista dell'RSI Miranti a creare nuovi centri di eccellenza (o a migliorare in modo significativo quelli esistenti) in Stati membri e regioni con prestazioni meno soddisfacenti dal punto di vista dell'RSI.— Gemellaggi di istituti di ricerca Miranti a rafforzare in modo decisivo un determinato settore di ricerca in un istituto emergente attraverso collegamenti con almeno due istituti che svolgono un ruolo guida a livello internazionale in un settore specifico. — Istituzione di cattedre ""SER"" Per attirare accademici di alto livello negli istituti con un chiaro potenziale di ricerca di eccellenza, al fine di aiutare tali istituti a realizzare pienamente il loro potenziale e creare così condizioni eque per la ricerca e l'innovazione nel SER. Occorre esplorare possibili sinergie con le attività del CER.— Un meccanismo di sostegno delle politiche Inteso a migliorare la concezione, l'attuazione e la valutazione delle politiche nazionali/regionali di ricerca e innovazione.— Sostegno dell'accesso alle reti internazionali di ricercatori e innovatori di eccellenza che non sono presenti in misura sufficiente nelle reti europee e internazionali, compresa la cooperazione europea in campo scientifico e tecnologico — Rafforzamento della capacità amministrativa e operativa delle reti transnazionali di punti di contatto nazionali, anche mediante la formazione, in modo che possano fornire migliore sostegno ai potenziali partecipanti ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:57";"664481" +"H2020-EU.3.3.7.";"it";"H2020-EU.3.3.7.";"";"";"Assorbimento di mercato dell'innovazione energetica - iniziative fondate sul programma ""Energia intelligente - Europa""";"Market uptake of energy innovation";"

Assorbimento di mercato dell'innovazione energetica - iniziative fondate sul programma ""Energia intelligente - Europa""

Le attività sono basate su quelle intraprese nel quadro del programma ""Energia intelligente - Europa"" e le rafforzano ulteriormente. Si concentrano sulle innovazioni applicate e sulla promozione di norme al fine di agevolare l'adozione da parte del mercato delle tecnologie e dei servizi energetici, per affrontare gli ostacoli non tecnologici e accelerare un'attuazione efficiente in termini di costi delle politiche energetiche europee. Sarà anche prestata attenzione all'innovazione per l'uso intelligente e sostenibile delle tecnologie esistenti.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:56";"664355" +"H2020-EU.3.3.7.";"fr";"H2020-EU.3.3.7.";"";"";"La commercialisation des innovations dans le domaine de l'énergie en s'appuyant sur le programme «Énergie intelligente - Europe»";"Market uptake of energy innovation";"

La commercialisation des innovations dans le domaine de l'énergie en s'appuyant sur le programme «Énergie intelligente - Europe»

Les activités s'appuient sur celles menées dans le cadre du programme «Énergie intelligente - Europe» et les renforcent. Elles se concentrent sur l'innovation appliquée et la promotion des normes, afin de faciliter la commercialisation des technologies et services énergétiques, de lever les obstacles non technologiques et d'assurer une mise en œuvre plus rapide et au meilleur coût des politiques énergétiques de l'Union. Il sera également tenu compte de l'innovation pour une utilisation intelligente et durable des technologies existantes.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:56";"664355" +"H2020-EU.3.3.7.";"pl";"H2020-EU.3.3.7.";"";"";"Wprowadzanie na rynek innowacji w zakresie energii – korzystanie z programu „Inteligentna energia dla Europy”";"Market uptake of energy innovation";"

Wprowadzanie na rynek innowacji w zakresie energii – korzystanie z programu „Inteligentna energia dla Europy”

Działania mają nawiązywać do działań podjętych w ramach programu „Inteligentna energia dla Europy” oraz stanowić ich uzupełnienie. Mają skupiać się na stosowaniu innowacji i promowaniu standardów, aby ułatwić wprowadzanie na rynek nowych technologii i usług w zakresie energii w celu wyeliminowania barier innych niż technologiczne oraz przyspieszenia racjonalnej pod względem kosztów realizacji unijnej polityki energetycznej. Zostanie także zwrócona uwaga na innowacje w dziedzinie inteligentnego i zrównoważonego wykorzystania istniejących technologii.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:56";"664355" +"H2020-EU.3.3.7.";"de";"H2020-EU.3.3.7.";"";"";"Markteinführung von Energieinnovationen – Aufbau auf ""Intelligente Energie – Europa";"Market uptake of energy innovation";"

Markteinführung von Energieinnovationen – Aufbau auf ""Intelligente Energie – Europa

Die Tätigkeiten stützen sich auf die im Rahmen des Programms ""Intelligente Energie – Europa"" (IEE) durchgeführten Tätigkeiten und verstärken diese. Schwerpunkt ist die angewandte Innovation und ein Beitrag zur Normung, um die Einführung von Energietechnologien und -dienstleistungen auf dem Markt zu erleichtern, nichttechnologische Hemmnisse zu beseitigen und die kosteneffiziente Umsetzung der Energiepolitik der Union zu beschleunigen. Dabei wird auch Innovationen im Interesse einer intelligenten und nachhaltigen Nutzung bereits vorhandener Technologien Beachtung geschenkt.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:56";"664355" +"H2020-EU.3.3.7.";"es";"H2020-EU.3.3.7.";"";"";"Absorción por el mercado de la innovación energética - explotación del Programa Energía Inteligente - Europa Europe";"Market uptake of energy innovation";"

Absorción por el mercado de la innovación energética - explotación del Programa Energía Inteligente - Europa Europe

Las actividades se basarán y potenciarán las ya emprendidas en el marco del programa Iniciativa Energía inteligente - Europa (EIE). Las actividades se centrarán en la innovación aplicada y la promoción de normas destinadas a facilitar la absorción por el mercado de las tecnologías y servicios energéticos, a combatir los obstáculos no tecnológicos y a acelerar la aplicación eficaz en relación con los costes de las políticas energéticas de la Unión. Se prestará atención igualmente a la innovación para el empleo inteligente y sostenible de las tecnologías existentes.";"";"H2020";"H2020-EU.3.3.";"";"";"2014-09-22 20:46:56";"664355" +"H2020-Topics";"en";"H2020-Topics";"";"";"H2020 Topics";"";"";"";"H2020";"";"";"";"2015-03-26 12:00:00";"20200" +"H2020-EU.2.3.2.3.";"pl";"H2020-EU.2.3.2.3.";"";"";"Wsparcie innowacji rynkowych";"Supporting market-driven innovation";"

Wsparcie innowacji rynkowych

Należy wspierać transnarodowe innowacje rynkowe w celu poprawy ramowych warunków innowacji i stawić czoło konkretnym barierom powstrzymującym w szczególności wzrost innowacyjnych MŚP.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:05";"664233" +"H2020-EU.3.4.2.";"fr";"H2020-EU.3.4.2.";"";"";"Plus de mobilité, moins d'encombrement, plus de sûreté et de sécurité";"Mobility, safety and security";"

Plus de mobilité, moins d'encombrement, plus de sûreté et de sécurité

L'objectif est de concilier les besoins de mobilité croissants avec une plus grande fluidité des transports, grâce à des solutions innovantes en faveur de systèmes de transport cohérents, intermodaux, inclusifs, accessibles, sûrs, sécurisés, sains, solides et d'un coût abordable.Les activités visent avant tout à réduire les encombrements, à améliorer l'accessibilité, l'interopérabilité et les choix laissés aux passagers, et à répondre aux besoins des utilisateurs en développant et en promouvant les transports porte-à-porte intégrés, la gestion de la mobilité et la logistique; à renforcer l'intermodalité et le déploiement de solutions de planification et de gestion intelligentes; et à réduire considérablement le nombre d'accidents et l'impact des menaces en matière de sûreté.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:20";"664367" +"H2020-EU.2.3.2.1.";"es";"H2020-EU.2.3.2.1.";"";"";"Apoyar a las PYME intensivas en investigación";"Support for research intensive SMEs";"

Apoyar a las PYME intensivas en investigación

El objetivo es promover la innovación transnacional orientada al mercado de las PYME que realizan actividades de I+D. Se dedicará una acción específica a las PYME intensivas en investigación en todos los sectores que demuestren capacidad para explotar comercialmente los resultados del proyecto. Esta acción se basará en el Programa Eurostars.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:42:58";"664229" +"H2020-EU.2.3.1.";"pl";"H2020-EU.2.3.1.";"";"";"Zintegrowane działania w zakresie wsparcia dla MŚP, w szczególności za pomocą specjalnego instrumentu";"Mainstreaming SME support";"

Zintegrowane działania w zakresie wsparcia dla MŚP, w szczególności za pomocą specjalnego instrumentu

MŚP są wspomagane w związku ze wszystkimi działaniami w ramach programu „Horyzont 2020”. W tym celu, dla umożliwienia uczestnictwa w programie „Horyzont 2020”, ustanawia się lepsze warunki dla MŚP. Oprócz tego specjalny instrument MŚP zapewnia ustrukturyzowane i spójne wsparcie obejmujące cały cykl innowacji. Instrument MŚP jest przeznaczony dla wszystkich typów innowacyjnych MŚP wykazujących poważne ambicje w kierunku rozwoju, wzrostu i umiędzynarodowienia. Obejmuje wszystkie typy innowacji, w tym także innowacji w zakresie usług, innowacji nietechnologicznych i społecznych, przy założeniu, że każde z tych działań ma wyraźną europejską wartość dodaną. Celem jest rozwój i kapitalizacja potencjału innowacyjnego MŚP poprzez pomoc w eliminacji luki w finansowaniu wczesnej fazy badań naukowych i innowacji obciążonych wysokim ryzykiem, stymulowanie innowacji oraz zwiększanie handlowego wykorzystania wyników przez sektor prywatny.Instrument ten będzie funkcjonował w ramach jednego scentralizowanego systemu zarządzania, przy niewielkich obciążeniach administracyjnych i z pojedynczym punktem kontaktowym. Jest wdrażany przede wszystkim z zastosowaniem podejścia oddolnego na podstawie stale otwartego zaproszenia do składania wniosków.Wszystkie cele szczegółowe priorytetu „Wyzwań społecznych” i celu szczegółowego „Wiodącej pozycji w zakresie technologii prorozwojowych i przemysłowych” będą stosować instrument MŚP i przeznaczą na ten cel określoną kwotę.";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:51";"664225" +"H2020-EU.2.2.2.";"pl";"H2020-EU.2.2.2.";"";"";"Instrument finansowy zapewniający finansowanie kapitałowe badań naukowych i innowacji: „Instrumenty kapitałowe Unii w zakresie badań naukowych i innowacji”";"Equity facility";"

Instrument finansowy zapewniający finansowanie kapitałowe badań naukowych i innowacji: „Instrumenty kapitałowe Unii w zakresie badań naukowych i innowacji”

Celem jest wniesienie wkładu w przezwyciężenie problemów rynku europejskiego kapitału wysokiego ryzyka oraz zapewnienie kapitałowych i quasi-kapitałowych instrumentów inwestycyjnych na pokrycie potrzeb rozwojowych i finansowych innowacyjnych przedsiębiorstw od fazy zalążka przez wzrost po ekspansję. Działania koncentrują się na wspieraniu celów programu „Horyzont 2020” i powiązanych obszarów polityki.Docelowymi beneficjentami końcowymi są potencjalnie przedsiębiorstwa dowolnej wielkości podejmujące innowacyjną działalność lub przygotowujące się do niej, ze szczególnym naciskiem na MŚP i przedsiębiorstwa o średniej kapitalizacji.Instrument kapitałowy będzie się koncentrował na funduszach kapitału wysokiego ryzyka i funduszach funduszy ukierunkowanych na przedsięwzięcia we wczesnej fazie, zapewniając kapitałowe i quasi-kapitałowe instrumenty inwestycyjne (w tym finansowanie mezaninowe) na potrzeby przedsiębiorstw z portfeli indywidualnych. Instrument będzie również mógł być wykorzystany do celów inwestycji rozwojowych i inwestycji w fazie wzrostu, w połączeniu z instrumentem kapitałowym dla inwestycji znajdujących się na etapie wzrostu w ramach COSME, tak aby zapewnić stałe wsparcie podczas fazy rozruchu i rozwoju przedsiębiorstw.Instrument kapitałowy, stymulowany zapotrzebowaniem, bazuje na podejściu portfelowym, przewidującym, że fundusze kapitału wysokiego ryzyka i inni porównywalni pośrednicy wybierają przedsiębiorstwa, w które będą inwestować.Na przykład na potrzeby osiągnięcia określonych celów związanych z wyzwaniami społecznymi może zostać zastosowane powiązanie z celami, w oparciu o pozytywne doświadczenia Programu ramowego na rzecz konkurencyjności i innowacji (2007-2013) (CIP) pod względem powiązania z celami ekoinnowacji.Okno rozruchowe, służące wsparciu w fazie zalążkowej i wczesnego rozwoju, umożliwia inwestycje kapitałowe m.in. w organizacje zajmujące się transferem wiedzy i podobne organy, dzięki wsparciu transferu technologii (w tym transferu wyników badań i wynalazków powstałych w sferze badań ze środków publicznych do sektora produkcyjnego, na przykład poprzez weryfikację projektu), fundusze kapitału zalążkowego, transgraniczne fundusze kapitału zalążkowego i fundusze ukierunkowane na przedsięwzięcia we wczesnej fazie, instrumenty współfinansowania aniołów biznesu, aktywa w postaci własności intelektualnej, platformy wymiany praw własności intelektualnej i obrotu nimi oraz fundusze kapitału wysokiego ryzyka ukierunkowane na przedsięwzięcia we wczesnej fazie, a także fundusze funduszy działające ponad granicami i inwestujące w fundusze kapitału wysokiego ryzyka. Mogą one obejmować wsparcie dla trzeciej fazy instrumentu MŚP z uwzględnieniem poziomu zapotrzebowania.Okno wzrostowe jest ukierunkowane na inwestycje rozwojowe i inwestycje na etapie wzrostu, w połączeniu z instrumentem kapitałowym dla inwestycji znajdujących się na etapie wzrostu w ramach programu COSME, w tym inwestycje w fundusze funduszy sektora prywatnego i publicznego działające ponad granicami i inwestujące w fundusze kapitału wysokiego ryzyka, z których większość jest ukierunkowana tematycznie, w sposób wspierający osiąganie celów strategii „Europa 2020”.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:43";"664221" +"H2020-EU.2.2.1.";"de";"H2020-EU.2.2.1.";"";"";"Die Kreditfazilität für FuI: ""Unionsdarlehen und Garantien für Forschung und Innovation"" ";"Debt facility";"

Die Kreditfazilität für FuI: ""Unionsdarlehen und Garantien für Forschung und Innovation""

Ziel ist ein leichterer Zugang zur Kreditfinanzierung – in Form von Darlehen, Garantien, Rückbürgschaften und sonstigen Arten der Kredit- und Risikofinanzierung – für öffentliche und private Rechtspersonen und öffentlich-private Partnerschaften, die auf dem Gebiet der Forschung und Innovation tätig sind und die bei ihren Investitionen Risiken eingehen müssen, damit diese Früchte tragen. Schwerpunkt ist die Unterstützung von Forschung und Innovation mit einem hohen Exzellenzpotenzial.Da es zu den Zielen von Horizont 2020 gehört, dazu beizutragen, die Lücke zwischen der Forschung und Entwicklung und Innovationen zu schließen und den Markteintritt neuer und verbesserter Produkte und Dienstleistungen zu befördern, und angesichts der entscheidenden Rolle der Konzepterprobung beim Wissenstransferprozess können Mechanismen zur Finanzierung der Konzepterprobungsphasen eingeführt werden, die notwendig sind, um die Bedeutung, Relevanz und künftige Innovationskraft der Forschungsergebnisse oder Erfindungen zu bewerten, die es zu transferieren gilt.Zielgruppe: Rechtspersonen jeder Größe, die Geld leihen und zurückzahlen können, KMU mit dem Potenzial, Innovationen durchzuführen und rasch zu expandieren, Unternehmen mittlerer Größe und Großunternehmen, Hochschulen und Forschungsinstitute, Forschungs- und Innovationsinfrastrukturen, öffentlich-private Partnerschaften, öffentlich-private Partnerschaften sowie Zweckgesellschaften oder Projekte;

Die Kreditfazilität beinhaltet die folgenden beiden Komponenten:

(1)Nachfrageorientierte Förderung: Darlehen und Garantien werden in der Reihenfolge des Eingangs der Anträge gewährt, wobei Empfänger wie KMU und Unternehmen mit mittlerer Kapitalausstattung besonders unterstützt werden. Diese Komponente entspricht dem stetig und kontinuierlich zu verzeichnenden Anstieg des Volumens der nachfragegesteuerten RSFF-Kreditvergabe. Im Rahmen des KMU-Teils werden Tätigkeiten gefördert, mit denen der Zugang der KMU und anderer FuE- und/oder innovationsorientierter Unternehmen zur Finanzierung verbessert werden soll. Dies könnte – je nach Nachfrage – Unterstützung in der Phase 3 des KMU-Instruments umfassen.(2) Gezielte Förderung: Konzentration auf die Strategien und Schlüsselsektoren, die für die Bewältigung der gesellschaftlichen Herausforderungen, die Stärkung der industriellen Führungsposition und der Wettbewerbsfähigkeit, die Unterstützung eines nachhaltigen und integrativen Wachstums mit niedrigem CO2-Ausstoß und die Bereitstellung ökologischer und sonstiger öffentlicher Güter entscheidend sind. Diese Komponente unterstützt die Union dabei, die forschungs- und innovationsrelevanten Aspekte der sektorspezifischen politischen Ziele anzugehen.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:40";"664219" +"H2020-EU.3.2.4.";"it";"H2020-EU.3.2.4.";"";"";"Bioindustrie sostenibili e competitive e sostegno allo sviluppo di una bioeconomia europea";"Bio-based industries and supporting bio-economy";"

Bioindustrie sostenibili e competitive e sostegno allo sviluppo di una bioeconomia europea

L'obiettivo è la promozione delle bioindustrie europee a basse emissioni di carbonio, efficienti sotto il profilo delle risorse, sostenibili e competitive. Le attività si concentrano sulla promozione della bioeconomia basata sulla conoscenza mediante la trasformazione dei processi e dei prodotti industriali convenzionali in prodotti e processi biologici efficienti sotto il profilo delle risorse e dell'energia, lo sviluppo di bioraffinerie integrate di seconda generazione o di generazioni successive, l'ottimizzazione dell'uso di biomassa derivata dalla produzione primaria, compresi residui, rifiuti biologici e sottoprodotti biologici industriali e l'apertura di nuovi mercati attraverso il sostegno alla standardizzazione e ai sistemi di certificazione, nonché alle attività di regolamentazione e dimostrative/sperimentali e altri, tenendo conto delle conseguenze della bioeconomia sull'utilizzazione del terreno e sulle modifiche di destinazione del terreno, nonché delle opinioni e delle preoccupazioni della società civile.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:26";"664309" +"H2020-EU.3.2.4.";"fr";"H2020-EU.3.2.4.";"";"";"Des bio-industries durables et compétitives et une aide à la création d'une bioéconomie européenne";"Bio-based industries and supporting bio-economy";"

Des bio-industries durables et compétitives et une aide à la création d'une bioéconomie européenne

L'objectif est de promouvoir des bio-industries européennes à faibles émissions de carbone, qui soient économes en ressources, durables et compétitives. Les activités visent à promouvoir la bioéconomie basée sur la connaissance en transformant les processus et les produits industriels conventionnels en bioproduits économes en ressources et en énergie, en développant des bioraffineries intégrées de deuxième génération ou d'une génération ultérieure, en optimisant l'utilisation de la biomasse issue de la production primaire, y compris des résidus, des biodéchets et des sous-produits des bio-industries, et en assurant l'ouverture de nouveaux marchés en soutenant les systèmes de normalisation et de certification, ainsi que les activités de réglementation, de démonstration/d'essai en plein champ et autres, tout en prenant en considération les implications de la bioéconomie sur l'utilisation des sols et les changements en la matière, ainsi que les avis et préoccupations de la société civile.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:26";"664309" +"H2020-EU.2.1.5.4.";"fr";"H2020-EU.2.1.5.4.";"";"";"Des modèles d'entreprise nouveaux et durables";"New sustainable business models";"

Des modèles d'entreprise nouveaux et durables

S'inspirer de concepts et de méthodologies visant à élaborer des modèles d'entreprise adaptatifs et fondés sur la connaissance dans le cadre d'approches personnalisées, y compris des approches différentes en ce qui concerne la production de ressources.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:14";"664205" +"H2020-EU.2.1.4.1.";"fr";"H2020-EU.2.1.4.1.";"";"";"Promouvoir les biotechnologies de pointe comme futur moteur d'innovation";"Cutting-edge biotechnologies as future innovation driver";"

Promouvoir les biotechnologies de pointe comme futur moteur d'innovation

Soutien aux domaines technologiques émergents, tels que la biologie synthétique, la bioinformatique et la biologie des systèmes, qui possèdent un potentiel considérable pour ce qui est du développement de produits et de technologies innovants et d'applications totalement innovantes.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:48";"664191" +"H2020-EU.2.1.4.3.";"es";"H2020-EU.2.1.4.3.";"";"";"Tecnologías para plataformas innovadoras y competitivas";"Innovative and competitive platform technologies";"

Tecnologías para plataformas innovadoras y competitivas

Desarrollo de tecnologías de plataforma (p. ej. genómica, metagenómica, proteómica, metabolómica, herramientas moleculares, sistemas de expresión, plataformas de fenotipificación) para potenciar el liderazgo y la ventaja competitiva en un gran número de sectores económicos de gran repercusión.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:55";"664195" +"H2020-EU.2.1.3.7.";"es";"H2020-EU.2.1.3.7.";"";"";"Optimización del uso de materiales";"Optimisation of the use of materials";"

Optimización del uso de materiales

Investigación y desarrollo para estudiar la sustitución y alternativas a la utilización de materiales y enfoques innovadores con respecto a los modelos de negocio, así como determinación de los recursos críticos.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:41";"664187" +"H2020-EU.2.1.3.6.";"fr";"H2020-EU.2.1.3.6.";"";"";"Métrologie, caractérisation, normalisation et contrôle de la qualité";"Metrology, characterisation, standardisation and quality control";"

Métrologie, caractérisation, normalisation et contrôle de la qualité

Promotion des technologies telles que la caractérisation, l'évaluation non destructive, l'évaluation et le suivi permanents et la modélisation prédictive des performances pour permettre des avancées et des répercussions dans les domaines de la science des matériaux et de l'ingénierie.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:37";"664185" +"H2020-EU.2.1.3.6.";"es";"H2020-EU.2.1.3.6.";"";"";"Metrología, caracterización, normalización y control de calidad";"Metrology, characterisation, standardisation and quality control";"

Metrología, caracterización, normalización y control de calidad

Promoción de tecnologías como la caracterización, la evaluación no destructiva, la evaluación y supervisión continuas y la modelización predictiva de las prestaciones para avanzar y conseguir un impacto positivo en ciencia e ingeniería de materiales.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:37";"664185" +"H2020-EU.2.1.3.6.";"de";"H2020-EU.2.1.3.6.";"";"";"Metrologie, Merkmalsbeschreibung, Normung und Qualitätskontrolle";"Metrology, characterisation, standardisation and quality control";"

Metrologie, Merkmalsbeschreibung, Normung und Qualitätskontrolle

Förderung von Technologien wie Merkmalsbestimmung, nichtdestruktive Bewertung, laufende Beurteilung und Überwachung und Modelle für Leistungsprognosen für den Fortschritt und Folgewirkungen in der Werkstoffwissenschaft und -technik.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:37";"664185" +"H2020-EU.2.1.3.5.";"de";"H2020-EU.2.1.3.5.";"";"";"Werkstoffe für kreative Branchen, einschließlich Kulturerbe";"Materials for creative industries, including heritage";"

Werkstoffe für kreative Branchen, einschließlich Kulturerbe

Anwendung von Design und Entwicklung konvergierender Technologien zur Erschließung neuer Geschäftsmöglichkeiten, einschließlich Erhalt und Restaurierung von Material von historischem oder kulturellem Wert, sowie neuartiger Werkstoffe.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:34";"664183" +"H2020-EU.2.1.3.5.";"es";"H2020-EU.2.1.3.5.";"";"";"Materiales para las industrias creativas, inclusive el patrimonio";"Materials for creative industries, including heritage";"

Materiales para las industrias creativas, inclusive el patrimonio

Aplicación del diseño y el desarrollo de tecnologías convergentes para crear nuevas oportunidades empresariales, incluida la preservación y restauración de materiales de valor histórico o cultural, así como de materiales nuevos.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:34";"664183" +"H2020-EU.2.1.3.4.";"pl";"H2020-EU.2.1.3.4.";"";"";"Materiały dla zrównoważonego, zasobooszczędnego i niskoemisyjnego przemysłu";"Materials for a resource-efficient and low-emission industry";"

Materiały dla zrównoważonego, zasobooszczędnego i niskoemisyjnego przemysłu

Rozwijanie nowych produktów i zastosowań, modeli biznesowych oraz odpowiedzialnych zachowań konsumentów ograniczających zapotrzebowanie na energię i ułatwiających produkcję niskoemisyjną.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:30";"664181" +"H2020-EU.2.1.3.4.";"es";"H2020-EU.2.1.3.4.";"";"";"Materiales para una industria sostenible, eficiente en recursos y de bajas emisiones";"Materials for a resource-efficient and low-emission industry";"

Materiales para una industria sostenible, eficiente en recursos y de bajas emisiones

Desarrollo de nuevos productos y aplicaciones, modelos de negocio y comportamiento responsable de los consumidores que reduzca la demanda de energía, y facilitación de la producción con baja emisión de carbono.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:30";"664181" +"H2020-EU.3.4.3.";"es";"H2020-EU.3.4.3.";"";"";"Liderazgo mundial para la industria europea del transporte";"Global leadership for the European transport industry";"

Liderazgo mundial para la industria europea del transporte

El objetivo es reforzar la competitividad y el rendimiento de las industrias europeas de fabricación para el transporte y servicios conexos (incluidos los procesos logísticos, el mantenimiento, reparación, modernización y reciclado) al tiempo que se conservar ámbitos de liderazgo europeo (como la aeronáutica).El propósito de las actividades será impulsar la próxima generación de medios de transporte aéreos, fluviales y terrestres innovadores, asegurar una fabricación sostenible de sistemas y equipos innovadores y preparar el terreno para los futuros medios de transporte, trabajando sobre nuevas tecnologías, conceptos y diseños, sistemas inteligentes de control y normas interoperables, procesos de producción eficientes, servicios y procedimientos de certificación innovadores, periodos de desarrollo más breves y costes del ciclo de vida inferiores sin poner en peligro la seguridad operativa.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:39";"664377" +"H2020-EU.2.1.4.2.";"de";"H2020-EU.2.1.4.2.";"";"";"Biotechnologische Industrieprodukte und -prozesse";"Bio-technology based industrial products and processes";"

Biotechnologische Industrieprodukte und -prozesse

Entwicklung industrieller Biotechnologie und Konzeption von Bioprozessen im industriellen Maßstab für wettbewerbsfähige Industrieprodukte und nachhaltige Prozesse (z. B. in den Bereichen Chemie, Gesundheit, Mineralgewinnung, Energie, Zellstoff und Papier, Fasererzeugnisse und Holz, Textil, Stärke und Lebensmittelverarbeitung) und ihre Umwelt- und Gesundheitsdimension unter Einschluss von Clean-up-Verfahren.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:52";"664193" +"H2020-EU.2.1.3.3.";"pl";"H2020-EU.2.1.3.3.";"";"";"Gospodarowanie składnikami materiałów";"Management of materials components";"

Gospodarowanie składnikami materiałów

Działania badawczo-rozwojowe w zakresie nowych i innowacyjnych technik produkcji materiałów, oraz ich komponentów i systemów.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:26";"664179" +"H2020-EU.2.1.3.2.";"de";"H2020-EU.2.1.3.2.";"";"";"Entwicklung und Transformation von Werkstoffen";"Materials development and transformation";"

Entwicklung und Transformation von Werkstoffen

Forschung und Entwicklung im Hinblick auf künftige Produkte, die im Industriemaßstab effizient, sicher und nachhaltig konzipiert und hergestellt werden können, wobei das Endziel in einem ""abfallfreien"" Werkstoffmanagement in Europa besteht.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:23";"664177" +"H2020-EU.2.1.3.4.";"de";"H2020-EU.2.1.3.4.";"";"";"Werkstoffe für eine nachhaltige und ressourcenschonende Industrie mit geringen Emissionen";"Materials for a resource-efficient and low-emission industry";"

Werkstoffe für eine nachhaltige und ressourcenschonende Industrie mit geringen Emissionen

Entwicklung neuer Produkte, Anwendungen und Geschäftsmodelle sowie Beitrag zu einem verantwortungsbewussten energiesparenden Verbraucherverhalten sowie zu einer Produktion mit niedrigem CO2-Ausstoß.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:30";"664181" +"H2020-EU.2.1.2.4.";"pl";"H2020-EU.2.1.2.4.";"";"";"Efektywna i zrównoważona synteza i produkcja nanomateriałów, części i systemów";"Synthesis and manufacturing of nanomaterials, components and systems";"

Efektywna i zrównoważona synteza i produkcja nanomateriałów, części i systemów

Ukierunkowanie na nowe działania, inteligentną integrację nowych i istniejących procesów, w tym konwergencję technologii, a także zwiększenie skali z myślą o wysoce precyzyjnym wielkoskalowym wytwarzaniu produktów i elastycznych wielofunkcyjnych zakładach, zapewniające skuteczne przekształcenie wiedzy w innowacje przemysłowe";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:08";"664169" +"H2020-EU.2.1.2.4.";"de";"H2020-EU.2.1.2.4.";"";"";"Effiziente und nachhaltige Synthese und Herstellung von Nanowerkstoffen, Komponenten und Systemen";"Synthesis and manufacturing of nanomaterials, components and systems";"

Effiziente und nachhaltige Synthese und Herstellung von Nanowerkstoffen, Komponenten und Systemen

Schwerpunkt sind neue Abläufe, die intelligente Integration neuer und vorhandener Prozesse – einschließlich der Konvergenz verschiedener Technologien – sowie die Maßstabsvergrößerung im Hinblick auf die hochpräzise Großfertigung von Produkten und flexiblen Mehrzweckanlagen, so dass Erkenntnisse effizient in industrielle Innovationen einfließen.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:08";"664169" +"H2020-EU.2.1.3.1.";"de";"H2020-EU.2.1.3.1.";"";"";"Übergreifende und grundlegende Werkstofftec";"Cross-cutting and enabling materials technologies";"

Übergreifende und grundlegende Werkstofftechnologien

Forschung zu individuell entwickelten Werkstoffen sowie zu funktionalen und multifunktionalen Werkstoffen mit höherem Know-how-Gehalt, neuen Funktionsmerkmalen und verbesserter Leistung und zu Strukturwerkstoffen für Innovationen in allen Industriesektoren einschließlich der Kreativbranchen.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:19";"664175" +"H2020-EU.2.1.3.1.";"es";"H2020-EU.2.1.3.1.";"";"";"Tecnologías de materiales transversales y de capacitación";"Cross-cutting and enabling materials technologies";"

Tecnologías de materiales transversales y de capacitación

Investigación en torno a materiales diseñados, materiales funcionales, materiales multifuncionales que impliquen un mayor contenido de conocimiento, nuevas funcionalidades y mayores rendimientos, y materiales estructurales, con vistas a la innovación en todos los sectores industriales, inclusive los sectores creativos.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:19";"664175" +"H2020-EU.2.1.2.5.";"de";"H2020-EU.2.1.2.5.";"";"";"Entwicklung und Normung kapazitätssteigernder Techniken, Messverfahren und Geräte";"Capacity-enhancing techniques, measuring methods and equipment";"

Entwicklung und Normung kapazitätssteigernder Techniken, Messverfahren und Geräte

Schwerpunkt sind die Grundlagentechnologien für die Entwicklung und Markteinführung sicherer komplexer Nanowerkstoffe und Nanosysteme.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:12";"664171" +"H2020-EU.2.1.2.1.";"pl";"H2020-EU.2.1.2.1.";"";"";"Rozwój nowej generacji nanomateriałów, nanourządzeń i nanosystemów";"Next generation nanomaterials, nanodevices and nanosystems";"

Rozwój nowej generacji nanomateriałów, nanourządzeń i nanosystemów

Dążenie do opracowania fundamentalnie nowych produktów, umożliwiających wprowadzenie zrównoważonych rozwiązań w szerokim wachlarzu sektorów.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:40:58";"664163" +"H2020-EU.2.1.2.1.";"it";"H2020-EU.2.1.2.1.";"";"";"Sviluppo di nanomateriali, nanodispositivi e nanosistemi della prossima generazione";"Next generation nanomaterials, nanodevices and nanosystems";"

Sviluppo di nanomateriali, nanodispositivi e nanosistemi della prossima generazione

Mirati a creare prodotti del tutto nuovi che consentano soluzioni sostenibili in un'ampia gamma di settori.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:40:58";"664163" +"H2020-EU.2.";"fr";"H2020-EU.2.";"";"";"PRIORITÉ «Primauté industrielle»";"Industrial Leadership";"

PRIORITÉ «Primauté industrielle»

Cette section a pour objet d'accélérer le développement des technologies et des innovations qui sous-tendront les entreprises de demain et d'aider les PME européennes innovantes à devenir des acteurs majeurs sur le marché mondial. Elle se compose de trois objectifs spécifiques:a)«La primauté dans le domaine des technologies génériques et industrielles"" soutient spécifiquement les activités de recherche, de développement et de démonstration ainsi que, le cas échéant, de normalisation et de certification, dans le domaine des TIC, des nanotechnologies, des matériaux avancés, des biotechnologies, des systèmes de fabrication et de transformation avancés et de l'espace, en mettant l'accent sur les interactions et la convergence au sein des différents secteurs technologiques et entre ces derniers, et sur leurs relations avec les défis de société. Les besoins de l'utilisateur sont dûment pris en compte dans tous ces domaines; H2020-EU.2.1. (http://cordis.europa.eu/programme/rcn/664145_en.html)b)«L'accès au financement à risque» vise à remédier aux difficultés d'accès au financement par l'emprunt et les capitaux propres rencontrées par les entreprises et les projets axés sur la R&D et sur l'innovation à tous les stades de leur développement. Associé à l'instrument de capitaux propres du programme pour la compétitivité des entreprises et les petites et moyennes entreprises (COSME) (2014-2020), il soutient le développement du capital-risque à l'échelle de l'Union; H2020-EU.2.2. (http://cordis.europa.eu/programme/rcn/664217_en.html)c)«L'innovation dans les PME» fournit une aide adaptée aux PME afin d'encourager l'innovation sous toutes ses formes dans les PME, en ciblant celles qui disposent du potentiel pour croître et s'étendre au niveau international, au sein du marché unique et au-delà. H2020-EU.2.3. (http://cordis.europa.eu/programme/rcn/664223_en.html)Les activités sont organisées en fonction des entreprises. Les budgets des objectifs spécifiques «Accès au financement à risque» et «Innovation dans les PME» suivront une logique ascendante axée sur la demande. Ces budgets sont complétés par l'utilisation d'instruments financiers. Un instrument dédié aux PME est mis en œuvre essentiellement selon une approche ascendante, adaptée aux besoins des PME, en prenant en compte les objectifs spécifiques de la priorité «Défis de société» et l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles».Horizon 2020 suivra une approche intégrée concernant la participation des PME, en prenant en compte, entre autres, leurs besoins en matière de transfert de connaissances et de technologies, qui devrait conduire à ce qu'au moins 20 % des budgets totaux combinés de tous les objectifs spécifiques de la priorité «Défis de société» et de l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» soient consacrés aux PME.L'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» suit une approche axée sur les technologies, afin d'assurer le développement de technologies génériques pouvant être utilisées dans une multitude de secteurs, d'industries et de services. Les applications de ces technologies qui permettent de relever les défis de société sont soutenues en association avec la priorité «Défis de société».";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:01";"664143" +"H2020-EU.1.4.3.";"es";"H2020-EU.1.4.3.";"";"";"Reforzar la política europea de infraestructuras de investigación y la cooperación internacional";"Research infrastructure policy and international cooperation";"

Reforzar la política europea de infraestructuras de investigación y la cooperación internacional

El objetivo será prestar apoyo a las asociaciones entre los responsables políticos pertinentes y los organismos de financiación, inventariar y hacer un seguimiento de las herramientas para la toma de decisiones, y también actividades de cooperación internacional. Las infraestructuras europeas de investigación podrán recibir apoyo para sus actividades de relaciones internacionales.Se perseguirán los objetivos expuestos en las líneas de actividad recogidas en las letras b) y c) mediante acciones bien determinadas, y siempre que sea pertinente mediante las acciones emprendidas a tenor de lo previsto en la línea de actividad recogida en la letra a).";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:11";"664137" +"H2020-EU.2.";"de";"H2020-EU.2.";"";"";"SCHWERPUNKT ""Führende Rolle der Industrie""";"Industrial Leadership";"

SCHWERPUNKT ""Führende Rolle der Industrie""

Ziel dieses Teils ist die beschleunigte Entwicklung der Technologien und Innovationen, die die Grundlagen für die Unternehmen von morgen bilden, und die Unterstützung innovativer europäischer KMU bei ihrer Expansion zu weltweit führenden Unternehmen. Dieser Teil umfasst drei Einzelziele:a)Das Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" beinhaltet eine eigene Unterstützung für Forschung, Entwicklung und Demonstration sowie gegebenenfalls Normung und Zertifizierung in den Bereichen Informations- und Kommunikationstechnologie (IKT), Nanotechnologie, innovative Werkstoffe, Biotechnologie, fortgeschrittene Fertigung und Verarbeitung und Raumfahrt. Besondere Aufmerksamkeit gilt den Wechselbeziehungen und der Konvergenz zwischen den verschiedenen Technologien und deren Anpassungsfähigkeit in Bezug auf gesellschaftliche Herausforderungen. In allen diesen Bereichen soll die Bedürfnisse der Nutzer berücksichtigt werden. H2020-EU.2.1. (http://cordis.europa.eu/programme/rcn/664145_en.html)b)Mit dem Einzelziel ""Zugang zur Risikofinanzierung"" sollen Defizite bei der Bereitstellung der Kredit- und Beteiligungsfinanzierung für Forschung und Entwicklung und innovationsorientierte Unternehmen und Projekte in allen Entwicklungsphasen behoben werden. Zusammen mit dem Instrument für die Beteiligungsfinanzierung des Programms für Wettbewerbsfähigkeit von Unternehmen und für kleine und mittlere Unternehmen wird die Entwicklung von Risikokapital auf Unionsebene unterstützt. H2020-EU.2.2. (http://cordis.europa.eu/programme/rcn/664217_en.html)c)Das Einzelziel ""Innovation in KMU"" bietet auf KMU zugeschnittene Unterstützung zur Stimulierung der unterschiedlichsten Innovationsformen und richtet sich an solche KMU, die das Potenzial haben, zu expandieren und auf dem gesamten Binnenmarkt und darüber hinaus international tätig zu werden. H2020-EU.2.3. (http://cordis.europa.eu/programme/rcn/664223_en.html)Die Agenda der Tätigkeiten wird sich an den Bedürfnissen der Unternehmen orientieren. Die Haushaltsmittel für die Einzelziele ""Zugang zur Risikofinanzierung"" und ""Innovation in KMU"" folgen jeweils einer nachfragegesteuerten ""Bottom-up""-Logik. Ergänzend zu diesen Haushaltsmitteln sind Finanzierungsinstrumente vorgesehen. Ein KMU-spezifisches Instrument wird überwiegend nach einem auf die Bedürfnisse der KMU zugeschnittenen ""Bottom-up""-Ansatz angewandt; dabei wird den Einzelzielen des Schwerpunkts ""Gesellschaftliche Herausforderungen"" und dem Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" Rechnung getragen.Horizont 2020 verfolgt einen integrierten Ansatz für die Beteiligung von KMU, unter Berücksichtigung unter anderem ihrer Bedürfnisse in Bezug auf Wissens- und Technologietransfer, was dazu führen soll, dass mindestens 20 % sämtlicher Haushaltsmittel für alle Einzelziele des Schwerpunkts ""Gesellschaftliche Herausforderungen"" und das Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" zusammengenommen für KMU bereitgestellt werden.Für das Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" wird ein von den Technologien ausgehendes Konzept verfolgt, damit Grundlagentechnologien entwickelt werden, die für vielfältige Bereiche, Industriesektoren und Dienstleistungen eingesetzt werden können. Anwendungen dieser Technologien zur Bewältigung gesellschaftlicher Herausforderungen werden zusammen mit dem Schwerpunkt ""Gesellschaftliche Herausforderungen"" unterstützt.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:01";"664143" +"H2020-EU.3.4.1.";"es";"H2020-EU.3.4.1.";"";"";"Un transporte eficiente en el uso de los recursos y que respeta el medio ambiente";"Resource efficient transport that respects the environment";"

Un transporte eficiente en el uso de los recursos y que respeta el medio ambiente

El objetivo es minimizar el impacto del sistema de transportes en el clima y el medio ambiente (incluidos el ruido y la contaminación atmosférica) mejorando su calidad y eficiencia en el uso de los recursos naturales y del combustible y reduciendo las emisiones de gases con efecto invernadero y su dependencia de los combustibles fósiles.El propósito de las actividades será reducir el consumo de recursos, particularmente de combustibles fósiles, y las emisiones de gases de invernadero y los niveles de ruido, así como mejorar la eficiencia del transporte y acelerar el desarrollo, fabricación y despliegue de una nueva generación de automóviles limpios (eléctricos, de hidrógeno y otros de emisiones bajas o nulas), incluido mediante avances importantes y optimización de los motores, el almacenamiento de energía y la infraestructura; explorar y explotar el potencial de los combustibles alternativos y sostenibles y los sistemas de propulsión y operativos innovadores y más eficientes, incluida la infraestructura del combustible y de la carga; optimizar la planificación y la utilización de las infraestructuras mediante sistemas de transporte inteligentes, logística y equipos inteligentes; e incrementar el uso de la gestión de la demanda y el transporte público y no motorizado y las cadenas de movilidad intermodales, en particular en las zonas urbanas. Se deben fomentar las innovaciones destinadas a lograr emisiones bajas o nulas en todos los modos de transporte.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:04";"664359" +"H2020-EU.3.4.1.";"de";"H2020-EU.3.4.1.";"";"";"Ressourcenschonender umweltfreundlicher Verkehr";"Resource efficient transport that respects the environment";"

Ressourcenschonender umweltfreundlicher Verkehr

Ziel ist die Verringerung der Auswirkungen der Verkehrssysteme auf Klima und Umwelt (einschließlich Lärm und Luftverschmutzung) durch Qualitäts- und Effizienzsteigerungen bei der Nutzung natürlicher Ressourcen und Kraftstoffe und durch die Verringerung der Treibhausgasemissionen und der Abhängigkeit von fossilen Kraftstoffen.Schwerpunkt der Tätigkeiten sind die Verringerung des Ressourcenverbrauchs (insbesondere des Verbrauchs fossiler Kraftstoffe), der Treibhausgasemissionen und des Geräuschpegels sowie die Verbesserung der Verkehrs- und Fahrzeugeffizienz, die Beschleunigung von Entwicklung, Herstellung und Einsatz einer neuen Generation von sauberen (elektrischen, wasserstoffbetriebenen oder sonstigen emissionsarmen oder -freien) Fahrzeugen sowie Durchbrüche und Optimierungsbemühungen bei Motoren, Energiespeicherung und Infrastruktur, die Erforschung und Nutzung des Potenzials alternativer und nachhaltiger Kraftstoffe sowie innovativer und effizienterer Antriebs- und Betriebssysteme, einschließlich der Infrastruktur für Kraftstoffabgabe und Aufladung, die optimierte Planung und Nutzung der Infrastrukturen mit Hilfe intelligenter Verkehrssysteme, Logistik und Ausrüstungen sowie – insbesondere in Stadtgebieten – die verstärkte Nutzung von Nachfragemanagement sowie öffentlichem und nichtmotorisiertem Verkehr und intermodalen Mobilitätsketten Innovationen, die auf eine Reduzierung von Emissionen oder vollständige Emissionsfreiheit abzielen, werden in sämtlichen Verkehrsbereichen gefördert.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:04";"664359" +"H2020-EU.1.4.2.";"it";"H2020-EU.1.4.2.";"";"";"Promuovere il potenziale di innovazione e le risorse umane delle infrastrutture di ricerca";"Research infrastructures and their human resources";"

Promuovere il potenziale di innovazione e le risorse umane delle infrastrutture di ricerca

L'obiettivo è incoraggiare le infrastrutture di ricerca ad agire in veste di pioniere o sviluppatore nell'uso delle tecnologie di punta, promuovere partenariati R&S con l'industria, agevolare l'uso industriale delle infrastrutture di ricerca e stimolare la creazione di poli di innovazione. Tale attività mira inoltre a sostenere la formazione e/o gli scambi del personale che dirige e gestisce le infrastrutture di ricerca.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:01";"664131" +"H2020-EU.1.4.2.";"fr";"H2020-EU.1.4.2.";"";"";"Promouvoir le potentiel d'innovation et les ressources humaines des infrastructures de recherche";"Research infrastructures and their human resources";"

Promouvoir le potentiel d'innovation et les ressources humaines des infrastructures de recherche

Les objectifs consistent à inciter les infrastructures de recherche à jouer un rôle de pionnier dans l'adoption ou le développement des technologies de pointe, à encourager les partenariats avec les entreprises en matière de recherche et de développement, à faciliter l'utilisation des infrastructures de recherche à des fins industrielles et à stimuler la création de pôles d'innovation. Il s'agit également de soutenir la formation et/ou les échanges de personnes chargées de la gestion et de l'exploitation des infrastructures de recherche.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:01";"664131" +"H2020-EU.1.4.1.";"fr";"H2020-EU.1.4.1.";"";"";"Développer les infrastructures de recherche européennes pour 2020 et au-delà";"Research infrastructures for 2020 and beyond";"

Développer les infrastructures de recherche européennes pour 2020 et au-delà

L'objectif consiste à faciliter et à soutenir les actions liées aux éléments suivants: 1) la préparation, la mise en œuvre et l'exploitation des infrastructures de recherche recensées par l'ESFRI et des autres infrastructures de recherche d'envergure mondiale, et notamment le développement d'infrastructures partenaires régionales, lorsque l'intervention de l'Union apporte une forte valeur ajoutée; 2) l'intégration des infrastructures de recherche nationales et régionales d'intérêt européen et l'accès transnational à ces infrastructures, de manière à ce que les scientifiques européens puissent les utiliser indépendamment de leur localisation pour effectuer des recherches de haut niveau; 3) le développement, le déploiement et l'exploitation des infrastructures en ligne pour garantir une capacité de premier plan au niveau mondial en matière de mise en réseau, d'informatique et de données scientifiques.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:39:46";"664123" +"H2020-EU.1.";"fr";"H2020-EU.1.";"";"";"PRIORITÉ «Excellence scientifique»";"Excellent Science";"

PRIORITÉ «Excellence scientifique»

Cette section vise à renforcer et à développer l'excellence de la base scientifique de l'Union et à consolider l'EER afin d'accroître la compétitivité du système européen de recherche et d'innovation sur la scène mondiale. Elle se compose de quatre objectifs spécifiques:a)le Conseil européen de la recherche (CER) offre, sur la base d'une concurrence à l'échelle de l'Union, un financement attractif et flexible qui doit permettre aux chercheurs créatifs et talentueux et à leur équipe d'explorer les voies les plus prometteuses à la frontière de la science; H2020-EU.1.1. (http://cordis.europa.eu/programme/rcn/664099_en.html)b)les «Technologies futures et émergentes» (FET) soutiennent la recherche collaborative de façon à accroître la capacité de l'Europe à développer des innovations de pointe susceptibles de bouleverser les théories scientifiques traditionnelles. Elles favorisent la collaboration scientifique interdisciplinaire concernant les idées révolutionnaires à haut risque et elles accélèrent le développement des secteurs scientifiques et technologiques émergents les plus prometteurs ainsi que la structuration des communautés scientifiques correspondantes à l'échelle de l'Union; H2020-EU.1.2. (http://cordis.europa.eu/programme/rcn/664101_en.html)c)les «actions Marie Skłodowska-Curie» offrent une formation d'excellence et innovante dans le domaine de la recherche, ainsi que des possibilités de carrière attractives et des occasions de procéder à des échanges de connaissances, en encourageant la mobilité transfrontalière et intersectorielle des chercheurs de façon à les préparer au mieux à relever les défis de société actuels et futurs; H2020-EU.1.3. (http://cordis.europa.eu/programme/rcn/664109_en.html)d)les «Infrastructures de recherche» consistent à développer et à soutenir les infrastructures européennes de recherche d'excellence et à les aider à contribuer à l'EER en promouvant leur potentiel d'innovation, en attirant des chercheurs de niveau mondial et en formant le capital humain, ainsi qu'à compléter ces activités par la politique de l'Union et la coopération internationale en la matière. H2020-EU.1.4. (http://cordis.europa.eu/programme/rcn/664121_en.html)La haute valeur ajoutée européenne de chacun de ces objectifs a été démontrée. Ensemble, ceux-ci forment un éventail d'activités puissant et équilibré qui, associé aux actions nationales, régionales et locales, couvre la totalité des besoins de l'Europe dans le domaine de la science et des technologies de pointe. Les regrouper en un programme unique leur assurera un fonctionnement plus cohérent, plus rationnel, plus simple et plus ciblé, tout en préservant la continuité indispensable à leur efficacité.Ces activités sont intrinsèquement tournées vers l'avenir; elles assurent le développement des compétences sur le long terme, elles se concentrent sur la prochaine génération de connaissances scientifiques et technologiques, de chercheurs et d'innovations, et elles soutiennent les talents émergents de toute l'Union et des pays associés, ainsi que du monde entier. Elles sont par nature axées sur la science et reposent pour une large part sur des modes de financement ascendants fondés sur les initiatives des chercheurs eux-mêmes. La communauté scientifique européenne aura, de ce fait, un rôle important à jouer dans l'orientation des activités de recherche au titre d'Horizon 2020.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:18:04";"664091" +"H2020-EU.7.";"it";"H2020-EU.7.";"";"";"L'ISTITUTO EUROPEO DI INNOVAZIONE E TECNOLOGIA (EIT)";"European Institute of Innovation and Technology (EIT)";"

L'ISTITUTO EUROPEO DI INNOVAZIONE E TECNOLOGIA (EIT)

L'EIT svolge un ruolo di primo piano poiché riunisce ricerca, innovazione e istruzione superiore d'eccellenza, integrando in tal modo il triangolo della conoscenza. L'EIT si avvale principalmente delle CCI. Esso garantisce inoltre la condivisione delle esperienze tra le CCI e al di là di esse grazie a una diffusione mirata e a misure di scambio delle conoscenze, promuovendo in tal modo una più rapida diffusione dei modelli innovativi nell'Unione.

Obiettivo specifico

L'obiettivo specifico è integrare il triangolo della conoscenza costituito da istruzione superiore, ricerca e innovazione, e in tal modo rafforzare la capacità di innovazione dell'Unione e affrontare le sfide per la società.L'Europa si trova ad affrontare una serie di debolezze strutturali in materia di capacità di innovazione e di capacità di fornitura di nuovi servizi, prodotti e processi, il che è di ostacolo a una crescita economica sostenibile e alla creazione di posti di lavoro. Fra le principali questioni vi sono i risultati relativamente scarsi nella capacità dell'Europa ad attrarre e mantenere i talenti, la sottoutilizzazione delle capacità di ricerca esistenti in termini di creazione di valore economico o sociale, la scarsa commercializzazione dei risultati della ricerca, bassi livelli di attività e mentalità imprenditoriale, la scarsa mobilitazione degli investimenti privati in R&S, una scala delle risorse, comprese le risorse umane, nei poli d'eccellenza insufficiente per competere su scala mondiale e un eccessivo numero di ostacoli alla collaborazione nell'ambito del triangolo della conoscenza costituito da istruzione superiore, ricerca e innovazione a livello europeo.

Motivazione e valore aggiunto dell'Unione

Per competere su scala internazionale, l'Europa deve superare le debolezze strutturali di cui sopra. Gli elementi identificati in precedenza sono comuni a tutti gli Stati membri e compromettono la capacità di innovazione dell'Unione nel suo insieme.L'EIT affronterà questi problemi promuovendo cambiamenti strutturali nel panorama europeo dell'innovazione, attraverso uno stimolo all'integrazione della ricerca, dell'innovazione e dell'istruzione superiore ai massimi livelli, in particolare attraverso le sue comunità della conoscenza e dell'innovazione (CCI), in modo da creare nuovi ambienti propizi all'innovazione, promuovendo e sostenendo una nuova generazione di imprenditori e incentivando la creazione di spin-off e start up innovative. In tal modo, l'EIT contribuirà pienamente al conseguimento degli obiettivi della strategia Europa 2020, in particolare alle iniziative faro ""Unione dell'innovazione"" e ""Youth on the Move"".Inoltre l'EIT e le CCI dovrebbero creare sinergie e interazioni tra le priorità di Orizzonte 2020 e con altre iniziative pertinenti. In particolare, l'EIT contribuirà, tramite le CCI, al conseguimento degli obiettivi specifici della priorità ""Sfide per la società"" e dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"".

Integrare l'istruzione e l'imprenditorialità con la ricerca e l'innovazione

La caratteristica specifica dell'EIT è integrare istruzione superiore e imprenditorialità con la ricerca e l'innovazione, quali collegamenti in un'unica catena dell'innovazione in tutta l'Unione e oltre, il che dovrebbe generare, tra l'altro, un aumento dei servizi, dei prodotti e dei processi innovativi immessi sul mercato.

Logica imprenditoriale e approccio basato sui risultati

L'EIT, per mezzo delle CCI, opera in linea con la logica imprenditoriale e mantiene un approccio basato sui risultati. Una forte leadership rappresenta un prerequisito: ciascuna CCI è guidata da un amministratore delegato. I partner delle CCI sono rappresentati da persone giuridiche individuali per consentire un processo decisionale più snello. Le CCI sono tenute a produrre piani annuali di gestione chiaramente definiti, che illustrino una strategia pluriennale e comprensivi di un ambizioso portafoglio delle attività che spaziano dall'istruzione alla creazione di imprese, con obiettivi ed elementi da fornire chiari, miranti all'impatto sia sociale sia di mercato. Le attuali norme in materia di partecipazione, valutazione e controllo delle CCI consentono decisioni rapide di tipo commerciale. Le imprese e gli imprenditori dovrebbero avere un ruolo forte nel guidare le attività delle CCI e le CCI dovrebbero essere in grado di mobilitare investimenti e un impegno a lungo termine da parte del settore delle imprese.

Superare la frammentazione con l'aiuto di partenariati integrati di lungo termine

Le CCI dell'EIT sono iniziative fortemente integrate, che riuniscono in maniera aperta, responsabile e trasparente partner provenienti dall'industria, comprese le PMI, dall'istruzione superiore e dagli istituti di ricerca e tecnologici rinomati per la loro eccellenza. Le CCI consentono a partner provenienti da tutta l'Unione e oltre di unirsi in nuove configurazioni transfrontaliere, ottimizzare le risorse esistenti e spianare la via a nuove opportunità commerciali attraverso nuove catene di valore in grado di far fronte a sfide ad alto rischio su più vasta scala. Le CCI sono aperte alla partecipazioni di nuovi membri portatori di valore aggiunto al partenariato, tra cui le PMI.

Sviluppare il principale punto di forza dell'innovazione europea: le persone di talento

Il talento è una componente essenziale dell'innovazione. L'EIT favorisce le persone e le loro interazioni, ponendo studenti, ricercatori e imprenditori al centro del suo modello di innovazione. L'EIT creerà una cultura imprenditoriale e creativa e un'istruzione interdisciplinare per gli individui di talento, per mezzo di master e dottorati propri, destinati a diventare un marchio di eccellenza riconosciuto a livello internazionale. In tal modo, l'EIT promuove fortemente la mobilità e la formazione all'interno del triangolo della conoscenza.

Le grandi linee delle attività

L'EIT opera principalmente per mezzo delle CCI, in particolare nei settori che offrono un reale potenziale di innovazione. Mentre le CCI godono di una sostanziale autonomia generale nel definire le loro strategie e attività, vi è una serie di elementi innovativi comuni a tutte le CCI tra cui si cercano coordinamento e sinergie. L'EIT rafforzerà inoltre il suo impatto tramite la diffusione di buone prassi sulle modalità per integrare il triangolo della conoscenza e lo sviluppo dell'imprenditorialità, integrando nuovi partner pertinenti, qualora possano fornire valore aggiunto, e promuovendo attivamente una nuova cultura della condivisione delle conoscenze.

(a) Trasferimento e applicazione delle attività di istruzione superiore, ricerca e innovazione per la creazione di nuove imprese

L'EIT mira a creare un ambiente propizio allo sviluppo del potenziale innovativo delle persone e sfruttarne le idee, indipendentemente dalla loro posizione nella catena dell'innovazione. Pertanto l'EIT contribuirà altresì ad affrontare il ""paradosso europeo"", per cui l'eccellente ricerca esistente è ben lungi dall'essere sfruttata appieno. In tal modo, l'EIT intende portare le idee verso il mercato. Principalmente attraverso le CCI e l'accento sulla promozione dello spirito imprenditoriale si creeranno nuove opportunità commerciali in forma di operazioni di start-up e spin-off ma anche all'interno dell'industria esistente. Si porrà l'accento su tutte le forme di innovazione, compresa l'innovazione tecnologica, sociale e non tecnologica.

(b) Ricerca di punta e incentrata sull'innovazione in settori fondamentali per l'economia e la società

La strategia e le attività dell'EIT sono guidate da un'attenzione ai settori che offrono un autentico potenziale innovativo e sono chiaramente pertinenti alle sfide per la società affrontate nel quadro di Orizzonte 2020. Affrontando le sfide fondamentali per la società in modo globale, l'EIT promuoverà approcci interdisciplinari e multidisciplinari e aiuterà a concentrare gli sforzi di ricerca dei partner delle CCI.

(c) Sviluppo di individui di talento, competenti e dotati di spirito imprenditoriale con l'aiuto dell'istruzione e della formazione

L'EIT integra pienamente l'istruzione e la formazione in tutte le fasi della carriera e sostiene e facilita lo sviluppo di curricula nuovi e innovativi, che rispecchino la necessità di nuovi profili derivati dalle complesse sfide per la società ed economiche. A tal fine, l'EIT svolgerà un ruolo chiave nel promuovere nuovi titoli e diplomi congiunti o multipli negli Stati membri, nel rispetto del principio di sussidiarietà.L'EIT svolgerà inoltre un ruolo essenziale nella messa a punto del concetto di spirito imprenditoriale tramite suoi programmi di istruzione, che promuovono l'imprenditorialità in un contesto ad alta intensità di conoscenza, sulla base della ricerca innovativa e contribuendo a soluzioni di elevato interesse per la società.

(d) Diffusione delle migliori pratiche e scambio di conoscenze sistematico

L'EIT mira ad aprire la strada a nuovi approcci in materia di innovazione e a sviluppare una cultura comune dell'innovazione e del trasferimento di conoscenze, anche nelle PMI. Tale obiettivo potrebbe essere conseguito tra l'altro attraverso la condivisione delle diverse esperienze delle CCI mediante vari meccanismi di diffusione, come una piattaforma delle parti interessate e un sistema di borse.

(e) Dimensione internazionale

L'EIT agisce con la consapevolezza del contesto globale in cui è chiamato a muoversi e aiuta a instaurare relazioni con i principali partner internazionali conformemente all'articolo 27, paragrafo 2. Ampliando i centri di eccellenza attraverso le CCI e promuovendo nuove opportunità di istruzione, l'EIT mirerà a rendere l'Europa più attraente per i talenti provenienti dall'estero.

(f) Rafforzare un impatto di portata europea attraverso un modello di finanziamento innovativo

L'EIT apporta un importante contributo agli obiettivi fissati in Orizzonte 2020, in particolare affrontando le sfide per la società in modo da integrare altre iniziative in questi settori. L'EIT sperimenterà, nel quadro di Orizzonte 2020, approcci nuovi e semplificati al finanziamento e alla gestione, svolgendo così un ruolo di capofila nel panorama europeo dell'innovazione. Una quota del contributo annuale sarà assegnata alle CCI in modo concorrenziale. L'approccio dell'EIT ai finanziamenti sarà fondato solidamente su un forte effetto di leva in grado di mobilitare fondi pubblici e privati a livello nazionale e unionale e sarà comunicato in modo trasparente agli Stati membri e alle parti interessate. Inoltre impiegherà mezzi assolutamente nuovi per un sostegno mirato alle singole attività mediante la Fondazione EIT.

(g) Collegare lo sviluppo regionale alle opportunità europee

Attraverso le CCI e i loro centri di collocazione comune (nodi di eccellenza in grado di riunire l'istruzione superiore, la ricerca e le imprese partner in una data zona geografica), l'EIT sarà inoltre legato alla politica regionale. In particolare, mira a garantire un miglior collegamento fra gli istituti di istruzione superiore, il mercato del lavoro e la crescita e l'innovazione a livello regionale, nel quadro di strategie di specializzazione intelligente regionali e nazionali. In tal modo contribuirà agli obiettivi di politica di coesione dell'Unione. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:45";"664513" +"H2020-EU.7.";"fr";"H2020-EU.7.";"";"";"INSTITUT EUROPÉEN D'INNOVATION ET DE TECHNOLOGIE (EIT)";"European Institute of Innovation and Technology (EIT)";"

INSTITUT EUROPÉEN D'INNOVATION ET DE TECHNOLOGIE (EIT)

L'EIT joue un rôle majeur en réunissant l'enseignement supérieur, la recherche et l'innovation d'excellence, assurant ainsi l'intégration du triangle de la connaissance. Pour ce faire, il a essentiellement recours aux communautés de la connaissance et de l'innovation (CCI). Il veille également, par des mesures ciblées de diffusion et de partage des connaissances, à ce que les expériences soient partagées entre les CCI et au-delà, ce qui permet aux modèles d'innovation d'être adoptés plus rapidement au sein de l'Union.

Objectif spécifique

L'objectif spécifique est d'intégrer le triangle de la connaissance que constituent l'enseignement supérieur, la recherche et l'innovation pour renforcer ainsi la capacité d'innovation de l'Union et relever les défis de société.L'Europe connaît un certain nombre de faiblesses structurelles en ce qui concerne sa capacité d'innover et de mettre en œuvre de nouveaux services, produits et procédés, ce qui entrave une croissance économique durable et la création d'emplois. Les principaux problèmes sont notamment les difficultés de l'Europe pour attirer et retenir des talents; la sous-utilisation des points forts existants dans le domaine de la recherche pour ce qui est de créer de la valeur économique ou sociale; la faible commercialisation des résultats de la recherche; les faibles niveaux d'activité entrepreneuriale et d'esprit d'entreprise; la faible mobilisation de fonds privés à des fins d'investissement dans la recherche et le développement; le manque de ressources, y compris de ressources humaines, dans les pôles d'excellence, ce qui ne leur permet pas d'affronter la concurrence mondiale; le nombre excessif d'obstacles, au niveau européen, à la collaboration au sein du triangle de la connaissance que constituent l'enseignement supérieur, la recherche et l'innovation.

Justification et valeur ajoutée de l'Union

Pour que l'Europe puisse être compétitive à l'échelle internationale, il convient de surmonter ces faiblesses structurelles. Les éléments susmentionnés sont communs aux États membres et nuisent à la capacité d'innovation de l'Union dans son ensemble.L'EIT répondra à ces problèmes en favorisant les changements structurels dans le paysage européen de l'innovation. Pour ce faire, il promouvra l'intégration de l'enseignement supérieur, de la recherche et de l'innovation, selon les normes les plus élevées, notamment par l'intermédiaire de ses CCI, ce qui créera de nouveaux environnements porteurs d'innovations, il encouragera et aidera une nouvelle génération d'entrepreneurs et il stimulera l'essaimage et la création de jeunes entreprises innovantes. Ainsi, l'EIT contribuera pleinement à la réalisation des objectifs de la stratégie Europe 2020, et notamment aux initiatives phares «Une Union de l'innovation» et «Jeunesse en mouvement».En outre, l'EIT et ses communautés de la connaissance et de l'innovation devraient rechercher les synergies et l'interaction entre les priorités d'Horizon 2020 et avec d'autres initiatives pertinentes. Plus particulièrement, l'EIT, par l'intermédiaire des CCI, contribuera aux objectifs spécifiques de la priorité «Défis de société» et à l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles».

Intégrer l'éducation et l'entrepreneuriat à la recherche et à l'innovation

La caractéristique propre de l'EIT est de combiner l'enseignement supérieur et l'entrepreneuriat avec la recherche et l'innovation pour en faire les maillons d'une chaîne unique de l'innovation s'étendant dans toute l'Union et au-delà, ce qui devrait notamment se traduire par une augmentation des services, produits et processus innovants commercialisés.

Logique d'entreprise et approche axée sur les résultats

L'EIT, par l'intermédiaire de ses CCI, fonctionne selon une logique d'entreprise et adopte une approche axée sur les résultats. Une forte impulsion est nécessaire, c'est pourquoi chaque CCI est dirigée par un directeur général. Les partenaires qui composent une CCI sont représentés par une entité juridique unique afin de rationaliser la prise de décisions. Les CCI doivent élaborer des plans d'entreprise annuels clairement définis, énonçant une stratégie pluriannuelle et comprenant une gamme ambitieuse d'activités allant de l'enseignement à la création d'entreprises, avec des objectifs et des éléments à livrer clairement définis, visant à agir tant sur le marché que sur la société. Les règles actuelles concernant la participation aux CCI, l'évaluation et le suivi de celles-ci permettent des décisions rapides, sur le modèle d'une entreprise. Les entreprises et les chefs d'entreprise devraient jouer un rôle important pour dynamiser les activités dans les CCI et celles-ci devraient pouvoir mobiliser des fonds et obtenir un engagement à long terme des entreprises.

Surmonter la fragmentation à l'aide de partenariats intégrés à long terme

Les CCI de l'EIT sont des initiatives hautement intégrées qui rassemblent, de manière ouverte, responsable et transparente, des partenaires renommés pour leur excellence et qui peuvent être aussi bien des entreprises, y compris des PME, ou des établissements d'enseignement supérieur que des instituts de recherche et de technologie. Les CCI permettent à des partenaires de l'Union et au-delà de s'unir au sein de configurations nouvelles et transfrontière, d'optimiser les ressources existantes et d'accéder à de nouvelles possibilités commerciales avec de nouvelles chaînes de valeur, en relevant des défis plus risqués à plus grande échelle. Les CCI sont ouvertes à la participation de nouveaux partenaires, y compris des PME, apportant une valeur ajoutée au partenariat.

Favoriser l'émergence des personnes de talent, principaux atouts de l'Europe pour l'innovation

Le talent est un ingrédient crucial de l'innovation. L'EIT encourage les personnes et les interactions entre elles, en mettant les étudiants, les chercheurs et les entrepreneurs au centre de son modèle d'innovation. L'EIT apportera une culture entrepreneuriale et créative et un enseignement interdisciplinaire aux personnes de talent, en reconnaissant des diplômes de master et de doctorat, appelés à devenir une marque d'excellence internationalement reconnue. De cette façon, l'EIT encourage fortement la mobilité et la formation dans le triangle de la connaissance.

Grandes lignes des activités

L'EIT fonctionnera principalement par l'intermédiaire de CCI, en particulier dans des domaines qui offrent un véritable potentiel d'innovation. Les CCI disposent dans l'ensemble d'une autonomie considérable pour définir leurs propres stratégies et activités, mais elles ont en commun plusieurs caractéristiques innovantes pour lesquelles il conviendra d'assurer une coordination et de trouver des synergies. En outre, l'EIT renforcera son influence en diffusant les bonnes pratiques sur la manière d'intégrer le triangle de la connaissance et le développement de l'entrepreneuriat, en intégrant de nouveaux partenaires dès lors qu'ils peuvent apporter une valeur ajoutée et en encourageant activement une nouvelle culture du partage des connaissances.

(a) Transférer et appliquer des activités d'enseignement supérieur, de recherche et d'innovation à la création de nouvelles entreprises

L'EIT s'efforcera de créer un environnement de nature à développer le potentiel innovant des personnes et de tirer parti de leurs idées, quelle que soit leur place dans la chaîne de l'innovation. Il contribuera ainsi également à résoudre le «paradoxe européen», qui est que les excellents travaux de recherche existants sont loin d'être pleinement exploités. De cette façon, l'EIT aidera à amener des idées sur le marché. En mettant l'accent sur les CCI et sur l'esprit d'entreprise, il créera de nouvelles possibilités commerciales, non seulement sous la forme de jeunes entreprises innovantes et d'entreprises dérivées, mais aussi dans les entreprises existantes. L'accent sera mis sur toutes les formes d'innovation, y compris les innovations à caractère technologique, social et non technologique.

(b) Recherche de pointe et recherche axée sur l'innovation dans des domaines cruciaux pour l'économie et la société

La stratégie et les activités de l'EIT seront axées sur des domaines qui offrent un véritable potentiel d'innovation et qui revêtent une importance manifeste pour les défis de société relevés dans Horizon 2020. En abordant les grands défis de société de façon globale, l'EIT encouragera les approches interdisciplinaires et pluridisciplinaires et contribuera à canaliser les travaux de recherche des partenaires au sein des CCI.

(c) Développement des talents, des compétences et de l'esprit d'entreprise par l'éducation et la formation

L'EIT intégrera totalement l'éducation et la formation à tous les stades des carrières; il soutiendra et facilitera l'élaboration de programmes d'enseignement neufs et innovants pour répondre au besoin de nouveaux profils engendré par les défis complexes auxquels sont confrontées la société et l'économie. À cette fin, le rôle de l'EIT sera crucial pour promouvoir de nouveaux diplômes et certificats conjoints ou multiples dans les États membres en respectant le principe de subsidiarité.L'EIT jouera aussi un rôle important pour affiner le concept d'«entrepreneuriat» par ses programmes d'enseignement, qui encouragent l'entrepreneuriat dans un contexte à forte intensité de connaissance, en s'appuyant sur la recherche innovante et en contribuant à des solutions d'une grande utilité pour la société.

(d) Diffusion de bonnes pratiques et partage systématique des connaissances

L'EIT visera à expérimenter de nouvelles approches en matière d'innovation et à développer une culture commune d'innovation et de transfert de connaissance, y compris dans les PME. Cette objectif pourrait être atteint, entre autres, en partageant les diverses expériences des CCI par différents mécanismes de diffusion (plateforme des parties prenantes, système de bourses).

(e) Dimension internationale

L'EIT est conscient du contexte mondial dans lequel il fonctionne et contribuera à créer des liens avec de grands partenaires au niveau international, conformément à l'article 27, paragraphe 2. En donnant une ampleur accrue aux centres d'excellence via les communautés de la connaissance et de l'innovation et en favorisant les nouvelles possibilités d'enseignement, il visera à rendre l'Europe plus attrayante pour les talents étrangers.

(f) Renforcer les incidences à l'échelle de l'Europe grâce à un modèle de financement innovant

L'EIT apportera une contribution importante aux objectifs exposés dans le programme-cadre Horizon 2020, notamment en cherchant à relever les défis de société en complémentarité avec les autres initiatives prises dans les domaines concernés. Dans le cadre d'Horizon 2020, il essaiera des approches nouvelles et simplifiées en matière de financement et de gouvernance, jouant ainsi un rôle de pionnier dans le paysage européen de l'innovation. Une partie de la contribution annuelle sera attribuée aux CCI dans un esprit concurrentiel. L'approche de l'EIT en matière de financement sera clairement fondée sur un puissant effet de levier, de façon à mobiliser des fonds tant publics que privés au niveau national et de l'Union, et sera expliquée, de manière transparente, aux États membres et aux parties prenantes concernées. De plus, il utilisera des instruments de financement entièrement nouveaux pour apporter un soutien ciblé à certaines activités par l'intermédiaire de la Fondation EIT.

(g) Lier le développement régional aux possibilités européennes

Par l'intermédiaire des CCI et de leurs centres de colocalisation (des pôles d'excellence qui rassemblent des partenaires actifs dans l'enseignement supérieur, la recherche et l'entreprise en un même lieu), l'EIT sera aussi lié à la politique régionale. Il assurera en particulier un meilleur lien entre les instituts d'enseignement supérieur, le marché de l'emploi ainsi que l'innovation et la croissance au niveau régional, dans le contexte de stratégies régionales et nationales de spécialisation intelligente. Il contribuera ainsi aux objectifs de la politique de cohésion de l'Union. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:45";"664513" +"H2020-EU.6.";"de";"H2020-EU.6.";"";"";"DIREKTE MASSNAHMEN DER GEMEINSAMEN FORSCHUNGSSTELLE (GFS) AUSSERHALB DES NUKLEARBEREICHS ";"Joint Research Centre (JRC) non-nuclear direct actions";"

DIREKTE MASSNAHMEN DER GEMEINSAMEN FORSCHUNGSSTELLE (GFS) AUSSERHALB DES NUKLEARBEREICHS

Integraler Bestandteil von Horizont 2020 ist die Gemeinsame Forschungsstelle, die die Unionspolitik mit belastbaren, evidenzbasierten Daten unterstützt. Dabei stehen die Bedürfnisse der Verbraucher im Vordergrund, ergänzt durch vorausschauende Tätigkeiten.

Einzelziel

Das Einzelziel besteht in der Auftraggeber orientierten wissenschaftlichen und technischen Unterstützung der Unionspolitik und in der flexiblen Reaktion auf neue politische Erfordernisse.

Begründung und Mehrwert für die Union

Die Union hat sich bis 2020 ehrgeizige politische Ziele gesteckt, die mit komplexen und miteinander verknüpften Herausforderungen im Zusammenhang stehen, wie beispielsweise nachhaltige Bewirtschaftung von Ressourcen und Wettbewerbsfähigkeit. Um diese Herausforderungen erfolgreich bewältigen zu können, bedarf es belastbarer wissenschaftlicher Erkenntnisse, die sich auf unterschiedlichste wissenschaftliche Disziplinen erstrecken und eine solide Einschätzung der politischen Optionen erlauben. Die GFS wird – in ihrer Rolle als wissenschaftlicher Dienstleister für die politische Entscheidungsfindung in der Union – in allen Phasen der Entscheidungsfindung, d. h. von der Konzeption bis hin zur Umsetzung und Bewertung, die notwendige wissenschaftlich-technische Unterstützung bereitstellen. Um zu diesem Einzelziel beizutragen wird sie ihre Forschung eindeutig auf Schwerpunkte der Unionspolitik ausrichten und bereichsübergreifende Kompetenzen fördern sowie die Zusammenarbeit mit den Mitgliedstaaten vorantreiben.Ihre Unabhängigkeit von privaten oder nationalen Einzelinteressen und ihre Rolle als maßgebliche wissenschaftlich-technische Instanz versetzen die GFS in die Lage, die notwendige Konsensbildung zwischen interessierten Kreisen und politischen Entscheidungsträgern zu erleichtern. Die Mitgliedstaaten und die Unionsbürger profitieren von der Forschung der GFS, die auf Gebieten wie Gesundheit, Verbraucherschutz, Umwelt, Sicherheit sowie Krisen- und Katastrophenmanagement am deutlichsten erkennbar wird.Konkret werden die Mitgliedstaaten und Regionen auch von der Unterstützung für ihre Strategien für eine intelligente Spezialisierung profitieren.Die GFS ist Teil des Europäischen Forschungsraums und wird auch in Zukunft dessen Verwirklichung durch die enge Zusammenarbeit mit Fachleuten und interessierten Kreisen aktiv unterstützen, indem sie einen möglichst breiten Zugang zu ihren Einrichtungen gewährt und Forscher weiterbildet und ferner eng mit den Mitgliedstaaten und den internationalen Institutionen zusammenarbeitet, die ähnliche Ziele verfolgen. Dies dient auch der Einbeziehung neuer Mitgliedstaaten und assoziierter Länder, für die die GFS auch weiterhin spezielle Lehrgänge zur wissenschaftlich-technischen Grundlage des Unionsrechts anbieten wird. Die GFS wird zwecks Koordinierung Verbindungen mit sonstigen einschlägigen Einzelzielen von Horizont 2020 herstellen. In Ergänzung ihrer direkten Maßnahmen und zur weiteren Integration und Vernetzung innerhalb des EFR kann sich die GFS auch an indirekten Maßnahmen und Koordinierungsinstrumenten in Bereichen beteiligen, in denen sie mit ihrem einschlägigen Sachverstand einen Mehrwert für die Union bewirkt.

Einzelziele und Tätigkeiten in Grundzügen

Die GFS-Tätigkeiten im Rahmen von Horizont 2020 sind auf die Schwerpunkte der Unionspolitik und auf die ihnen zugrunde liegenden gesellschaftlichen Herausforderungen ausgerichtet. Diese Aktivitäten sind mit der Strategie Europa 2020 und ihren Zielen, und mit den Rubriken ""Sicherheit und Unionsbürgerschaft"" sowie ""Globales Europa"" des Mehrjährigen Finanzrahmens für 2014-2020 abgestimmt.Die Schlüsselkompetenzen der GFS liegen in den Bereichen Energie, Verkehr, Umwelt und Klimawandel, Landwirtschaft und Lebensmittelsicherheit, Gesundheit und Verbraucherschutz, Informations- und Kommunikationstechnologien, Referenzmaterialien, Sicherheit und Gefahrenabwehr (einschließlich Sicherheit und Gefahrenabwehr im Nuklearbereich nach dem Euratom-Programm). Die Tätigkeiten der GFS auf diesen Gebieten werden unter Berücksichtigung der einschlägigen Initiativen auf der Ebene der Regionen, der Mitgliedstaaten oder der Union im Hinblick auf die Ausgestaltung des Europäischen Forschungsraums durchgeführt.Die Kapazitäten dieser Kompetenzbereiche werden deutlich aufgestockt, um den gesamten politischen Kreislauf erfassen und die politischen Optionen bewerten zu können. Dies umfasst unter anderem Folgendes:(a) Antizipierung und Prognosen: eine proaktive Strategie zur Erkennung von Trends und Ereignissen in Wissenschaft, Technik und Gesellschaft und deren möglichen Auswirkungen auf die Politik;(b) wirtschaftliche Aspekte: im Sinne einer integrierten Dienstleistung, die sich sowohl auf wissenschaftlich-technische Fragen als auch auf makroökonomische Aspekte erstreckt;(c) Modellierung: Konzentration auf Nachhaltigkeit und wirtschaftliche Zusammenhänge mit dem Ziel, bei wichtigen Szenarienanalysen die Kommission weniger abhängig von externen Anbietern zu machen;(d) politische Analysen: zur Untersuchung bereichsübergreifender politischer Optionen;(e) Folgenabschätzung: Bereitstellung wissenschaftlicher Erkenntnisse zur Untermauerung politischer Optionen.Die GFS wird auch weiterhin Exzellenz in der Forschung und eine ausgedehnte Interaktion mit Forschungseinrichtungen als Grundlage für eine glaubhafte und zuverlässige wissenschaftlich-technische Unterstützung der Politik anstreben. Hierzu wird sie die Zusammenarbeit mit europäischen und internationalen Partnern vorantreiben, unter anderem durch die Beteiligung an indirekten Maßnahmen. Ferner wird sie Sondierungsforschung betreiben und selektiv Kompetenzen in neu entstehenden, politisch relevanten Gebieten aufbauen.Schwerpunkte der GFS:

Wissenschaftsexzellenz

(Siehe SCHWERPUNKT ""Wissenschaftsexzellenz"" (H2020-EU.1.) (http://cordis.europa.eu/programme/rcn/664091_en.html)Forschungsarbeiten zur Stärkung der wissenschaftlichen Evidenzbasis für die Politikgestaltung und zur Untersuchung neu entstehender wissenschaftlicher und technologischer Gebiete, u. a. über ein Programm für die Sondierungsforschung.

Führende Rolle der Industrie

(Siehe SCHWERPUNKT ""Führende Rolle der Industrie"" (H2020-EU.2)) (http://cordis.europa.eu/programme/rcn/664143_en.html)Beitrag zur europäischen Wettbewerbsfähigkeit durch die Unterstützung von Normungsverfahren und Normen mittels pränormativer Forschung, Entwicklung von Referenzmaterialien und Referenzmessungen, Harmonisierung von Methoden in den fünf Schwerpunktbereichen (Energie, Verkehr, die Leitinitiative ""Eine Digitale Agenda für Europa"", Sicherheit und Gefahrenabwehr sowie Verbraucherschutz; Verkehr, die Leitinitiative ""Eine Digitale Agenda für Europa"", Sicherheit und Gefahrenabwehr sowie Verbraucherschutz). Sicherheitsbewertungen zu neuen Technologien in Bereichen wie Energie und Verkehr sowie Gesundheit und Verbraucherschutz. Beitrag zur Nutzung, Standardisierung und Validierung von Weltraumtechnologien und -daten, insbesondere im Hinblick auf die Bewältigung gesellschaftlicher Herausforderungen.

Gesellschaftliche Herausforderungen

(Siehe SCHWERPUNKT ""Gesellschaftliche Herausforderungen"" (H2020-EU.3.) (http://cordis.europa.eu/programme/rcn/664235_en.html)

(a) Gesundheit, demografischer Wandel und Wohlergehen

(Siehe auch H2020-EU.3,1.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Beitrag zu Gesundheit und Verbraucherschutz durch wissenschaftlich-technische Unterstützung in Bereichen wie Lebens- und Futtermittel, Verbrauchsgüter, Umwelt und Gesundheit, gesundheitsbezogene Diagnose- und Screeningverfahren, Ernährung und Ernährungsgewohnheiten; Umwelt und Gesundheit, gesundheitsbezogene Diagnose- und Screeningverfahren, Ernährung und Ernährungsgewohnheiten.

(b) Ernährungs- und Lebensmittelsicherheit, nachhaltige Land- und Forstwirtschaft, marine, maritime und limnologische Forschung und Biowirtschaft

(Siehe auch H2020-EU.3,2.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Unterstützung der Entwicklung, Durchführung und Überwachung der europäischen Landwirtschafts- und Fischereipolitik, einschließlich Ernährungs- und Lebensmittelsicherheit sowie Entwicklung einer Bio-Wirtschaft z. B. durch Prognosen für die Produktion von Kulturpflanzen, technische und sozioökonomische Analysen und Modellierung und Förderung gesunder und produktiver Meere.

(c) Sichere, saubere und effiziente Energieversorgung

(Siehe auch H2020-EU.3,3.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Unterstützung der Klima- und Energieziele 20-20-20 durch Erforschung der technologischen und wirtschaftlichen Aspekte der Energieversorgung, der Energieeffizienz, der Technologien mit niedrigem CO2-Ausstoß sowie der Netze für die Übertragung von Energie bzw. Strom.

(d) Intelligenter, umweltfreundlicher und integrierter Verkehr

(Siehe auch H2020-EU.3,4.) (http://cordis.europa.eu/programme/rcn/664357_en.html)Unterstützung der Unionspolitik für die nachhaltige und sichere Mobilität von Personen und Gütern mit Hilfe von Laborstudien und Konzepten für die Modellierung und Überwachung, einschließlich Verkehrstechnologien mit niedrigem CO2-Ausstoß, wie saubere und effiziente Elektrofahrzeuge und alternative Kraftstoffe sowie intelligente Mobilitätssysteme.

(e)Klimaschutz, Umwelt, Ressourceneffizienz und Rohstoffe

(Siehe auch H2020-EU.3,5.) (http://cordis.europa.eu/programme/rcn/664389_en.html)Untersuchung bereichsübergreifender Herausforderungen der nachhaltigen Bewirtschaftung natürlicher Ressourcen durch die Überwachung von ökologischen Schlüsselvariablen und die Entwicklung eines integrierten Modellierungsrahmens für die Bewertung der Nachhaltigkeit.Unterstützung der Ressourceneffizienz, Emissionsreduzierung und nachhaltigen Versorgung mit Rohstoffen durch eine integrierte gesellschaftliche, ökologische und wirtschaftliche Bewertung von umweltfreundlichen Produktionsprozessen, Technologien, Produkten und Dienstleistungen.Unterstützung der entwicklungspolitischen Ziele der Union durch Forschungsbeiträge mit dem Ziel, eine angemessene Versorgung mit wichtigen Ressourcen zu gewährleisten, mit besonderem Schwerpunkt auf der Überwachung von Umwelt- und Ressourcenparametern, auf Analysen zur gesicherten Versorgung mit sicheren Lebensmitteln und auf dem Wissenstransfer.

(f) Europa in einer sich verändernden Welt: integrative, innovative und reflektierende Gesellschaften

(Siehe auch H2020-EU.3,6.) (http://cordis.europa.eu/programme/rcn/664435_en.html)Unterstützung und Begleitung der Verwirklichung der Leitinitiative ""Innovationsunion"" mit makroökonomischen Analysen zu den Triebkräften bzw. Hemmnissen für Forschung und Innovation sowie Entwicklung von Verfahren, Leistungsanzeigern und Indikatoren.Unterstützung des Europäischen Forschungsraums durch Überwachung seiner Funktionsweise und durch Analyse der Triebkräfte bzw. Hemmnisse einiger seiner wichtigsten Elemente sowie durch vernetzte Forschung, Ausbildung und Öffnung der GFS-Einrichtungen und -Datenbanken für Nutzer in den Mitgliedstaaten sowie in Bewerberländern und assoziierten Ländern.Beitrag zu den wichtigsten Zielen der Leitinitiative ""Eine Digitale Agenda für Europa"" durch qualitative und quantitative Analysen der wirtschaftlichen und gesellschaftlichen Aspekte (digitale Wirtschaft, digitale Gesellschaft, digitale Lebensführung).

(g) Sichere Gesellschaften – Schutz der Freiheit und Sicherheit Europas und seiner Bürger

(Siehe auch H2020-EU.3,7.) (http://cordis.europa.eu/programme/rcn/664463_en.html)Unterstützung der inneren Sicherheit durch Ermittlung und Bewertung von Schwachstellen kritischer Infrastrukturen als lebenswichtige Komponenten gesellschaftlicher Funktionen sowie durch Bewertung sowie soziale und ethische Evaluierung der operativen Leistungsfähigkeit von Technologien im Zusammenhang mit der digitalen Identität. Bewältigung globaler Sicherheitsgefahren, auch neu entstehender oder hybrider Bedrohungen durch die Entwicklung fortgeschrittener Instrumente für die Gewinnung von Informationen und Datenanalysen sowie für das Krisenmanagement.Ausbau der Unionskapazitäten für die Bewältigung natürlicher und vom Menschen verursachter Katastrophen durch eine verbesserte Überwachung der Infrastrukturen und die Entwicklung von Testanlagen und globaler Frühwarn- und Risikomanagementsysteme für unterschiedliche Gefahrensituationen, unter Einbeziehung der satellitengestützten Erdbeobachtung. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:28";"664511" +"H2020-EU.7.";"es";"H2020-EU.7.";"";"";"INSTITUTO EUROPEO DE INNOVACIÓN Y TECNOLOGÍA (EIT)";"European Institute of Innovation and Technology (EIT)";"

INSTITUTO EUROPEO DE INNOVACIÓN Y TECNOLOGÍA (EIT)

El EIT desempeñará un importante papel al agrupar la excelencia en la investigación, la innovación y la educación superior, integrando así el triángulo del conocimiento. Esto se conseguirá principalmente a través de las CCI. Además, garantizará que se compartan experiencias entre y más allá de las CCI mediante medidas selectivas de difusión y la puesta en común de conocimientos, promoviendo así una asimilación más rápida de los modelos de innovación en toda la Unión.

Objetivo específico

El objetivo específico es integrar el triángulo del conocimiento que forman la investigación, la innovación y la educación superior y, de este modo, reforzar la capacidad de innovación de la Unión y abordar los retos de la sociedad.Europa padece varias deficiencias estructurales en lo que respecta a la capacidad de innovación y la capacidad para aportar nuevos servicios, productos y procesos, lo que entorpece el crecimiento económico sostenible y la creación de empleo. Entre los principales problemas figuran el pobre expediente de Europa en materia de atracción y retención de talentos; la infrautilización de sus puntos fuertes en investigación para crear valor económico o social; la falta de resultados de la investigación que llegan al mercado; los bajos niveles de actividad y mentalidad emprendedoras; la baja movilización de la inversión privada en I+D, una escala de recursos, incluidos los recursos humanos, en los polos de excelencia que es insuficiente para competir a escala mundial; y un número excesivo de obstáculos para la colaboración en el triángulo del conocimiento de la educación superior, la investigación y la innovación a nivel europeo.

Justificación y valor añadido de la Unión

Si Europa quiere competir a escala internacional, es preciso superar estas deficiencias estructurales. Los elementos antes mencionados son comunes a los Estados miembros de la Unión y afectan a la capacidad de innovación de la Unión en su conjunto.El EIT abordará estas cuestiones promoviendo cambios estructurales en el panorama europeo de la innovación. Lo hará mediante el fomento de la integración de la educación superior, la investigación y la innovación del más alto nivel, en particular por medio de sus Comunidades de Conocimiento e Innovación (CCI), creando así nuevos entornos favorables a la innovación, y mediante la promoción y el apoyo de una nueva generación de emprendedores, y el estímulo de la creación de spin-offs y start-ups innovadoras. De este modo, el EIT contribuirá plenamente a la consecución de los objetivos de la estrategia Europa 2020, y en especial de las iniciativas emblemáticas ""Unión por la innovación"" y ""Juventud en Movimiento"".Además, el EIT y sus CCI deben procurar las sinergias e interacción necesarias entre las prioridades de Horizonte 2020 y con otras iniciativas pertinentes. En particular el EIT contribuirá mediante sus CCI al logro de los objetivos específicos correspondientes a las prioridades ""Retos de la sociedad"" y ""Liderazgo en tecnologías industriales y de capacitación"".

Integrar la educación y el espíritu empresarial con la investigación y la innovación

La característica específica del EIT es integrar la educación superior y el espíritu empresarial con la investigación y la innovación, como eslabones de una cadena única de la innovación en toda la Unión y fuera de ella, lo que ha de conducir a un incremento de los servicios, productos y procesos innovadores que llegan al mercado.

Lógica empresarial y enfoque orientado hacia los resultados

El EIT, a través de sus CCI, operará en consonancia con la lógica empresarial y estará orientado a los resultados. Un liderazgo firme constituye un requisito previo: cada CCI está a cargo de un director general. Los socios de las CCI están representados por entidades jurídicas únicas para permitir una toma de decisiones más ágil. Las CCI deben elaborar planes de negocio anuales claramente definidos, que fijen una estrategia plurianual e incluyan una ambiciosa cartera de actividades, que van desde la educación hasta la creación de empresas, con objetivos y prestaciones claras, tratando de incidir tanto en la sociedad como en el mercado. Las normas vigentes relativas a la participación, la evaluación y el seguimiento de las CCI permiten adoptar decisiones rápidas, de tipo empresarial. Empresas y empresarios deben desempeñar un papel importante en la conducción de las actividades de las CCI, y estas deben ser capaces de movilizar inversiones y compromisos a largo plazo del sector empresarial.

Superar la fragmentación con la ayuda de asociaciones integradas a largo plazo

Las CCI del EIT son entidades muy integradas, que reúnen a socios de excelencia reconocida de la industria incluidas las PYME, la educación superior y los centros de investigación y tecnológicos, de modo abierto y transparente. Las CCI permiten reunir a socios de toda la Unión y de fuera de ella en nuevas configuraciones transfronterizas, optimizar los recursos existentes y abrir el acceso a nuevas oportunidades empresariales a través de las cadenas de valor, abordando retos de mayor envergadura y riesgo. Las CCI están abiertas a la participación de nuevos actores que aporten un valor añadido a la asociación, incluyendo a las PYME.

Nutrir el principal activo de Europa en materia de innovación: el gran talento de las personas

El talento es un ingrediente clave de la innovación. El EIT promoverá a las personas y a sus interacciones mutuas, situando a estudiantes, investigadores y empresarios en el centro de su modelo de innovación. El EIT aportará una cultura emprendedora y creativa y una educación interdisciplinaria a las personas con talento, a través de másteres y cursos de doctorado con el sello EIT, que se desea erigir como marchamo de excelencia reconocido internacionalmente. De este modo, el EIT promueve decididamente la movilidad y la formación dentro del triángulo del conocimiento.

Líneas generales de las actividades

El EIT funcionará principalmente a través de las CCI especialmente en aquellos ámbitos que ofrezcan un potencial de innovación real. Aun cuando las CCI disfrutan de una autonomía sustancial general para definir sus propias estrategias y actividades, existen varios rasgos innovadores comunes a todas ellas en las que se procurará establecer coordinación y sinergias. El EIT potenciará, además, su impacto difundiendo las buenas prácticas relativas a la manera de integrar el triángulo del conocimiento y el desarrollo del espíritu empresarial, integrando nuevos socios que puedan proporcionar valor añadido, y promoviendo activamente una nueva cultura de intercambio de conocimientos.

(a) Transferencia y aplicación de las actividades de educación superior, investigación e innovación en favor de la creación de nuevas empresas

El EIT tratará de crear un entorno para impulsar el potencial innovador de las personas y aprovechar sus ideas, independientemente del lugar que ocupen en la cadena de la innovación. Por consiguiente, también contribuirá a afrontar la ""paradoja europea"" de que la investigación excelente que existe no se aprovecha, ni con mucho, plenamente. De este modo, el EIT ayudará a llevar las ideas al mercado. Principalmente a través de sus CCI y su énfasis en la promoción de la mentalidad emprendedora, creará nuevas oportunidades comerciales en forma de empresas tanto incipientes como derivadas, pero también dentro de la industria existente. Se centrará la atención en toda forma de innovación, por ejemplo la tecnológica, la social y también aquella que no sea tecnológica.

(b) Investigación puntera e impulsada por la innovación en ámbitos esenciales de interés económico y social

La estrategia y las actividades del EIT se guiarán por un énfasis en los ámbitos que puedan ofrecer un potencial de innovación real y tengan una clara importancia para los retos de la sociedad abordados en Horizonte 2020. Al abordar los retos de la sociedad esenciales de una manera global, el EIT promoverá planteamientos interdisciplinarios y multidisciplinarios y ayudará a centrar los esfuerzos de investigación de los socios de las CCI.

(c) Generación de personas con talento, cualificadas y con espíritu empresarial gracias a la educación y la formación

El EIT integrará plenamente la educación y la formación en todas las fases de la carrera profesional y respaldará y facilitará la elaboración de nuevos planes de estudio innovadores en respuesta a la necesidad de nuevos perfiles engendrada por los complejos retos de la sociedad y económicos. A tal efecto, el EIT desempeñará un papel clave en la promoción de las nuevas titulaciones y diplomas conjuntos o múltiples en los Estados miembros, dentro del respeto del principio de subsidiariedad.El EIT también desempeñará un papel esencial en la definición más precisa del concepto de ""espíritu emprendedor"" a través de sus programas educativos, que promueven dicho espíritu en un contexto intensivo en conocimientos, basándose en la investigación para la innovación y aportando soluciones de gran pertinencia social.

(d) Difusión de las mejores prácticas y aprovechamiento compartido sistemático del conocimiento

El EIT tratará de abrir camino a nuevos planteamientos en materia de innovación y de crear una cultura común de innovación y transferencia de conocimientos, prestando especial atención a las PYME. Ello podría realizarse, entre otras cosas, compartiendo las diversas experiencias de sus CCI a través de distintos mecanismos de difusión, tales como una plataforma de partes interesadas, premios y concursos, exposiciones de procesos y productos, consorcios de patentes y derechos de autor y un régimen de becas.

(e) Dimensión internacional

El EIT es consciente del contexto mundial en el que actúa y contribuirá a forjar vínculos con los principales socios internacionales conforme a lo dispuesto en el artículo 27, apartado 2. Haciendo crecer los centros de excelencia a través de las CCI y promoviendo nuevas oportunidades educativas, tratará de que Europa resulte más atractiva para los talentos del exterior.

(f) Potenciación del impacto en toda Europa mediante un modelo de financiación innovador

El EIT efectuará una contribución importante al logro de los objetivos establecidos en Horizonte 2020, abordando en particular los retos de la sociedad de una manera que complementa otras iniciativas en estos ámbitos. En el marco de Horizonte 2020, pondrá a prueba nuevos enfoques simplificados con respecto a la financiación y la gobernanza, desempeñando así un papel pionero en el panorama europeo de la innovación. Una parte de la contribución anual se asignará a las CCI de forma competitiva. El planteamiento de las CCI con respecto a la financiación se asentará con firmeza en un potente efecto multiplicador, movilizando tanto fondos públicos como privados tanto en el nivel nacional como en el de la Unión, y se dará a conocer, de forma transparente, a los Estados miembros y las partes interesadas. Además, empleará vehículos totalmente nuevos para el apoyo focalizado a actividades individuales a través de la Fundación del EIT.

(g) Vinculación del desarrollo regional a las oportunidades europeas

A través de las CCI y de sus centros de coubicación —nodos de excelencia en los que se reúnen socios de la educación superior, la investigación y la empresa en una determinada localización geográfica— el EIT se vinculará también con la política regional. En particular, garantizará una mejor relación entre las instituciones de educación superior, el mercado de trabajo y la innovación y el crecimiento regionales, en el contexto de las estrategias regional y nacional de especialización inteligente. De este modo, contribuirá al logro de los objetivos de la política de cohesión de la Unión.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:45";"664513" +"H2020-EU.3.4.4.";"pl";"H2020-EU.3.4.4.";"";"";"Społeczno-gospodarcze i behawioralne badania naukowe oraz wybiegające w przyszłość działania związane z kształtowaniem polityki";"Socio-economic and behavioural research";"

Społeczno-gospodarcze i behawioralne badania naukowe oraz wybiegające w przyszłość działania związane z kształtowaniem polityki

Celem jest wsparcie usprawnionego kształtowania polityki, koniecznego dla promowania innowacji i sprostania wyzwaniom dotyczącym transportu oraz powiązanym potrzebom społecznym.Działania mają skupiać się na lepszym poznaniu społeczno-gospodarczych oddziaływań, tendencji i perspektyw związanych z transportem, w tym kształtowania się zapotrzebowania w przyszłości, oraz na zapewnieniu decydentom bazy faktograficznej i analiz. Uwzględnione zostanie także upowszechnianie wyników tych działań.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:57";"664387" +"H2020-EU.3.4.4.";"de";"H2020-EU.3.4.4.";"";"";"Sozioökonomische Forschung, Verhaltensforschung und vorausschauende Tätigkeiten für die politische Entscheidungsfindung.";"Socio-economic and behavioural research";"

Sozioökonomische Forschung, Verhaltensforschung und vorausschauende Tätigkeiten für die politische Entscheidungsfindung.

Ziel ist die Erleichterung der politischen Entscheidungsfindung als notwendige Voraussetzung für die Förderung von Innovation und die Bewältigung der durch den Verkehr bedingten Herausforderungen und der entsprechenden gesellschaftlichen Anforderungen.Schwerpunkt der Tätigkeiten ist ein besseres Verständnis der verkehrsbezogenen sozioökonomischen Auswirkungen, Trends und Prognosen – auch der Entwicklung der künftigen Nachfrage – sowie die Versorgung der politischen Entscheidungsträger mit evidenzbasierten Daten und Analysen. Es wird ebenfalls ein Augenmerk auf die Verbreitung der Ergebnisse aus diesen Tätigkeiten gelegt werden.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:57";"664387" +"H2020-EU.3.4.4.";"it";"H2020-EU.3.4.4.";"";"";"Ricerca socioeconomica e comportamentale e attività orientate al futuro per l'elaborazione delle strategie politiche";"Socio-economic and behavioural research";"

Ricerca socioeconomica e comportamentale e attività orientate al futuro per l'elaborazione delle strategie politiche

L'obiettivo è sostenere un processo decisionale migliorato necessario per promuovere l'innovazione e far fronte alle sfide poste dai trasporti e alle esigenze sociali a essi connesse.Il centro dell'attività è migliorare la comprensione delle incidenze, delle tendenze e delle prospettive socioeconomiche connesse ai trasporti, compresa l'evoluzione futura della domanda, e fornire ai responsabili politici informazioni e analisi basate su dati concreti. Si dedicherà inoltre attenzione alla diffusione dei risultati derivanti da tali attività.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:57";"664387" +"H2020-EU.3.6.2.";"de";"H2020-EU.3.6.2.";"";"";"Innovative Gesellschaften";"Innovative societies";"

Innovative Gesellschaften

Ziel ist die Förderung der Entwicklung innovativer Gesellschaften und Strategien in Europa durch die Einbeziehung von Bürgern, Organisationen der Zivilgesellschaft, Unternehmen und Nutzern in Forschung und Innovation und die Unterstützung koordinierter Forschungs- und Innovationsstrategien vor dem Hintergrund der Globalisierung und der Notwendigkeit, die höchsten ethischen Standards zu fördern. Besonders unterstützt wird die Weiterentwicklung des Europäischen Forschungsraums und der Rahmenbedingungen für Innovation.Kulturelles und gesellschaftliches Wissen ist eine Hauptquelle von Kreativität und Innovation, auch von Innovation in der Wirtschaft, im öffentlichen Sektor und in der Gesellschaft. In vielen Fällen gehen gesellschaftliche und von den Nutzern angestoßene Innovationen der Entwicklung innovativer Technologien, Dienstleistungen und Wirtschaftsprozesse voraus. Die Kreativunternehmen sind eine wichtige Ressource für die Bewältigung gesellschaftlicher Herausforderungen und für die Wettbewerbsfähigkeit. Da Wechselbeziehungen zwischen gesellschaftlicher und technologischer Innovation komplex sind und selten linear verlaufen, muss die Entwicklung aller Arten von Innovationen weiter – auch sektorübergreifend und multidisziplinär – erforscht werden, und es müssen Finanzmittel für Maßnahmen zur Förderung ihrer effektiven Verwirklichung in der Zukunft bereitgestellt werden.Schwerpunkte der Tätigkeiten ist:(a) Stärkung der Evidenzbasis und Unterstützung der Leitinitiative ""Innovationsunion"" und des Europäischen Forschungsraums; (b) Erforschung neuer Innovationsformen, unter besonderer Betonung von gesellschaftlicher Innovation und Kreativität, und Gewinnung von Erkenntnissen darüber, wie alle Innovationsformen entwickelt werden und Erfolg haben oder scheitern; (c) Nutzung des innovativen, kreativen und produktiven Potenzials aller Generationen; (d) Förderung kohärenter und wirksamer Zusammenarbeit mit Drittländern. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:50";"664447" +"H2020-EU.3.4.2.";"pl";"H2020-EU.3.4.2.";"";"";"Usprawniona mobilność, mniejsze zagęszczenie ruchu, większe bezpieczeństwo i ochrona";"Mobility, safety and security";"

Usprawniona mobilność, mniejsze zagęszczenie ruchu, większe bezpieczeństwo i ochrona

Celem jest pogodzenie rosnących potrzeb w zakresie mobilności z poprawą płynności transportu poprzez innowacyjne rozwiązania w zakresie spójnych, intermodalnych, sprzyjających integracji, dostępnych, przystępnych cenowo, bezpiecznych, zdrowych i solidnych systemów transportowych.Działania mają skupiać się na ograniczeniu zagęszczenia ruchu, poprawie dostępności i interoperacyjności oraz wyjściu naprzeciw wyborom pasażerów i potrzebom użytkowników poprzez opracowanie i promowanie zintegrowanego transportu „od drzwi do drzwi”, zarządzania mobilnością i logistyki; na zwiększeniu intermodalności i zastosowaniu rozwiązań w zakresie inteligentnego planowania i zarządzania oraz na znacznym ograniczeniu wypadków oraz wpływu zagrożeń dla bezpieczeństwa.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:20";"664367" +"H2020-EU.3.4.1.";"fr";"H2020-EU.3.4.1.";"";"";"Des transports économes en énergie et respectueux de l'environnement";"Resource efficient transport that respects the environment";"

Des transports économes en énergie et respectueux de l'environnement

L'objectif est de limiter au maximum l'impact des systèmes de transports sur le climat et l'environnement (y compris la pollution sonore et la pollution atmosphérique) en améliorant leur qualité et en rendant ceux-ci plus économes en ressources naturelles et en carburants ainsi qu'en réduisant leurs émissions de gaz à effet de serre et leur dépendance vis-à-vis des combustibles fossiles.Les activités visent prioritairement à réduire la consommation de ressources, en particulier les combustibles fossiles, les émissions de gaz à effet de serre et les niveaux de bruit ainsi qu'à améliorer l'efficacité énergétique des transports et des véhicules; à accélérer le développement, la fabrication et le déploiement d'une nouvelle génération de véhicules propres (électriques ou à l'hydrogène et autres véhicules à émissions faibles ou nulles), notamment grâce à des avancées et à une optimisation sur le plan des moteurs, du stockage d'énergie et des infrastructures; à étudier et à exploiter le potentiel des carburants durables et de substitution et des systèmes de propulsion et d'exploitation innovants et plus efficaces, y compris l'infrastructure de distribution des carburants et les techniques de charge; à optimiser la planification et l'utilisation des infrastructures au moyen de systèmes de transport et d'équipements intelligents ainsi que de la logistique; et à accroître le recours à la gestion de la demande et aux transports publics et non motorisés ainsi qu'aux chaînes de mobilité intermodale, en particulier dans les zones urbaines. L'innovation visant à parvenir à des émissions faibles ou nulles dans tous les modes de transport sera encouragée.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:04";"664359" +"H2020-EU.7.";"pl";"H2020-EU.7.";"";"";"EUROPEJSKI INSTYTUT INNOWACJI I TECHNOLOGII (EIT)";"European Institute of Innovation and Technology (EIT)";"

EUROPEJSKI INSTYTUT INNOWACJI I TECHNOLOGII (EIT)

EIT odgrywa ważną rolę poprzez połączenie doskonałej jakości badań naukowych, innowacji i szkolnictwa wyższego, prowadząc tym samym do integracji trójkąta wiedzy. EIT dokonuje tego głównie poprzez WWiI. Ponadto zapewnia wymianę doświadczeń między i poza WWiI poprzez ukierunkowane środki w zakresie upowszechniania i wymiany wiedzy, promując tym samym szybsze przyjmowanie modeli innowacyjnych w całej Unii.

Cel szczegółowy

Celem szczegółowym jest integracja trójkąta wiedzy łączącego szkolnictwo wyższe, badania naukowe innowacje oraz wzmocnienie w ten sposób potencjału innowacyjnego Unii i stawienie czoła wyzwaniom społecznym.Pod kątem potencjału innowacyjnego i możliwości dostarczania nowych usług, produktów i procesów Europa cechuje się szeregiem słabości strukturalnych, co hamuje trwały wzrost gospodarczy i utrudnia tworzenie miejsc pracy. Do głównych bieżących kwestii należą stosunkowo słabe wyniki Europy w zakresie przyciągania i zatrzymywania talentów; niewystarczający stopień wykorzystania mocnych stron badań naukowych przy tworzeniu wartości gospodarczych lub społecznych; brak wprowadzania wyników badań na rynek; niski poziom przedsiębiorczości i przedsiębiorczego myślenia; niski poziom prywatnych inwestycji w badania i rozwój; niewystarczający dla konkurowania w skali globalnej zakres zasobów – w tym zasobów ludzkich – w ośrodkach doskonałości oraz zbyt wiele barier utrudniających współpracę w ramach trójkąta wiedzy łączącego szkolnictwo wyższe, badania naukowe i innowacje na szczeblu europejskim.

Uzasadnienie i unijna wartość dodana

Jeżeli Europa ma konkurować w skali międzynarodowej, te strukturalne słabości muszą zostać przezwyciężone. Powyższe czynniki są wspólne dla wszystkich państw członkowskich i wpływają na potencjał innowacyjny Unii jako całości.EIT zajmie się tymi kwestiami poprzez promowanie zmian strukturalnych w europejskim krajobrazie innowacji. Będzie on wspierał integrację szkolnictwa wyższego, badań naukowych i innowacji najwyższej jakości, w szczególności poprzez wspólnoty wiedzy i innowacji (WWiI), tworząc tym samym nowe środowiska sprzyjające innowacjom, a także promując i wspierając nowe pokolenie przedsiębiorczych osób oraz stymulując podmioty innowacyjne rozpoczynających działalność gospodarczą (start-up) i tzw. firm odpryskowych (spin-off). Tym samym EIT przyczyni się w pełni do osiągnięcia celów strategii „Europa 2020”, a w szczególności celów inicjatyw przewodnich „Unia innowacji” i „Mobilna młodzież”.Ponadto EIT i jego WWiI powinny dążyć do uzyskania synergii i interakcji między priorytetami programu „Horyzont 2020” i z innymi odnośnymi inicjatywami. W szczególności EIT przyczyni się, za pośrednictwem WWiI, do realizacji celów szczegółowych priorytetu „Wyzwania społeczne” i celu szczegółowego „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych”.

Integracja edukacji i przedsiębiorczości z badaniami naukowymi i innowacjami

Szczególnym zadaniem EIT jest integracja szkolnictwa wyższego i przedsiębiorczości z badaniami naukowymi i innowacjami, jako elementów jednego łańcucha innowacyjnego w Unii i poza nią, co powinno prowadzić m.in. do intensywniejszego wprowadzania na rynek innowacyjnych usług, produktów i procesów.

Logika biznesowa i podejście zorientowane na wyniki

EIT, za pośrednictwem WWiI, działa zgodnie z logiką biznesową i z zastosowaniem podejścia zorientowanego na wyniki. Warunkiem wstępnym jest silne przywództwo: każdą wspólnotą kieruje dyrektor wykonawczy. Partnerów wspólnot reprezentują pojedyncze podmioty prawne, co usprawnia proces decyzyjny. WWiI muszą tworzyć jasno zarysowane coroczne plany operacyjne, określające wieloletnią strategię i obejmujące ambitny portfel działań, od edukacji po zakładanie przedsiębiorstw, z jasnymi celami i założeniami, zmierzające do wywarcia wpływu zarówno rynkowego, jak i społecznego. Obecne zasady dotyczące uczestnictwa, oceny i monitorowania WWiI umożliwiają podejmowanie decyzji w przyspieszonym, biznesowym trybie. Biznes i przedsiębiorcy powinni mieć ważną rolę do odegrania jako motor działalności WWiI, a WWiI powinny móc mobilizować inwestycje i długoterminowe zaangażowanie sektora biznesu.

Przezwyciężanie rozdrobnienia z pomocą długoterminowych, zintegrowanych partnerstw

Wspólnoty wiedzy i innowacji EIT są wysoce zintegrowane i łączą partnerów z sektorów przemysłu – w tym MŚP – szkolnictwa wyższego, instytucji badawczych i technologicznych, znanych z najwyższej jakości swojej działalności, w sposób otwarty, odpowiedzialny i przejrzysty. WWiI umożliwiają partnerom z całej Unii i spoza niej łączenie się w nowe transgraniczne konfiguracje, optymalizację istniejących zasobów, dostęp do nowych możliwości biznesowych poprzez nowe łańcuchy wartości, podejmowanie większego ryzyka i wyzwań o większej skali. W WWiI mogą uczestniczyć nowe podmioty wnoszące wartość dodaną do partnerstwa, m.in. MŚP.

Wspieranie głównego atutu innowacyjnego Europy: wysoce utalentowanych osób

Talent to podstawowy składnik innowacji. EIT wspiera ludzi i interakcje między ludźmi, uznając studentów, naukowców i przedsiębiorców za jądro swojego modelu innowacji. EIT zapewni kulturę przedsiębiorczości i kreatywności oraz interdyscyplinarną edukację utalentowanym osobom, poprzez umożliwienie zdobycia stopnia magistra i doktora ze znakiem EIT, który w zamierzeniu ma stać się uznawanym na świecie symbolem doskonałości. W ten sposób EIT promuje mobilność i szkolenia w ramach trójkąta wiedzy.

Ogólne kierunki działań

EIT działa głównie poprzez WWiI, w szczególności w obszarach, które oferują autentyczny potencjał innowacyjny. Chociaż wspólnoty posiadają ogólną znaczną autonomię w określaniu własnej strategii i działalności, szereg innowacyjnych cech jest wspólny dla wszystkich WWiI i tam należy dążyć do koordynacji i synergii. Ponadto EIT zwiększy swoje oddziaływanie poprzez upowszechnianie dobrych praktyk w zakresie integracji trójkąta wiedzy i rozwoju przedsiębiorczości, włączając istotnych nowych partnerów, w przypadku gdy mogą oni wnieść wartość dodaną, oraz poprzez aktywne wspieranie nowej kultury wymiany wiedzy.

(a) Transfer i wykorzystanie działań z zakresu szkolnictwa wyższego, badań naukowych i innowacji w tworzeniu nowych przedsiębiorstw

EIT ma dążyć do stworzenia warunków sprzyjających rozwinięciu innowacyjnego potencjału ludzi oraz wykorzystaniu ich pomysłów bez względu na zajmowane przez nich miejsce w łańcuchu innowacji. W ten sposób EIT przyczyni się również do rozwiązania „europejskiego paradoksu”, polegającego na tym, że istniejąca doskonała baza badawcza nie jest w pełni wykorzystywana. EIT ma tym samym pomagać we wprowadzaniu pomysłów na rynek. Głównie poprzez WWiI oraz poprzez nacisk na promowanie przedsiębiorczego nastawienia będzie tworzyć nowe możliwości biznesowe, zarówno dla podmiotów rozpoczynających działalność gospodarczą (start-up) i tzw. firm odpryskowych (spin-off), jak też w istniejącym przemyśle. Nacisk zostanie położony na wszystkie formy innowacji, w tym innowacje technologiczne, społeczne i niezwiązane z technologią.

(b) Pionierskie i ukierunkowane na innowacje badania naukowe w podstawowych obszarach zainteresowania gospodarczego i społecznego

Strategia i działania EIT mają być zorientowane na obszary, które cechuje autentyczny potencjał innowacyjny i które mają wyraźnie duże znaczenie w kontekście wyzwań społecznych objętych programem „Horyzont 2020”. Podejmując w kompleksowy sposób najważniejsze wyzwania społeczne, EIT będzie promować inter- i multidyscyplinarne podejścia oraz ułatwiać koncentrację wysiłków badawczych partnerów zaangażowanych w WWiI.

(c) Rozwój utalentowanych, wykwalifikowanych i przedsiębiorczych osób w drodze kształcenia i szkoleń

EIT ma w sposób kompletny integrować edukację i szkolenia na wszystkich etapach kariery oraz wspierać i ułatwiać rozwój nowych i innowacyjnych programów nauczania odzwierciedlających zapotrzebowanie na nowe profile wynikające ze złożonych wyzwań społecznych i gospodarczych. W tym celu EIT będzie przewodzić wysiłkom na rzecz zachęcania do zdobywania nowych wspólnych lub wielokrotnych stopni naukowych i dyplomów w państwach członkowskich, z poszanowaniem zasady pomocniczości.EIT odegra również istotną rolę w dopracowaniu koncepcji „przedsiębiorczości” poprzez programy edukacyjne, promujące przedsiębiorczość w kontekście intensywnego wykorzystania wiedzy, bazując na innowacyjnych badaniach naukowych i wnosząc wkład w rozwiązania bardzo ważne pod względem społecznym.

(d) Upowszechnianie najlepszych praktyk i systematyczna wymiana wiedzy

EIT ma dążyć do promowania nowych podejść do innowacji i opracowania wspólnej kultury innowacji i transferu wiedzy, również w MŚP. Może to nastąpić między innymi poprzez upowszechnianie różnorodnych doświadczeń WWiI za pośrednictwem różnych mechanizmów, takich jak platformy zainteresowanych stron i system stypendiów.

(e) Wymiar międzynarodowy

IT funkcjonuje z uwzględnieniem globalnego kontekstu swojej działalności i ma zmierzać do nawiązania kontaktów z najważniejszymi partnerami międzynarodowymi zgodnie z art. 27 ust. 2. Poprzez zwiększanie skali ośrodków doskonałości za pośrednictwem WWiI oraz sprzyjanie nowym możliwościom edukacyjnym EIT będzie dążyć do tego, by Europa stała się bardziej atrakcyjna dla utalentowanych osób pochodzących z zagranicy.

(f) Zwiększenie wpływu europejskiego poprzez innowacyjny model finansowania

EIT wniesie duży wkład w osiąganie celów określonych w programie „Horyzont 2020”, w szczególności podejmując wyzwania społeczne w sposób uzupełniający inne inicjatywy w tych obszarach. W ramach programu „Horyzont 2020” zbada nowe, uproszczone podejścia do finansowania i zarządzania, odgrywając tym samym pionierską rolę w europejskim krajobrazie innowacyjnym. Część corocznego wkładu zostanie przyznana WWiI w sposób konkurencyjny. Podejście EIT do finansowania będzie ściśle powiązane z mocnym efektem dźwigni, co pomoże w uzyskaniu funduszy zarówno publicznych, jak i prywatnych, na szczeblu krajowym i Unii, i będzie komunikowane w przejrzysty sposób państwom członkowskim i odnośnym zainteresowanym stronom. Ponadto w ramach swojej fundacji EIT wykorzysta nowe instrumenty ukierunkowanego wsparcia indywidualnych działań.

(g) Połączenie rozwoju regionalnego z europejskimi możliwościami

EIT będzie również podejmował działania w ramach polityki regionalnej za pośrednictwem WWiI oraz ośrodków kolokacji – węzłów doskonałości łączących partnerów z dziedziny szkolnictwa wyższego, badań naukowych i biznesu z danego regionu geograficznego. W szczególności EIT zapewni lepsze powiązanie między instytucjami szkolnictwa wyższego, rynkiem pracy a regionalną innowacyjnością i wzrostem gospodarczym, w kontekście regionalnych i krajowych strategii inteligentnej specjalizacji. W ten sposób przyczyni się do osiągnięcia celów unijnej polityki spójności. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:45";"664513" +"H2020-EU.6.";"pl";"H2020-EU.6.";"";"";"DZIAŁANIA BEZPOŚREDNIE WSPÓLNEGO CENTRUM BADAWCZEGO (JRC) NIENALEŻĄCE DO OBSZARU BADAŃ JĄDROWYCH";"Joint Research Centre (JRC) non-nuclear direct actions";"

DZIAŁANIA BEZPOŚREDNIE WSPÓLNEGO CENTRUM BADAWCZEGO (JRC) NIENALEŻĄCE DO OBSZARU BADAŃ JĄDROWYCH

Integralną część programu „Horyzont 2020” stanowi działalność JRC, zapewniając solidne faktograficzne wsparcie dla polityki Unii. Jest ona zorientowana na potrzeby klientów i uzupełniona działaniami wybiegającymi w przyszłość.

Cel szczegółowy

Cel szczegółowy polega na naukowym i technicznym wsparciu polityk Unii, które będzie zorientowane na klienta, a jednocześnie w sposób elastyczny będzie reagować na nowe wymogi polityki.

Uzasadnienie i unijna wartość dodana

Na okres do 2020 r. Unia ustaliła ambitną agendę polityczną, obejmującą zbiór złożonych i wzajemnie powiązanych wyzwań, takich jak zrównoważone zarządzanie zasobami i konkurencyjność. Aby podołać tym wyzwaniom, potrzebne są solidne dane naukowe obejmujące wiele różnych dyscyplin i umożliwiające rzetelną ocenę wariantów strategicznych. JRC, pełniąc rolę służby naukowej wspierającej proces decyzyjny w Unii, będzie udzielać wymaganego wsparcia naukowego i technicznego na wszystkich etapach cyklu decyzyjnego, od zamysłu po realizację i ocenę. Aby przyczynić się do realizacji tego szczegółowego celu JRC skupi się w swoich badaniach na priorytetach politycznych Unii, a jednocześnie będzie podnosić swoje kompetencje przekrojowe i zacieśni współpracę z państwami członkowskimi.Niezależność JRC od szczególnych interesów, prywatnych czy państwowych, w połączeniu z jego rolą naukowo-technicznego punktu odniesienia, umożliwia mu ułatwianie osiągnięcia niezbędnego konsensusu między zainteresowanymi stronami a decydentami. Badania naukowe JRC przynoszą korzyści państwom członkowskim i obywatelom Unii, co jest najbardziej widoczne w takich obszarach, jak zdrowie i ochrona konsumentów, środowisko, bezpieczeństwo i ochrona oraz zarządzanie kryzysami i klęskami żywiołowymi.Szczególnie państwa członkowskie i regiony skorzystają ze wsparcia na rzecz ich strategii inteligentnej specjalizacji.JRC stanowi integralną część EPB i nadal będzie aktywnie wspierać jej funkcjonowanie poprzez ścisłą współpracę z partnerami i zainteresowanymi stronami, poprzez maksymalizację dostępu do swoich obiektów i szkolenie naukowców oraz poprzez ścisłą współpracę z państwami członkowskimi i instytucjami międzynarodowymi, które realizują podobne cele. To przyczyni się również do integracji nowych państw członkowskich i państw stowarzyszonych, którym JRC będzie nadal zapewniać specjalne kursy szkoleniowe na temat podstaw naukowo-technicznych unijnego dorobku prawnego. JRC zapewni koordynację ze stosownymi pozostałymi celami szczegółowymi programu „Horyzont 2020”. W celu uzupełnienia swoich działań bezpośrednich oraz dalszej integracji i tworzenia sieci kontaktów w europejskiej przestrzeni badawczej JRC może uczestniczyć w działaniach pośrednich programu „Horyzont 2020” oraz w instrumentach koordynacji w obszarach, w których dysponuje wiedzą specjalistyczną umożliwiającą osiągnięcie wartości dodanej Unii.

Ogólne kierunki działań

Działania JRC w ramach programu „Horyzont 2020” skupią się na priorytetach polityki Unii oraz na wyzwaniach społecznych, których one dotyczą. Działania te są dostosowane do celów strategii „Europa 2020” i do tytułów „Bezpieczeństwo i obywatelstwo” oraz „Globalny wymiaru Europy” wieloletnich ram finansowych na lata 2014-2020.Głównymi obszarami kompetencji JRC będą energia, transport, środowisko i zmiana klimatu, rolnictwo i bezpieczeństwo żywnościowe, zdrowie i ochrona konsumentów, technologie informacyjno-komunikacyjne, materiały odniesienia oraz bezpieczeństwo i ochrona (w tym bezpieczeństwo jądrowe i ochrona w ramach programu Euratom). Działania JRC w tych dziedzinach będą prowadzone z uwzględnieniem odnośnych inicjatyw na szczeblu regionów, państw członkowskich lub Unii, w ramach kształtowania EPB.Te obszary kompetencji zostaną w istotny sposób wzmocnione pod względem zdolności, które umożliwią przejście całego cyklu politycznego i dokonanie oceny wariantów strategicznych. Obejmuje to:(a) przewidywania i prognozy – aktywne pozyskiwanie informacji strategicznych o tendencjach i wydarzeniach w dziedzinie naukowej, technicznej i społecznej oraz ich możliwych konsekwencji dla polityki publicznej;(b) ekonomię – do celów zintegrowanych usług obejmujących zarówno aspekty naukowo-techniczne, jak i makroekonomiczne;(c) modelowanie – z naciskiem na zrównoważony charakter i ekonomię oraz zmniejszenie zależności Komisji od zewnętrznych dostawców ważnych analiz scenariuszy;(d) analizę polityczną – co umożliwi międzysektorową analizę wariantów strategicznych;(e) ocenę skutków – dostarczanie danych naukowych na poparcie wariantów strategicznych.JRC ma nadal dążyć do doskonałości w badaniach naukowych i rozległych interakcji z instytucjami badawczymi, co ma stanowić podstawę wiarygodnego i solidnego naukowo-technicznego wsparcia polityki. W tym celu zacieśni współpracę z partnerami europejskimi i międzynarodowymi, między innymi poprzez uczestnictwo w działaniach pośrednich. Będzie także prowadzić badania poszukiwawcze i, stosując podejście selektywne, budować kompetencje w nowych dziedzinach mających znaczenie dla polityki.JRC skoncentruje się na następujących kwestiach:

Doskonała baza naukowa

(Zobacz także PRIORYTET „Doskonała baza naukowa” (H2020-EU.1.)) (http://cordis.europa.eu/programme/rcn/664091_en.html)Prowadzenie badań naukowych w celu wzmocnienia naukowej bazy faktograficznej na potrzeby kształtowania polityki oraz eksploracja nowych dziedzin nauki i techniki, w tym w drodze programu badań poszukiwawczych.

Wiodąca pozycja w przemyśle

(Patrz także PRIORYTET „Wiodąca pozycja w przemyśle” (H2020-EU.2)) (http://cordis.europa.eu/programme/rcn/664143_en.html)Wnoszenie wkładu w europejską konkurencyjność poprzez wsparcie procesu normalizacji i norm badaniami przednormatywnymi, przygotowaniem materiałów i pomiarów odniesienia oraz harmonizacją metodyki w pięciu kluczowych obszarach (energia, transport, inicjatywa przewodnia, „agenda cyfrowa dla Europy”, ochrona i bezpieczeństwo, ochrona konsumentów). Oceny bezpieczeństwa nowych technologii w takich dziedzinach, jak energia i transport oraz zdrowie i ochrona konsumentów. Wkład w ułatwianie wykorzystania, normalizacji i walidacji technologii kosmicznych i danych pozyskiwanych w przestrzeni kosmicznej, w szczególności z myślą o wyzwaniach społecznych.

Wyzwania społeczne

(Patrz także PRIORYTET „Wyzwania społeczne” (H2020-EU.3.))(http://cordis.europa.eu/programme/rcn/664235_en.html)

(a) Zdrowie, zmiany demograficzne i dobrostan

(Patrz także H2020-EU.3.1.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Wkład w zdrowie i ochronę konsumentów poprzez wsparcie naukowe i techniczne w takich obszarach jak żywność, pasza i produkty konsumpcyjne; środowisko i zdrowie; diagnostyka medyczna i badania przesiewowe; żywienie i dieta.

(b) Bezpieczeństwo żywnościowe, zrównoważone rolnictwo i leśnictwo, badania mórz i wód śródlądowych i biogospodarka

(Patrz także H2020-EU.3.2.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Wsparcie rozwoju, wdrożenia i monitorowania europejskiej polityki w zakresie rolnictwa i rybołówstwa, w tym dotyczącej bezpieczeństwa żywności i bezpieczeństwa żywnościowego, oraz rozwój biogospodarki poprzez np. prognozy dotyczące produkcji roślinnej, analizy techniczne i społeczno-gospodarcze oraz modelowanie, a także promowanie zdrowych i produktywnych mórz.

(c) Bezpieczna, czysta i efektywna energia

(Patrz także H2020-EU.3.3.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Wsparcie celów w zakresie energii klimatu 20/20/20 poprzez badania naukowe dotyczące technologicznych i gospodarczych aspektów dostaw energii, sprawności, technologii niskoemisyjnych oraz elektroenergetycznych sieci przesyłowych.

(d) Inteligentny, zielony i zintegrowany transport

(Patrz także H2020-EU.3.4.) (http://cordis.europa.eu/programme/rcn/664357_en.html)Wsparcie unijnej polityki dotyczącej zrównoważonej i bezpiecznej mobilności osób i towarów poprzez badania laboratoryjne, podejścia oparte na modelowaniu i monitorowaniu, w tym technologie niskoemisyjne w transporcie, takie jak elektryfikacja, ekologiczne i oszczędne pojazdy, alternatywne paliwa oraz inteligentne systemy transportowe.

(e) Działania w dziedzinie klimatu, środowisko, efektywna gospodarka zasobami i surowce

(Patrz także H2020-EU.3.5.) (http://cordis.europa.eu/programme/rcn/664389_en.html)Analiza międzysektorowych wyzwań związanych ze zrównoważonym zarządzaniem zasobami naturalnymi poprzez monitorowanie kluczowych zmiennych środowiskowych i rozwój zintegrowanych ram modelowania na potrzeby oceny wpływu na zrównoważony rozwój.Wsparcie zasobooszczędności, ograniczenia emisji i zrównoważonych dostaw surowców poprzez zintegrowane społeczne, środowiskowe i gospodarcze oceny ekologicznych procesów produkcyjnych, technologii oraz produktów i usług.Wsparcie osiągania celów unijnej polityki rozwojowej poprzez badania naukowe mające ułatwić zapewnienie odpowiednich dostaw podstawowych zasobów, przy położeniu nacisku na monitorowanie parametrów środowiska i zasobów, analizy dotyczące bezpieczeństwa żywności i bezpieczeństwa żywnościowego oraz transfer wiedzy.

(f) Europa w zmieniającym się świecie – integracyjne, innowacyjne i refleksyjne społeczeństwa

(Patrz także H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html)Wkład w realizację inicjatywy przewodniej „Unia innowacji” i jej monitorowanie poprzez makroekonomiczne analizy czynników stymulujących i barier dla badań naukowych i innowacji, a także opracowanie metodyki, tablic wyników oraz wskaźników.Wspieranie EPB poprzez monitorowanie funkcjonowania i analizowanie czynników stymulujących i hamujących niektóre z jej kluczowych elementów oraz poprzez tworzenie sieci badawczych, szkolenia, otwarcie obiektów i baz danych JRC dla użytkowników w państwach członkowskich, kandydujących i stowarzyszonych.Wkład w osiągnięcie kluczowych celów inicjatywy przewodniej‚ „agendy cyfrowej dla Europy” poprzez ilościowe i jakościowe analizy aspektów gospodarczych i społecznych (gospodarka cyfrowa, społeczeństwo cyfrowe, życie cyfrowe).

(g) Bezpieczne społeczeństwa – ochrona wolności i bezpieczeństwa Europy i jej obywateli

(Patrz także H2020-EU.3.7.) (http://cordis.europa.eu/programme/rcn/664463_en.html)Wsparcie bezpieczeństwa wewnętrznego poprzez identyfikację i ocenę zagrożeń dla podstawowej infrastruktury jako zasadniczego elementu funkcji społecznych, a także poprzez ocenę wyników działania oraz ocenę społeczną i etyczną technologii związanych z tożsamością cyfrową. Podjęcie wyzwań bezpieczeństwa globalnego, w tym powstających lub hybrydowych zagrożeń, poprzez rozwój zaawansowanych narzędzi eksploracji i analizy danych, a także zarządzania kryzysowego.Zwiększenie zdolności Unii w zakresie zarządzania klęskami żywiołowymi i katastrofami spowodowanymi przez człowieka poprzez wzmocnienie monitorowania infrastruktury i rozwój urządzeń do przeprowadzania testów oraz globalnych systemów informacyjnych służących wczesnemu ostrzeganiu przed różnymi zagrożeniami i zarządzaniu ryzykiem, z wykorzystaniem satelitarnych platform obserwacji Ziemi. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:28";"664511" +"H2020-EU.6.";"it";"H2020-EU.6.";"";"";"AZIONI DIRETTE NON NUCLEARI DEL CENTRO COMUNE DI RICERCA (CCR)";"Joint Research Centre (JRC) non-nuclear direct actions";"

AZIONI DIRETTE NON NUCLEARI DEL CENTRO COMUNE DI RICERCA (CCR)

Le attività del CCR costituiscono parte integrante di Orizzonte 2020 al fine di fornire un sostegno solido e documentato alle politiche dell'Unione. A tal fine si tengono in considerazione le esigenze dei consumatori, integrate da attività orientate al futuro.

Obiettivo specifico

L'obiettivo specifico è fornire un sostegno scientifico e tecnico alle politiche dell'Unione, basato sulla domanda, con la flessibilità necessaria per rispondere alle nuove esigenze strategiche.

Motivazione e valore aggiunto dell'Unione

L'Unione ha definito un'ambiziosa agenda politica fino al 2020 che affronta una serie di sfide complesse e interrelate, quali la gestione sostenibile delle risorse e la competitività. Al fine di affrontare efficacemente queste sfide, è necessario disporre di solide prove scientifiche che interessano diverse discipline scientifiche e consentono una corretta valutazione delle opzioni politiche. Il CCR, che svolge il suo ruolo di servizio scientifico a beneficio delle strategie dell'Unione, fornirà il necessario sostegno scientifico e tecnico in tutte le fasi del ciclo decisionale, dalla concezione all'attuazione e alla valutazione. Al fine di contribuire a tale obiettivo specifico, esso concentrerà chiaramente la propria ricerca sulle priorità politiche dell'Unione, migliorando nel contempo le competenze trasversali e la cooperazione con gli Stati membri.L'indipendenza del CCR da interessi particolari, privati o nazionali, congiuntamente al suo ruolo di referente tecnico-scientifico, agevola il raggiungimento del necessario consenso tra le parti interessate e i responsabili politici. Gli Stati membri e i cittadini dell'Unione traggono vantaggio dalle attività di ricerca del CCR, in maniera più evidente in settori quali la sanità e la tutela dei consumatori, l'ambiente e la sicurezza, nonché la gestione delle crisi e delle catastrofi.Più nello specifico, gli Stati membri e le regioni trarranno vantaggio altresì dal sostegno alle loro strategie di specializzazione intelligente.Il CCR è parte integrante del SER e continuerà a sostenerne attivamente il funzionamento attraverso una stretta collaborazione con i suoi pari e con i soggetti interessati, massimizzando l'accesso ai suoi impianti e attraverso la formazione di ricercatori, nonché mediante la stretta collaborazione con gli Stati membri e le istituzioni internazionali che perseguono obiettivi analoghi. Ciò promuoverà inoltre l'integrazione dei nuovi Stati membri e paesi associati; per questi ultimi il CCR continuerà a fornire corsi di formazione specifica sulla base tecnico-scientifica del corpus del diritto dell'Unione. Il CCR stabilirà collegamenti di coordinamento con altri obiettivi specifici pertinenti di Orizzonte 2020. Come complemento alle sue azioni dirette e ai fini di un'ulteriore integrazione e interconnessione nel SER, il CCR può anche partecipare alle azioni indirette e agli strumenti di coordinamento di Orizzonte 2020 nei settori in cui dispone delle competenze necessarie a produrre un valore aggiunto dell'Unione.

Le grandi linee delle attività

Le attività del CCR in Orizzonte 2020 saranno incentrate sulle priorità politiche dell'Unione e sulle sfide per la società da esse affrontate. Tali attività sono in linea con gli obiettivi della strategia Europa 2020 e con le rubriche ""Sicurezza e cittadinanza"" e ""Europa globale"" del quadro finanziario pluriennale per il periodo 2014-2020.I principali settori di competenza del CCR saranno l'energia, i trasporti, l'ambiente e i cambiamenti climatici, l'agricoltura e la sicurezza alimentare, la salute e la tutela dei consumatori, le tecnologie dell'informazione e della comunicazione, i materiali di riferimento e la sicurezza (compresa la sicurezza nucleare del programma Euratom). Le attività del CCR in tali settori saranno svolte tenendo conto delle pertinenti iniziative a livello di regioni, di Stati membri o dell'Unione, nella prospettiva di dare forma al SER.Tali settori di competenza saranno notevolmente rafforzati con la capacità di affrontare l'intero ciclo programmatico e di valutare le diverse opzioni politiche. Ciò comprende:(a) anticipazione e previsione: intelligence strategica proattiva sulle tendenze e gli eventi che si verificano nella scienza, nella tecnologia e nella società e sulle loro possibili implicazioni per le politiche pubbliche;(b) economia: per un servizio integrato comprendente aspetti sia tecnico-scientifici sia macroeconomici;(c) modellizzazione: incentrate sulla sostenibilità e l'economia, per rendere la Commissione meno dipendente dai fornitori esterni per le analisi di scenario fondamentali;(d) analisi politica: per consentire l'esplorazione intersettoriale delle opzioni politiche;(e) valutazione d'impatto: produzione di prove scientifiche a sostengo delle opzioni politiche.Il CCR continuerà a perseguire l'eccellenza della ricerca e ampie interazioni con gli istituti di ricerca come base di un sostegno politico credibile e solido in ambito tecnico-scientifico. A tal fine, rafforzerà la collaborazione con partner europei e internazionali, tra l'altro, mediante la partecipazione alle azioni indirette. Effettuerà inoltre, su base selettiva, ricerca esplorativa e sviluppo di competenze nei settori emergenti e di rilievo per i processi politici.Il CCR si concentra sui seguenti aspetti:

Eccellenza scientifica

(Vedere anche la PRIORITÀ ""Eccellenza scientifica"" (H2020-EU.1.)) (http://cordis.europa.eu/programme/rcn/664091_en.html)Effettuare una ricerca volta a rafforzare la base di prove scientifiche del processo decisionale ed esaminare i settori emergenti della scienza e della tecnologia, anche per mezzo di un programma di ricerca esplorativa.

Leadership industriale

(Vedere anche la PRIORITÀ ""Leadership industriale"" (H2020-EU.2)) (http://cordis.europa.eu/programme/rcn/664143_en.html)Contribuire alla competitività europea grazie al sostegno al processo di standardizzazione e alle norme con ricerca prenormativa, sviluppo di materiali e misure di riferimento e all'armonizzazione di metodologie in cinque settori chiave (energia, trasporti, l'iniziativa faro ""Un'agenda digitale europea"", sicurezza, protezione dei consumatori). Effettuare valutazioni di sicurezza delle nuove tecnologie in settori quali energia e trasporti, salute e tutela dei consumatori. Contribuire ad agevolare l'utilizzo, la standardizzazione e la convalida delle tecnologie e dei dati spaziali, in particolare per far fronte alle sfide per la società.

Sfide per la società

(Vedere anche la PRIORITÀ ""Sfide per la società"" (H2020-EU.3.)) (http://cordis.europa.eu/programme/rcn/664235_en.html)

(a) Salute, evoluzione demografica e benessere

(Vedere anche H2020-EU.3.1.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Contribuire alla salute e alla tutela dei consumatori mediante un sostegno tecnico e scientifico nei settori quali prodotti alimentari, mangimi e prodotti di consumo; ambiente e salute; diagnostiche e pratiche di screening in ambito sanitario, nonché alimentazione e diete.

(b) Sicurezza alimentare, agricoltura e silvicoltura sostenibili, ricerca marina, marittima e sulle acque interne e bioeconomia

(Vedere anche H2020-EU.3.2.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Sostenere lo sviluppo, l'attuazione e il monitoraggio dell'agricoltura europea e della politica della pesca, compresi la sicurezza alimentare e lo sviluppo di una bioeconomia attraverso, ad esempio, previsioni di produzione delle colture, analisi e modellizzazione tecniche e socioeconomiche, nonché promozione di mari sani e produttivi.

(c) Energia sicura, pulita ed efficiente

(Vedere anche H2020-EU.3.3.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Sostenere gli obiettivi ""20-20-20"" in materia di clima e di energia con la ricerca sugli aspetti tecnologici ed economici dell'approvvigionamento energetico, dell'efficienza, delle tecnologie a basse emissioni di carbonio e delle reti di trasmissione dell'elettricità/energia.

(d) Trasporti intelligenti, verdi e integrati

(Vedere anche H2020-EU.3.4.) (http://cordis.europa.eu/programme/rcn/664357_en.html)Sostegno della politica dell'Unione alla mobilità sostenibile e sicura di persone e di merci con studi di laboratorio, approcci di modellizzazione e di monitoraggio, comprese le tecnologie a basse emissioni di carbonio per i trasporti, quali l'elettrificazione, i veicoli puliti ed efficienti e i combustibili alternativi nonché i sistemi di mobilità intelligente.

(e) Azione per il clima, ambiente, efficienza delle risorse e materie prime

(Vedere anche H2020-EU.3.5.) (http://cordis.europa.eu/programme/rcn/664389_en.html)Esaminare le sfide intersettoriali della gestione sostenibile delle risorse naturali mediante il monitoraggio delle variabili ambientali essenziali e lo sviluppo di un quadro di modellizzazione integrato per la valutazione della sostenibilità.Sostenere l'efficienza delle risorse, la riduzione delle emissioni e l'approvvigionamento sostenibile delle materie prime attraverso valutazioni integrate in ambito sociale, ambientale ed economico dei processi produttivi, delle tecnologie, dei prodotti e dei servizi""puliti"".Sostenere gli obiettivi dell'Unione in materia di politica di sviluppo mediante la ricerca mirata a contribuire a garantire un approvvigionamento adeguato di risorse essenziali, con un'attenzione particolare al monitoraggio dei parametri ambientali e delle risorse connesse, delle analisi relative alla sicurezza alimentare, nonché del trasferimento di conoscenze.

(f) L'Europa in un mondo che cambia - società inclusive, innovative e riflessive

(Vedere anche H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html)Alimentare e controllare l'attuazione dell'iniziativa faro ""Unione dell'innovazione"" grazie ad analisi macroeconomiche dei fattori e degli ostacoli alla ricerca e all'innovazione, e mediante lo sviluppo di metodologie, quadri di valutazione e indicatori.Sostegno al SER mediante il monitoraggio del funzionamento dello SER e l'analisi di fattori e ostacoli di alcuni dei suoi elementi chiave, nonché attraverso la creazione di reti di ricerca, la formazione e l'apertura delle strutture e delle banche dati del CCR per gli utenti negli Stati membri e nei paesi candidati e associati.Contribuire agli obiettivi fondamentali dell'iniziativa faro ""Un'agenda digitale europea"" mediante analisi qualitative e quantitative degli aspetti economici e sociali (economia digitale, società digitale, vita digitale).

(g) Società sicure - proteggere la libertà e la sicurezza dell'Europa e dei suoi cittadini

(Vedere anche H2020-EU.3.7.) (http://cordis.europa.eu/programme/rcn/664463_en.html)Sostegno alla sicurezza interna attraverso l'identificazione e la valutazione delle vulnerabilità delle infrastrutture cruciali quali componenti essenziali delle funzioni sociali e attraverso la valutazione operativa della prestazione e la valutazione sociale ed etica delle tecnologie connesse all'identità digitale. Affrontare le sfide mondiali per la sicurezza comprese le minacce emergenti o ibride attraverso lo sviluppo di strumenti avanzati per l'estrazione e l'analisi di informazioni nonché per la gestione delle crisi.Rafforzare la capacità dell'Unione di gestione delle catastrofi naturali o causate dall'uomo, rafforzando il monitoraggio delle infrastrutture e lo sviluppo di centri di sperimentazione e di sistemi di allerta precoce globale a impostazione multirischio e di sistemi informativi di gestione del rischio, avvalendosi dei quadri di osservazione della terra via satellite. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:28";"664511" +"H2020-EU.7.";"de";"H2020-EU.7.";"";"";"DAS EUROPÄISCHE INNOVATIONS- UND TECHNOLOGIEINSTITUT (EIT)";"European Institute of Innovation and Technology (EIT)";"

DAS EUROPÄISCHE INNOVATIONS- UND TECHNOLOGIEINSTITUT (EIT)

Das EIT spielt eine wichtige Rolle bei der Zusammenführung von exzellenter Forschung, Innovation und Hochschulbildung zu einem integrierten Wissensdreieck. Hierzu stützt sich das EIT vor allem auf die KIC. Ferner sorgt es dafür, dass durch gezielte Maßnahmen zur Verbreitung und Weitergabe von Wissen die Erfahrungen zwischen den KIC und über diese hinaus weitergegeben und damit Innovationsmodelle unionsweit schneller aufgegriffen werden.

Einzelziel

Das Einzelziel besteht in der Integration des Wissensdreiecks aus Hochschulbildung, Forschung und Innovation und damit in der Stärkung der Innovationskapazität der Union und der Bewältigung gesellschaftlicher Herausforderungen.Im Hinblick auf seine Innovationskapazität und die Fähigkeit, neue Dienstleistungen, Produkte und Prozesse hervorzubringen, weist Europa einige strukturelle Schwächen auf, was ein nachhaltiges Wirtschaftswachstum und die Schaffung von Arbeitsplätzen beeinträchtigt. Zu den Hauptproblemen zählen die geringen Anreize für Talente, nach Europa zu kommen und dort zu bleiben, die zu geringe Nutzung der vorhandenen Forschungsstärken für die sozioökonomische Wertschöpfung, das Fehlen von auf den Markt gebrachten Forschungsergebnissen, der niedrige Grad unternehmerischer Tätigkeit und der Einstellung, die geringe Fremdfinanzierung privater Investitionen in Forschung und Entwicklung, der für den globalen Wettbewerb unzureichende Umfang der Ressourcen, einschließlich der Humanressourcen, in Exzellenzzentren und eine übermäßige Zahl von Hindernissen für die Zusammenarbeit im Wissensdreieck von Hochschulbildung, Forschung und Innovation auf europäischer Ebene.

Begründung und Mehrwert für die Union

Diese strukturellen Schwächen gilt es zu überwinden, wenn Europa international mithalten will. Die genannten Probleme gelten für alle Mitgliedstaaten und beeinträchtigen die Innovationskapazität der Union insgesamt.Das EIT wird sich mit diesen Fragen befassen und strukturelle Veränderungen in der europäischen Innovationslandschaft fördern. Hierzu wird es die Integration der Hochschulbildung, Forschung und Innovation auf höchstem Niveau – insbesondere durch seine KIC – unterstützen und so neue innovationsförderliche Rahmenbedingungen schaffen und eine neue Generation von Unternehmern unterstützen sowie die Schaffung innovativer Spin-offs und Start-ups anregen. Damit wird das EIT einen umfassenden Beitrag zu den Zielen der Strategie Europa 2020, insbesondere zu den Leitinitiativen ""Innovationsunion"" und ""Jugend in Bewegung"" leisten.Ferner sollten das EIT und seine KIC schwerpunktübergreifende Synergie und Interaktion im Rahmen von Horizont 2020 und mit anderen einschlägigen Initiativen anstreben. Insbesondere wird das EIT über die KIC zum Schwerpunkt ""Gesellschaftliche Herausforderungen"" und dem Einzelziel ""Führende Rolle bei grundlegenden und industriellen Technologien"" beitragen.

Verknüpfung von Bildung und unternehmerischem Denken mit Forschung und Innovation

Das besondere Merkmal des EIT ist die Verknüpfung von Hochschulbildung, unternehmerischem Denken, Forschung und Innovation zu einer einzigen Innovationskette in der Union und darüber hinaus, die unter anderem zu einer Zunahme der auf den Markt gebrachten innovativen Dienste, Produkte und Verfahren führen sollte.

Unternehmenslogik und Ergebnisorientierung

Das EIT lässt sich über seine KIC von unternehmerischem Denken leiten und ist ergebnisorientiert. Voraussetzung ist eine starke Führung: Für jede KIC ist ein Geschäftsführer zuständig. Die Partner dieser KIC sind jeweils mit einer einzigen Rechtsperson vertreten, um eine straffere Entscheidungsfindung zu ermöglichen. Die KIC müssen einen genau festgelegten jährlichen Geschäftsplan mit einer Mehrjahresstrategie und mit einem ehrgeizigen Portfolio von Tätigkeiten vorlegen, die von Bildung bis zu Unternehmensgründungen reichen, für die klare Ziele und Leistungsvorgaben festgelegt sind und deren Auswirkungen sowohl auf den Markt als auch auf die Gesellschaft berücksichtigt werden. Die derzeit geltenden Vorschriften für die Teilnahme, Bewertung und Überwachung der KIC ermöglichen zügige Entscheidungen ähnlich wie bei Unternehmen. Die Unternehmen und die Unternehmer sollten eine starke Rolle als Motor für die Tätigkeiten im Rahmen der KIC übernehmen, und die KIC sollten in der Lage sein, Investitionen und ein langfristiges Engagement seitens der Privatwirtschaft zu mobilisieren.

Überwindung der Fragmentierung mit Hilfe langfristiger integrierter Partnerschaften

Die KIC des EIT sind hoch integrierte, auf offene, rechenschaftspflichtige und transparente Art zustande gekommene Zusammenschlüsse von renommierten Partnern aus Industrie (einschließlich KMU), Hochschulen sowie Forschungs- und Technologieinstituten. Die KIC ermöglichen es Partnern aus der gesamten Union und aus Drittländern, in neuen grenzüberschreitenden Konfigurationen zusammenzuarbeiten, die vorhandenen Ressourcen zu optimieren und den Zugang zu neuen Geschäftsmöglichkeiten über neue Wertschöpfungsketten zu eröffnen, um riskantere und größere Herausforderungen zu bewältigen. Die KIC stehen der Teilnahme neuer Teilnehmer, einschließlich KMU, offen, die einen Mehrwert in die Partnerschaft einbringen.

Förderung des wichtigsten Innovationskapitals Europa, nämlich seiner hoch talentierten Menschen: nämlich seiner hoch talentierten Menschen:

Talent ist der Schlüssel zur Innovation. Das EIT unterstützt Menschen und deren Interaktionen, indem es Studierende, Forscher und Unternehmer ins Zentrum seines Innovationsmodells stellt. Das EIT bietet eine Unternehmer- und Kreativkultur sowie eine disziplinenübergreifende Bildung für talentierte Menschen mittels der Master- und PhD-Abschlüsse des EIT, die zu einem international anerkannten Markenzeichen für Exzellenz werden sollen. Hierbei legt das EIT großen Wert auf die Mobilität und die Weiterbildung innerhalb des Wissensdreiecks.

Einzelziele und Tätigkeiten in Grundzügen

Das EIT wird hauptsächlich über die KIC insbesondere in den Bereichen tätig, die ein echtes Innovationspotenzial bieten. Zwar verfügen die KIC insgesamt über ein erhebliches Maß an Autonomie bei der Festlegung ihrer Strategien und Tätigkeiten, einige Innovationsmerkmale sind jedoch allen gemein, wenn es um Koordinierung und Synergien geht. Das EIT verstärkt darüber hinaus seine Wirkung, indem es bewährte Verfahren für die Integration des Wissensdreiecks und die Entwicklung der unternehmerischen Initiative verbreitet, neue Partner integriert, wann immer diese einen Mehrwert bieten, und aktiv eine neue Kultur der Wissensweitergabe fördert.

(a) Vermittlung und praktische Anwendung von Hochschulbildung, Forschung und Innovation im Hinblick auf die Gründung neuer Unternehmen

Das EIT soll ein günstiges Umfeld mit dem Ziel schaffen, das Innovationspotenzial von Menschen weiterzuentwickeln und ihre Ideen zu nutzen, und zwar unabhängig davon, wo sie sich in der Innovationskette befinden. Damit will das EIT auch zur Lösung des ""europäischen Paradoxons"" beitragen, dass die in der Forschung vorhandene Exzellenz bei weitem nicht voll ausgeschöpft wird. Hierfür wird das EIT die Vermarktung der Ideen unterstützen. Vor allem über seine KIC und seine Ausrichtung auf unternehmerisches Denken wird es neue Geschäftsmöglichkeiten in Form von Start-ups und Spin-offs, auch innerhalb vorhandener Branchen, schaffen. Der Schwerpunkt wird auf allen Formen von Innovation liegen, einschließlich technologischer, sozialer und nichttechnologischer Innovation.

(b)Modernste innovationsorientierte Forschung auf Gebieten von besonderem Interesse für Wirtschaft und Gesellschaft

Strategie und Tätigkeiten des EIT sind auf Bereiche ausgerichtet, die ein echtes Innovationspotenzial bieten und für die im Rahmen von Horizont 2020 behandelten gesellschaftlichen Herausforderungen erkennbar von Bedeutung sind. Durch die umfassende Behandlung der größten gesellschaftlichen Herausforderungen fördert das EIT inter- und multidisziplinäre Konzepte und unterstützt die entsprechende Konzentration der Forschungsanstrengungen der Partner in den KIC.

(c) Aus- und Weiterbildung zur Förderung talentierter, qualifizierter unternehmerischer Persönlichkeiten

Das EIT bietet eine vollständige Integration von Bildung und Ausbildung in allen Phasen der beruflichen Laufbahn und unterstützt und erleichtert die Ausarbeitung von neuen und innovativen Lehrplänen, die den infolge der komplexen sozioökonomischen Herausforderungen notwendigen neuen Profilen Rechnung tragen. Dem EIT wird daher – unter Einhaltung des Subsidiaritätsprinzips – eine Schlüsselrolle bei der Förderung neuer gemeinsamer oder mehrfacher Abschlüsse und Diplome in den Mitgliedstaaten zukommen.Eine wichtige Rolle spielt das EIT auch bei der Feinabstimmung des Konzepts des ""unternehmerischen Denkens"", und zwar über seine Bildungsprogramme, die unternehmerisches Denken in einem wissensintensiven Kontext vermitteln und sich dabei auf innovative Forschung stützen und zu Lösungen von hoher gesellschaftlicher Relevanz beitragen.

(d) Verbreitung bewährter Verfahren und systematische Weitergabe von Wissen

Das EIT soll – auch in Bezug auf KMU – eine Vorreiterrolle bei neuen Innovationskonzepten einnehmen und eine gemeinsame Kultur des Innovations- und Wissenstransfers aufbauen. Dies könnte unter anderem erfolgen, indem die unterschiedlichen Erfahrungen der KIC über verschiedene Verbreitungsmechanismen, wie etwa Plattformen interessierter Kreise und Stipendienprogramme, weitergegeben werden.

(e) Internationale Dimension

Das EIT handelt im Bewusstsein seines globalen Umfelds und unterstützt die Vernetzung mit wichtigen internationalen Partnern gemäß Artikel 27 Absatz 2. Durch die Ausweitung der Exzellenzzentren mit Hilfe der KIC und durch die Förderung neuer Bildungsmöglichkeiten soll das EIT die Attraktivität Europas für Talente von außen erhöhen.

(f) Stärkung der europaweiten Wirkung mit Hilfe innovativer Finanzierungsmodelle

Das EIT wird einen beachtlichen Beitrag zu den in Horizont 2020 festgelegten Zielen leisten, indem es sich insbesondere mit den gesellschaftlichen Herausforderungen befasst und hierbei andere Initiativen auf diesem Gebiet ergänzt. Im Rahmen von Horizont 2020 wird es neue und vereinfachte Finanzierungs- und Governance-Konzepte erproben und dabei innerhalb der europäischen Innovationslandschaft eine Vorreiterrolle spielen. Ein Teil der jährlichen Zahlungen wird den KIC aufbauend auf Wettbewerbsergebnissen zugewiesen. Der Finanzierung des EIT liegt eine starke Hebelwirkung zugrunde, mit der sowohl öffentliche als auch private Mittel auf nationaler und auf Unionsebene mobilisiert werden sollen; das Konzept wird den Mitgliedstaaten und den einschlägigen Akteuren in transparenter Weise mitgeteilt. Darüber hinaus wird es auf vollständig neue Instrumente zurückgreifen, um einzelne Tätigkeiten über die EIT-Stiftung gezielt zu unterstützen.

(g) Verknüpfung der regionalen Entwicklung mit europäischen Chancen

Über die KIC und ihre gemeinsamen Exzellenzzentren, die Partner aus Bildung, Forschung und Wirtschaft an einem Standort zusammenbringen, wird das EIT auch mit der Regionalpolitik verzahnt. So sollen vor allem im Zusammenhang mit regionalen und nationalen Strategien für eine intelligente Spezialisierung Hochschuleinrichtungen besser mit dem Arbeitsmarkt und mit Innovation und Wachstum in den Regionen vernetzt werden. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:45";"664513" +"H2020-EU.6.";"fr";"H2020-EU.6.";"";"";"LES ACTIONS DIRECTES NON NUCLÉAIRES DU CENTRE COMMUN DE RECHERCHE (JRC)";"Joint Research Centre (JRC) non-nuclear direct actions";"

LES ACTIONS DIRECTES NON NUCLÉAIRES DU CENTRE COMMUN DE RECHERCHE (JRC)

Les activités du JRC font partie intégrante d'Horizon 2020. Elles étaieront ainsi les politiques de l'Union par un solide corpus de données et d'informations, constitué en fonction des besoins des services demandeurs et complété par des activités de prospective.

Objectif spécifique

L'objectif spécifique est d'apporter un soutien scientifique et technique personnalisé aux politiques de l'Union en répondant avec souplesse aux nouvelles demandes.

Justification et valeur ajoutée de l'Union

L'Union a défini, à l'horizon 2020, un ambitieux programme qui concerne une série de défis complexes et interconnectés, notamment la gestion durable des ressources et la compétitivité. Afin de relever ces défis, il est nécessaire de disposer de données scientifiques solides, qui peuvent concerner plusieurs disciplines scientifiques et permettent d'évaluer rigoureusement les différentes solutions envisagées. Le JRC jouera son rôle de service scientifique pour les politiques de l'Union en fournissant le soutien scientifique et technique nécessaire à tous les stades du cycle d'élaboration des politiques, de la conception à l'évaluation en passant par la mise en œuvre. Afin de contribuer à cet objectif spécifique, il centrera clairement ses recherches sur les priorités stratégiques de l'Union, tout en renforçant ses compétences transversales et sa coopération avec les États membres.L'indépendance du JRC vis-à-vis des intérêts particuliers, qu'ils soient privés ou nationaux, conjuguée à son rôle de référence scientifique et technique, lui permet de faciliter la recherche de consensus nécessaire entre les parties prenantes et les responsables politiques. Les États membres et les habitants de l'Union bénéficient des travaux de recherche du JRC, ce qui est particulièrement visible dans des domaines comme la santé et la protection des consommateurs, l'environnement, la sécurité et la sûreté, et la gestion des crises et catastrophes.Plus particulièrement, les États membres et les régions bénéficieront également d'un appui en faveur de leurs stratégies de spécialisation intelligente.Le JRC fait partie intégrante de l'Espace européen de la recherche et continuera à soutenir activement le fonctionnement de celui-ci par une coopération étroite entre pairs et avec les parties prenantes, par l'optimisation de l'accès à ses installations et la formation de chercheurs et par une coopération étroite avec les États membres et les institutions internationales qui poursuivent les mêmes objectifs. Cela encouragera aussi l'intégration des nouveaux États membres et des pays associés, pour lesquels le JRC continuera de fournir des formations spéciales sur la base scientifique et technique de l'ensemble de la législation de l'Union. Le cas échéant, le JRC mettra en place des liens de coordination avec les autres objectifs spécifiques d'Horizon 2020. En complément de ses actions directes, et afin de renforcer l'intégration et la constitution de réseaux dans l'EER, le JRC pourrait aussi participer, dans les domaines où il possède l'expérience nécessaire pour produire de la valeur ajoutée de l'Union, à des actions indirectes et instruments de coordination dans le contexte d'Horizon 2020.

Grandes lignes des activités

Les activités du JRC dans le cadre d'Horizon 2020 seront centrées sur les priorités stratégiques de l'Union et les défis de société auxquels elles visent à répondre. Ces activités s'inscrivent dans le droit fil des objectifs de la stratégie Europe 2020, et des rubriques «Sécurité et citoyenneté» et «Une Europe dans le monde» du cadre financier pluriannuel pour 2014-2020.Les principaux domaines de compétence du JRC seront l'énergie, les transports, l'environnement et le changement climatique, l'agriculture et la sécurité alimentaire, la santé et la protection des consommateurs, les technologies de l'information et de la communication, les matériaux de référence, ainsi que la sécurité et la sûreté (y compris la sécurité et la sûreté nucléaires dans le cadre du programme Euratom). Les activités du JRC dans ces domaines seront menées en tenant compte des initiatives pertinentes au niveau des régions, des États membres ou de l'Union, en vue de façonner l'EER.Ces domaines de compétence seront fortement renforcés et le JRC aura la capacité d'agir tout au long du cycle d'élaboration des politiques et d'évaluer les possibilités envisagées. Il s'agit notamment des éléments suivants:(a) anticipation et prévisions – des renseignements stratégiques proactif concernant les tendances et événements dans les domaines des sciences, de la technologie et de la société ainsi que leurs conséquences possibles pour les politiques publiques;(b) économie – pour un service intégré couvrant à la fois les aspects scientifiques et techniques et les aspects macroéconomiques;(c) modélisation – essentiellement en matière de durabilité et d'économie, pour rendre la Commission moins dépendante de fournisseurs extérieurs pour l'analyse de scénarios dans les domaines d'importance;(d) analyse des politiques – pour permettre l'examen transsectoriel des solutions stratégiques envisagées;(e) analyse d'impact – fournir des données scientifiques pour étayer les solutions stratégiques envisagées.Le JRC continuera de viser l'excellence en matière de recherche et d'assurer une large interaction avec les instituts de recherche, qui constituent la base d'un soutien scientifique et technique des politiques crédible et solide. À cette fin, il renforcera sa collaboration avec des partenaires européens et internationaux, entre autres en participant à des actions indirectes. Il sera également actif dans la recherche exploratoire et se constituera des compétences, sur une base sélective, dans les domaines émergents pertinents.Le JRC s'attachera particulièrement aux buts ci-dessous:

Excellence scientifique

(Voir également la PRIORITÉ «Excellence scientifique» (H2020-EU.1.)) (http://cordis.europa.eu/programme/rcn/664091_en.html)Mener des travaux de recherche pour renforcer les données scientifiques pouvant étayer l'élaboration des politiques et pour examiner les domaines scientifiques et techniques émergents, y compris par un programme de recherche exploratoire.

Primauté industrielle

(Voir également la PRIORITÉ «Primauté industrielle» (H2020-EU.2)) (http://cordis.europa.eu/programme/rcn/664143_en.html)Contribuer à la compétitivité européenne par un appui au processus de normalisation et aux normes sous la forme de recherche prénormative, de développement de matériaux et mesures de référence et d'harmonisation des méthodes dans cinq domaines privilégiés (énergie; transports; l'initiative phare «Une stratégie numérique pour l'Europe»; sûreté et sécurité; protection des consommateurs). Réaliser des évaluations de la sécurité des nouvelles technologies dans des domaines tels que l'énergie et les transports ou la santé et la protection des consommateurs. Contribuer à faciliter l'utilisation, la normalisation et la validation des technologies spatiales et des données d'origine spatiale, en particulier pour relever les défis de société.

Défis de société

(Voir également la PRIORITÉ «Défis de société» (H2020-EU.3.)) (http://cordis.europa.eu/programme/rcn/664235_en.html)

(a) Santé, évolution démographique et bien-être

(Voir également H2020-EU.3.1.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Contribuer à la santé et à la protection des consommateurs par un appui scientifique et technique dans des domaines tels que l'alimentation humaine et animale et les produits de consommation courante; l'environnement et la santé; les pratiques de diagnostic et de dépistage dans le domaine de la santé; la nutrition et les régimes alimentaires.

(b) Sécurité alimentaire, agriculture et sylviculture durables, recherche marine, maritime et dans le domaine des eaux intérieures et la bioéconomie

(Voir également H2020-EU.3.2.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Soutenir le développement, la mise en œuvre et le suivi des politiques européennes de l'agriculture et de la pêche, notamment en ce qui concerne la sécurité et la sûreté alimentaires, et le développement d'une bioéconomie, notamment par des prévisions sur les récoltes, des analyses socioéconomiques et techniques et la modélisation, et promouvoir des mers saines et productives.

(c) Énergies sûres, propres et efficaces

(Voir également H2020-EU.3.3.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Soutenir la réalisation des objectifs 20-20-20 pour le climat et l'énergie par des recherches sur les aspects technologiques et économiques de l'approvisionnement en énergie, de l'efficience, des technologies à faibles émissions de carbone, et des réseaux de transport d'énergie/d'électricité.

(d) Transports intelligents, verts et intégrés

(Voir également H2020-EU.3.4.) (http://cordis.europa.eu/programme/rcn/664357_en.html)Soutenir la politique de l'Union en faveur d'une mobilité qui réponde aux impératifs de durabilité, de sécurité et de sûreté pour les personnes et les biens, au moyen d'études de laboratoire, de techniques de modélisation et de suivi, portant notamment sur les technologies de transport à faibles émissions de carbone, comme l'électrification, les véhicules propres et économes en énergie et les carburants de substitution, ou encore les systèmes de mobilité intelligente.

(e) Lutte contre le changement climatique, environnement, utilisation efficace des ressources et matières premières

(Voir également H2020-EU.3.5.) (http://cordis.europa.eu/programme/rcn/664389_en.html)Étudier les défis transsectoriels en matière de gestion durable des ressources naturelles par le suivi de variables environnementales clés et la mise au point d'un cadre de modélisation intégré pour l'évaluation de la durabilité.Contribuer à l'augmentation du rendement des ressources, à la réduction des émissions et à l'approvisionnement durable en matières premières par des évaluations intégrées portant sur les aspects sociaux, environnementaux et économiques des procédés de production, technologies, produits et services propres.Soutenir la réalisation des objectifs de la politique de développement de l'Union par des travaux de recherche destinés à assurer un approvisionnement suffisant en ressources essentielles, centrés sur le suivi des paramètres relatifs à l'environnement et aux ressources, les analyses en matière de sécurité et de sûreté alimentaires et le transfert de connaissances.

(f) L'Europe dans un monde en évolution - Sociétés ouvertes à tous, innovantes et capables de réflexion

(Voir également H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html)Contribuer à la mise en œuvre de l'initiative phare «L'Union de l'innovation» et à son suivi, par des analyses macroéconomiques portant sur les facteurs qui favorisent ou qui freinent la recherche et l'innovation ainsi que par la mise au point de méthodes, de tableaux de bord et d'indicateurs.Soutenir l'EER en assurant le suivi de son fonctionnement et en analysant les facteurs favorables ou défavorables à ses principaux aspects; le soutenir également par la constitution de réseaux de recherche, la formation ainsi que l'ouverture des installations et bases de données du JRC aux utilisateurs des États membres et des pays candidats ou associés.Contribuer aux objectifs principaux de l'initiative phare «Une stratégie numérique pour l'Europe» par des analyses qualitatives et quantitatives d'aspects économiques et sociaux (économie numérique, société numérique, mode de vie numérique).

(g) Des sociétés sûres - Protéger la liberté et la sécurité de l'Europe et de ses citoyens

(Voir également H2020-EU.3.7.) (http://cordis.europa.eu/programme/rcn/664463_en.html)Contribuer à la sécurité et à la sûreté intérieures en détectant et en évaluant les points faibles des infrastructures critiques, qui jouent un rôle vital dans différentes fonctions de la société, ainsi qu'en examinant le fonctionnement des technologies relatives à l'identité numérique et en les évaluant d'un point de vue social et éthique; apporter une réponse aux enjeux globaux en matière de sûreté, y compris les menaces émergentes ou hybrides, par le développement d'outils perfectionnés d'extraction et d'analyse d'informations, ainsi que de gestion des crises.Renforcer la capacité de l'Union de gérer les catastrophes d'origine naturelle ou humaine en renforçant le contrôle des infrastructures et le développement d'installations d'essais, et de systèmes informatiques mondiaux d'alerte rapide et de gestion des risques, valables pour plusieurs risques, fondés sur les systèmes d'observation de la Terre par satellite.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:28";"664511" +"H2020-EU.2.3.2.3.";"es";"H2020-EU.2.3.2.3.";"";"";"Apoyar la innovación impulsada por el mercado";"Supporting market-driven innovation";"

Apoyar la innovación impulsada por el mercado

Apoyo a la innovación transnacional impulsada por el mercado a fin de mejorar las condiciones marco para la innovación y combatir los obstáculos concretos que impiden, en particular, el crecimiento de las PYME innovadoras.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:05";"664233" +"H2020-EU.2.3.2.3.";"de";"H2020-EU.2.3.2.3.";"";"";"Unterstützung marktorientierter Innovation";"Supporting market-driven innovation";"

Unterstützung marktorientierter Innovation

Um die Rahmenbedingungen für Innovation zu verbessern werden transnationale, vom Markt ausgehende Innovationen unterstützt, und Hemmnisse, die insbesondere das Wachstum innovativer KMU behindern, werden angegangen.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:05";"664233" +"H2020-EU.3.4.3.";"fr";"H2020-EU.3.4.3.";"";"";"Primauté sur la scène mondiale pour l'industrie européenne des transports";"Global leadership for the European transport industry";"

Primauté sur la scène mondiale pour l'industrie européenne des transports

L'objectif est de renforcer la compétitivité et la performance des constructeurs européens d'équipements de transport et des services associés (y compris les processus logistiques, l'entretien, la réparation, la conversion et le recyclage) tout en maintenant le rôle prépondérant que joue l'Europe dans certains domaines (par exemple, l'aéronautique).Les activités visent avant tout à mettre au point la prochaine génération de moyens de transport aériens, maritimes et terrestres innovants, à assurer la fabrication durable de systèmes et d'équipements innovants et à préparer le terrain pour de futurs moyens de transport, en travaillant sur de nouveaux concepts et de nouvelles conceptions et sur des technologies originales, des systèmes de contrôle intelligents et des normes interopérables, des procédés de fabrication efficaces, des services innovants et des procédures de certification, des délais de développement plus courts et des coûts réduits tout au long du cycle de vie sans compromettre la sécurité et la sûreté opérationnelles.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:39";"664377" +"H2020-EU.3.4.2.";"es";"H2020-EU.3.4.2.";"";"";"Mejor movilidad, menor congestión, mayor seguridad";"Mobility, safety and security";"

Mejor movilidad, menor congestión, mayor seguridad

El objetivo es reconciliar las crecientes necesidades de movilidad con una mayor fluidez del transporte, a través de soluciones innovadoras para unos sistemas de transporte sin discontinuidades intermodales, inclusivos, accesibles, asequibles, seguros y sólidos.El propósito de las actividades será reducir la congestión, mejorar la accesibilidad y las posibilidades de elección de los pasajeros en materia de interoperabilidad y satisfacer las posibilidades de elección de los usuarios impulsando y promoviendo el transporte, la gestión de la movilidad y la logística puerta a puerta integrados; aumentar la intermodalidad y el despliegue de soluciones inteligentes de gestión y planificación; y reducir drásticamente el número de accidentes y el impacto de las amenazas a la seguridad.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:20";"664367" +"H2020-EU.3.4.2.";"de";"H2020-EU.3.4.2.";"";"";"Größere Mobilität, geringeres Verkehrsaufkommen, größere Sicherheit";"Mobility, safety and security";"

Größere Mobilität, geringeres Verkehrsaufkommen, größere Sicherheit

Ziel ist es, den wachsenden Mobilitätsbedarf mit einem besseren Verkehrsfluss in Einklang zu bringen und hierfür innovative Lösungen für nahtlose, intermodale, integrative, zugängliche, erschwingliche, sichere, gesunde und belastbare Verkehrssysteme zu erforschen.Schwerpunkte der Tätigkeiten sind eine Verringerung des Verkehrsaufkommens, ein besserer Zugang, eine bessere Interoperabilität und mehr Auswahlmöglichkeiten für die Fahrgäste, die Befriedigung der Bedürfnisse der Nutzer durch Entwicklung und Unterstützung von integrierter Beförderung, Mobilitätsmanagement und Logistik von Haus zu Haus, die Verbesserung der Intermodalität und der Einsatz intelligenter Planungs- und Managementlösungen, um die Zahl der Unfälle und die Folgen von Sicherheitsbedrohungen drastisch zu reduzieren.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:20";"664367" +"H2020-EU.3.4.1.";"pl";"H2020-EU.3.4.1.";"";"";"Zasobooszczędny transport, który szanuje środowisko";"Resource efficient transport that respects the environment";"

Zasobooszczędny transport, który szanuje środowisko

Celem jest minimalizacja oddziaływania systemów transportu na klimat i środowisko (w tym hałasu i zanieczyszczenia powietrza) poprzez poprawienie ich jakości i wydajności pod względem wykorzystania zasobów naturalnych i paliw oraz poprzez zmniejszenie emisji gazów cieplarnianych i ograniczenie jego zależności od paliw kopalnych.Działania mają skoncentrować się na ograniczeniu zużycia zasobów, w szczególności paliw kopalnych, zmniejszeniu emisji gazów cieplarnianych i poziomów hałasu a także na poprawie efektywności transportu i pojazdów; przyspieszeniu rozwoju oraz opracowaniu, wyprodukowaniu i wprowadzeniu na rynek ekologicznych (elektrycznych, wodorowych i innych niskoemisyjnych lub bezemisyjnych) pojazdów nowej generacji, m.in. dzięki przełomowym osiągnięciom i optymalizacji w zakresie silników, magazynowania energii i infrastruktury; na badaniu i wykorzystaniu potencjału paliw alternatywnych i zrównoważonych oraz innowacyjnych i sprawniejszych systemów napędu i systemów operacyjnych, w tym infrastruktury paliwowej i ładowania; na optymalizacji planowania i wykorzystania infrastruktury przy użyciu inteligentnych systemów transportowych, logistyki i inteligentnego wyposażenia, a także na intensywniejszym zastosowaniu zarządzania popytem i korzystaniu z transportu publicznego i bezsilnikowego oraz łańcuchów intermodalnej mobilności, w szczególności w obszarach miejskich. Wspierać się będzie innowacje służące zapewnieniu niskich lub zerowych emisji we wszystkich rodzajach transportu.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:04";"664359" +"H2020-EU.3.6.2.";"pl";"H2020-EU.3.6.2.";"";"";"Innowacyjne społeczeństwa";"Innovative societies";"

Innowacyjne społeczeństwa

Celem jest wspieranie rozwoju innowacyjnych społeczeństw i polityki w Europie poprzez zaangażowanie obywateli, organizacji społeczeństwa obywatelskiego, przedsiębiorstw i użytkowników w badania naukowe i innowacje oraz promowanie skoordynowanej polityki w zakresie badań naukowych i innowacji w kontekście globalizacji oraz potrzeby propagowania najwyższych standardów etycznych. Szczególne wsparcie zostanie zapewnione na potrzeby rozwoju EPB i ramowych warunków innowacji.Wiedza o kulturze i społeczeństwie jest ważnym źródłem kreatywności i innowacji, w tym innowacji biznesowych, innowacji w sektorze publicznym i innowacji społecznych. W wielu przypadkach innowacje społeczne i tworzone z myślą o użytkowniku poprzedzają rozwój innowacyjnych technologii, usług i procesów gospodarczych. Sektory kreatywne stanowią jeden z istotnych zasobów pozwalających stawić czoła wyzwaniom społecznym i wyzwaniu konkurencyjności. Ponieważ wzajemne zależności między innowacjami społecznymi a technicznymi są złożone i rzadko liniowe, konieczne są dalsze badania, w tym badania międzysektorowe i multidyscyplinarne, w dziedzinie rozwoju wszelkich rodzajów innowacji oraz działań finansowanych w celu tworzenia warunków do skutecznego rozwoju innowacji w przyszłości.Działania mają się koncentrować na:(a) wzmocnieniu podstaw faktograficznych i wsparcia dla inicjatywy przewodniej „Unii innowacji” i EPB; (b) poszukiwaniu nowych form innowacji, ze szczególnym naciskiem na innowacje społeczne i kreatywność, oraz zrozumieniu czynników warunkujących rozwój innowacji, ich powodzenie lub porażkę;(c) wykorzystaniu potencjału innowacyjności, kreatywności i wydajności wszystkich pokoleń; ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:50";"664447" +"H2020-EU.3.6.2.";"it";"H2020-EU.3.6.2.";"";"";"Società innovative";"Innovative societies";"

Società innovative

L'obiettivo è promuovere lo sviluppo di società e politiche innovative in Europa per mezzo dell'impegno dei cittadini, delle organizzazioni della società civile, delle imprese e degli utenti per quanto concerne la ricerca e l'innovazione nonché la promozione di politiche di ricerca e innovazione coordinate nell'ambito della globalizzazione e tenuto conto dell'esigenza di promuovere i più elevati standard etici. Sarà fornito un sostegno particolare per lo sviluppo del SER nonché delle condizioni generali per l'innovazione.Le conoscenze sociali e culturali sono un'importante fonte di creatività e innovazione, anche nel settore sociale, pubblico e delle imprese. In molti casi, inoltre, le innovazioni sociali e basate sulle esigenze degli utenti precedono lo sviluppo di tecnologie, servizi e processi economici innovativi. Le industrie creative sono un'importante risorsa per affrontare le sfide per la società e la competitività. Poiché le interrelazioni tra innovazione sociale e tecnologica sono complesse e raramente lineari, occorrono ulteriori ricerche, anche intersettoriali e multidisciplinari, nello sviluppo di tutti i tipi di innovazione e attività finanziate, al fine di incoraggiarne uno sviluppo efficace nel futuro.Il centro delle attività comprende:(a) il rafforzamento della base scientifica e del sostegno per l'iniziativa faro ""Unione dell'innovazione"" e il SER; (b) l'esplorazione di nuove forme di innovazione, con particolare attenzione all'innovazione sociale e alla creatività, e la comprensione delle modalità di sviluppo, riuscita o insuccesso di tutte le forme di innovazione; (c) l'utilizzo del potenziale innovativo, creativo e produttivo di tutte le generazioni; (d) la promozione di una cooperazione coerente ed efficace con i paesi terzi. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:50";"664447" +"H2020-EU.2.3.2.1.";"it";"H2020-EU.2.3.2.1.";"";"";"Sostegno per le PMI ad elevata intensità di ricerca";"Support for research intensive SMEs";"

Sostegno per le PMI ad elevata intensità di ricerca

L'obiettivo è promuovere l'innovazione transnazionale orientata al mercato delle PMI che effettuano attività di R&S. Un'azione specifica mira alle PMI ad alta intensità di ricerca in tutti i settori che mostrano la capacità di sfruttare commercialmente i risultati dei progetti. Tale azione sarà basata sul programma Eurostars.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:42:58";"664229" +"H2020-EU.2.2.";"it";"H2020-EU.2.2.";"";"";"LEADERSHIP INDUSTRIALE - Accesso al capitale di rischio";"Access to risk finance";"

LEADERSHIP INDUSTRIALE - Accesso al capitale di rischio

Obiettivo specifico

L'obiettivo specifico è contribuire ad affrontare le carenze del mercato relative all'accesso al capitale di rischio per la ricerca e l'innovazione.La situazione degli investimenti nel settore R&I è grave, in particolare per le PMI innovative e le imprese di dimensione intermedia (mid-caps) con un elevato potenziale di crescita. Esistono diverse importanti carenze di mercato nella fornitura di finanziamenti, poiché le innovazioni necessarie per conseguire gli obiettivi politici risultano di norma troppo rischiose per il mercato e pertanto non sono colti appieno i più ampi vantaggi per la società.Uno strumento prestiti (debt facility) e uno strumento di capitale proprio (equity facility) contribuiranno a superare tali problemi migliorando il finanziamento e i profili di rischio delle attività di R&I in questione. A sua volta questo faciliterà l'accesso ai prestiti, alle garanzie e ad altre forme di capitale di rischio da parte delle imprese e di altri beneficiari, promuoverà gli investimenti in fase iniziale e lo sviluppo di fondi di capitale di rischio esistenti e nuovi, migliorerà il trasferimento di conoscenze e il mercato della proprietà intellettuale, attirerà fondi per il mercato dei capitali di rischio e, complessivamente, contribuirà a catalizzare il passaggio dalla concezione, dallo sviluppo e dalla dimostrazione di nuovi prodotti e servizi alla loro commercializzazione.L'effetto globale sarà quello di aumentare la volontà del settore privato a investire nella R&I e contribuire così al raggiungimento di un obiettivo chiave di Europa 2020: il 3 % del PIL dell'Unione investito in R&S entro la fine del decennio, di cui due terzi forniti dal settore privato. L'uso di strumenti finanziari contribuirà inoltre a conseguire gli obiettivi di R&I in tutti i settori e negli ambiti politici di fondamentale importanza per affrontare le sfide per la società, rafforzare la competitività e sostenere la crescita sostenibile, inclusiva nonché la fornitura di beni pubblici ambientali e di altro genere.

Motivazione e valore aggiunto dell'Unione

È necessario uno strumento prestiti a livello di Unione per la R&I al fine di aumentare la probabilità di ottenere i prestiti e le garanzie e di raggiungere gli obiettivi politici in quest'ambito. Il divario esistente sul mercato tra la domanda e l'offerta di prestiti e garanzie per investimenti rischiosi in ambito R&I, oggetto dell'attuale meccanismo di finanziamento con ripartizione dei rischi (RSFF), è destinato a persistere se le banche commerciali restano sostanzialmente assenti dal prestito ad alto rischio. Dal varo del meccanismo a metà 2007 la domanda di prestiti nell'ambito del RSFF è stata elevata: nella sua prima fase (2007-2010), il ricorso a tale meccanismo ha superato le previsioni iniziali di oltre il 50 % in termini di approvazione di prestiti attivi (7,6 miliardi di EUR a fronte di una previsione di 5 miliardi di EUR).Di norma, inoltre, le banche sono prive della capacità di valutare i cespiti basati sulla conoscenza, quale la proprietà intellettuale, e sono quindi spesso riluttanti a investire in imprese basate sulla conoscenza. Ne consegue che molte imprese innovative consolidate grandi e piccole non riescono a ottenere prestiti per attività di R&I ad alto rischio. Nella progettazione e nell'attuazione del suo dispositivo o dei suoi dispositivi, che saranno effettuate in partenariato con una o più entità delegate conformemente al regolamento (UE, Euratom) n. 966/2012, la Commissione garantirà che siano presi in considerazione adeguati livelli e forme di rischio tecnologico e finanziario al fine di soddisfare le esigenze individuate.Tali divari di mercato derivano essenzialmente da incertezze, da asimmetrie di informazione e dai costi elevati dei tentativi di affrontare questi problemi: le imprese di recente costituzione hanno una storia imprenditoriale troppo breve per soddisfare i potenziali prestatori, ma anche le imprese consolidate spesso non sono in grado di fornire informazioni sufficienti, e all'inizio di un investimento di R&I non è affatto certo che gli sforzi intrapresi si possano tradurre effettivamente in un'innovazione di successo.Inoltre, le imprese che si trovano nella fase di sviluppo del concetto o che lavorano in settori emergenti di norma sono sprovviste di garanzie reali sufficienti. Un ulteriore elemento dissuasivo è che, anche se le attività di R&I danno origine a un prodotto o processo commerciale, non è affatto certo che l'impresa che ha svolto il lavoro sarà in grado di fruire in via esclusiva dei vantaggi da questo derivanti.In termini di valore aggiunto dell'Unione, uno strumento prestiti consentirà di rimediare alle carenze del mercato che impediscono al settore privato di investire in R&I a un livello ottimale. La sua attuazione consentirà la messa in comune di una massa critica di risorse del bilancio dell'Unione e, su una base di ripartizione dei rischi, della o delle istituzioni finanziarie incaricate dell'attuazione dello stesso. L'attuazione stimolerà le imprese a investire una quota maggiore di capitale proprio in R&I rispetto a quanto avrebbero fatto altrimenti. Inoltre, tale strumento consentirà alle organizzazioni pubbliche e private di ridurre i rischi di intrapresa dell'appalto precommerciale o dell'appalto di prodotti e servizi innovativi.Uno strumento di capitale proprio a livello di Unione per la R&I è necessaria per contribuire a migliorare la disponibilità di finanziamenti azionari per gli investimenti in fase iniziale e di crescita e per incentivare lo sviluppo del mercato del capitale di rischio nell'Unione. Nel corso della fase di avviamento e di trasferimento delle tecnologie le nuove imprese attraversano una ""valle della morte"", ossia un periodo in cui vengono meno i finanziamenti pubblici alla ricerca e al tempo stesso è impossibile attrarre finanziamenti privati. Il sostegno pubblico mirante a stimolare i finanziamenti privati e i fondi per l'avviamento destinati a colmare questa lacuna risulta attualmente troppo frammentato e discontinuo, oppure gestito da personale privo della necessaria esperienza. La maggior parte dei fondi di capitale di rischio in Europa ha inoltre dimensioni troppo ridotte per sostenere con continuità la crescita delle imprese innovative e non dispone della massa critica per specializzarsi ed operare in maniera transnazionale.Le conseguenze sono gravi. Prima della crisi finanziaria, l'importo investito nelle PMI dai fondi di capitale di rischio europei era di circa 7 miliardi di EUR l'anno, mentre le cifre per il 2009 e il 2010 erano comprese fra 3 e 4 miliardi di EUR. La riduzione dei finanziamenti per investimenti in capitale di rischio ha colpito il numero di imprese in fase di avvio interessate da tali fondi: nel 2007 circa 3 000 PMI hanno ricevuto i finanziamenti in capitali di rischio, rispetto a solo circa 2 500 nel 2010.In termini di valore aggiunto dell'Unione, lo strumento di capitale proprio per il settore R&I integrerà i programmi nazionali e regionali che non riescono a sostenere gli investimenti transfrontalieri in quest'ambito. Gli accordi della prima fase avranno inoltre un effetto dimostrativo suscettibile di tradursi in un vantaggio per gli investitori pubblici e privati in tutta Europa. Per la fase di crescita, solo a livello europeo è possibile ottenere la necessaria scala e una forte partecipazione degli investitori privati essenziali per il funzionamento di un mercato dei capitali di rischio autonomo.Lo strumento prestiti e lo strumento di capitale proprio, sostenuti da una serie di misure di accompagnamento, sosterranno la realizzazione degli obiettivi politici di Orizzonte 2020. A tal fine saranno intese a consolidare e ad aumentare la qualità della base scientifica europea, a promuovere la ricerca e l'innovazione con un programma orientato alle imprese e ad affrontare le sfide per la società, concentrandosi su attività quali il pilotaggio, la dimostrazione, i banchi di prova e lo sfruttamento commerciale. È opportuno prevedere azioni specifiche di sostegno, quali attività di informazione e di patrocinio per le PMI. Le autorità regionali, le associazioni delle PMI, le camere di commercio e i pertinenti intermediari finanziari possono essere consultati, ove opportuno, in relazione alla programmazione e all'attuazione di tali attività.Esse contribuiranno inoltre ad affrontare gli obiettivi di R&I di altri programmi e settori politici, come la politica agricola comune, l'azione per il clima (transizione verso un'economia a basse emissioni di carbonio e adattamento ai cambiamenti climatici) e la politica comune della pesca. Le complementarità con gli strumenti finanziari nazionali e regionali saranno sviluppate nel contesto del quadro strategico comune per la politica di coesione 2014-2020, in cui si prevede un ruolo accresciuto degli strumenti finanziari.L'elaborazione dello strumento prestiti e dello strumento di capitale proprio tiene conto della necessità di affrontare le specifiche carenze, caratteristiche (come il grado di dinamismo e il tasso di creazione di imprese) ed esigenze di finanziamento del mercato di questi e altri settori senza creare distorsioni del mercato. L'uso di strumenti finanziari deve avere un chiaro valore aggiunto europeo e dovrebbe esercitare un effetto leva e fungere da integrazione agli strumenti nazionali. Gli stanziamenti di bilancio tra gli strumenti possono essere adattati nel corso di Orizzonte 2020 in risposta a cambiamenti nelle condizioni economiche.Lo strumento di capitale proprio e la sezione PMI dello strumento prestiti sono attuate nell'ambito dei due strumenti finanziari dell'Unione che forniscono capitale e credito a sostegno della crescita e delle attività di R&I delle PMI, in abbinamento con i fondi di capitale e di debito del COSME. Sarà garantita la complementarità tra Orizzonte 2020 e COSME.

Le grandi linee delle attività

(a) Lo strumento prestiti che fornisce finanziamenti in ambito R&I: ""Servizio di prestiti e garanzie dell'Unione per la ricerca e l'innovazione""

La finalità è migliorare l'accesso al finanziamento tramite debito - prestiti, garanzie, controgaranzie e altre forme di debito e capitale di rischio - per le entità pubbliche e private e i partenariati pubblico-privato che esercitano attività di ricerca e innovazione che richiedono investimenti rischiosi per il loro svolgimento. L'obiettivo è sostenere la ricerca e l'innovazione con un forte potenziale d'eccellenza.Dato che uno degli obiettivi di Orizzonte 2020 è contribuire a ridurre il divario tra R&S e innovazione, favorendo l'ingresso nel mercato di prodotti e servizi nuovi o migliorati e tenendo conto del ruolo critico della fase di prova di concetto nel processo di trasferimento di conoscenza, possono essere introdotti meccanismi che permettano il finanziamento delle fasi di prova di concetto necessarie per confermare l'interesse, la pertinenza e l'impatto innovativo futuro dei risultati della ricerca o dell'invenzione oggetto del trasferimento.I beneficiari finali sono potenzialmente soggetti giuridici di tutte le dimensioni in grado di contrarre prestiti e rimborsare fondi e, in particolare, le PMI dotate del potenziale per svolgere attività innovative e crescere rapidamente, le imprese di dimensione intermedia (mid-caps) e le grandi imprese, le università e gli istituti di ricerca, le infrastrutture di ricerca e innovazione, i partenariati pubblico privato e i veicoli o i progetti per uso speciale.Il finanziamento dello strumento prestiti ha due componenti principali:(1)Un elemento basato sulla domanda, che fornisce prestiti e garanzie sulla base del principio ""primo arrivato, primo servito"" con un sostegno specifico per beneficiari quali le PMI e le mid-caps. Questa componente risponde alla progressiva e continua crescita del volume dei prestiti RSFF, che dipende dalla domanda. Nell'ambito della sezione PMI, sono sostenute le attività che mirano a migliorare l'accesso ai finanziamenti per le PMI e le altre entità promosse da attività innovative e/o di R&S. Ciò potrebbe includere il sostegno alla fase 3 dello strumento per le PMI subordinatamente al livello della domanda.(2)Un elemento mirato, concentrato sulle politiche e i settori chiave indispensabili per affrontare le sfide per la società, migliorare la leadership industriale e la competitività, promuovere la crescita sostenibile, inclusiva e a basse emissioni e fornire beni pubblici ambientali e di altro genere. Questo componente aiuta l'Unione ad affrontare gli aspetti relativi a ricerca e innovazione degli obiettivi strategici settoriali.

(b) Lo strumento di capitale proprio che fornisce finanziamenti in ambito R&I: ""Strumenti di capitale dell'Unione per la ricerca e l'innovazione""

L'obiettivo è contribuire a superare le carenze del mercato europeo dei capitali di rischio e fornire capitale proprio o assimilabile al fine di finanziare lo sviluppo e il fabbisogno di finanziamento delle imprese innovatrici dalla fase di avvio fino alla crescita e all'espansione. L'accento è posto sul sostegno degli obiettivi di Orizzonte 2020 e delle politiche afferenti.I beneficiari finali sono potenzialmente le imprese di tutte le dimensioni che esercitano o avviano attività di innovazione, con particolare attenzione per le PMI e le mid-caps innovative.Lo strumento di capitale proprio sarà incentrata su fondi e fondi di fondi di capitale di rischio di prima fase mirati a fornire capitali di rischio e quasi-equity, compreso il finanziamento ""mezzanino"", a singole imprese portafoglio. Lo strumento avrà inoltre la possibilità di effettuare investimenti in fase di espansione e di crescita congiuntamente allo strumento di capitale proprio per la crescita del COSME, al fine di garantire un sostegno continuo durante le fasi di avviamento e sviluppo delle imprese.Lo strumento di capitale proprio, principalmente basato sulla domanda, si avvale di un approccio di portafoglio, nel quale i fondi di capitale di rischio e altri intermediari analoghi scelgono le imprese nelle quali investire.È possibile destinare una parte dei fondi per contribuire a raggiungere obiettivi politici specifici, basandosi sull'esperienza positiva nell'ambito del programma quadro per la competitività e l'innovazione (2007-2013) con destinazione specifica per l'ecoinnovazione, ad esempio per conseguire obiettivi relativi alle sfide per la società individuate.La sezione di avviamento, a sostegno della costituzione e delle fasi iniziali, consente tra l'altro investimenti azionari in organizzazioni di trasferimento delle conoscenze e organismi simili attraverso il sostegno al trasferimento di tecnologie (compreso il trasferimento di risultati di ricerca e invenzioni derivanti dalla sfera della ricerca pubblica per il settore produttivo, ad esempio mediante prova di concetto), strumenti di capitale di avviamento, fondi di capitale transfrontalieri per l'avviamento e le fasi iniziali, veicoli di coinvestimento ""business angel"", attivi da proprietà intellettuale, piattaforme per lo scambio dei diritti di proprietà intellettuale e fondi e fondi-di-fondi di capitale di rischio iniziale che operano a livello transfrontaliero e su investimenti in fondi di capitale di rischio. Ciò potrebbe includere il sostegno alla fase 3 dello strumento per le PMI subordinatamente al livello della domanda.La sezione di crescita effettua investimenti in fase espansiva e di crescita congiuntamente allo strumento di capitale proprio per la crescita del COSME, compresi gli investimenti nei fondi-di-fondi del settore pubblico e privato che operano a livello transfrontaliero e su investimenti in fondi di capitali di rischio, la maggior parte dei quali ha un oggetto tematico a sostegno degli obiettivi della strategia Europa 2020.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:36";"664217" +"H2020-EU.2.2.";"es";"H2020-EU.2.2.";"";"";"LIDERAZGO INDUSTRIAL - Acceso a la financiación de riesgo";"Access to risk finance";"

LIDERAZGO INDUSTRIAL - Acceso a la financiación de riesgo

Objetivo específico

El objetivo específico es ayudar a abordar las deficiencias del mercado en el acceso a la financiación de riesgo para la investigación y la innovación.La situación de la inversión en el ámbito de la investigación e innovación (I+i) es nefasta, especialmente para las PYME innovadoras y las empresas de capitalización media de alto potencial de crecimiento. El mercado presenta varias lagunas importantes en la oferta de financiación, ya que las innovaciones necesarias para lograr los objetivos políticos están resultando demasiado arriesgadas, por regla general, para que el mercado las asuma, por lo que no se están obteniendo plenamente los beneficios en sentido amplio para la sociedad.Un mecanismo de deuda y un mecanismo de capital ayudarán a superar estos problemas mejorando los perfiles de riesgo y de financiación de las actividades de I+i en cuestión. Esto, a su vez, facilitará el acceso de las empresas y otros beneficiarios a créditos, garantías y otras formas de financiación de riesgo; promoverá la inversión en la fase inicial y el desarrollo de fondos existentes y de nuevos fondos de capital-riesgo; mejorará la transferencia de conocimientos y el mercado de la propiedad intelectual; atraerá fondos al mercado de capital-riesgo; y, en general, ayudará a catalizar el paso de la concepción, desarrollo y demostración de nuevos productos y servicios a su comercialización.El efecto general será incrementar la disposición del sector privado a invertir en I+i y, por ende, contribuir a alcanzar un objetivo esencial de Europa 2020: la inversión en I+D de un 3 % del PIB de la Unión de aquí al final de la década, con una contribución del sector privado de dos tercios. La utilización de instrumentos financieros ayudará también a alcanzar los objetivos de I+i de todos los sectores y ámbitos políticos cruciales para afrontar los retos de la sociedad, mejorar la competitividad y apoyar el crecimiento inclusivo y sostenible y el suministro de bienes públicos medioambientales y de otro tipo.

Justificación y valor añadido de la Unión

Es necesario un mecanismo de deuda para la I+i a nivel de la Unión para aumentar la probabilidad de concesión de créditos y garantías y, por tanto, de que se alcancen los objetivos políticos de la I+i. Es probable que persista la distancia que actualmente existe en el mercado entre la demanda y la oferta de créditos y garantías para inversiones en I+i arriesgadas, objeto del actual Instrumento de Financiación de Riesgos Compartidos (IFRC), permaneciendo los bancos comerciales prácticamente ausentes de los préstamos de mayor riesgo. La demanda de créditos del IFRC ha sido elevada desde su puesta en marcha a mediados de 2007: en su primera fase (2007-2010), se superaron las expectativas iniciales en más de un 50 % en términos de créditos activos aprobados (7 600 millones EUR frente a una previsión de 5 000 millones EUR).Además, habitualmente los bancos no saben valorar los activos de conocimiento, como es la propiedad intelectual e industrial, y por ello suelen mostrarse reacios a invertir en empresas basadas en el conocimiento. La consecuencia es que muchas empresas innovadoras establecidas -grandes y pequeñas- no pueden obtener préstamos para las actividades de I+i de mayor riesgo. En la concepción y elaboración de su(s) mecanismo(s), que se llevarán a cabo en asociación con una o varias entidades responsables, en virtud de lo dispuesto en el Reglamento (UE, Euratom) no 966/2012, la Comisión se asegurará de que se tengan en cuenta los adecuados niveles y formas de riesgo tecnológico y financiero, con el fin de satisfacer las necesidades que se hayan determinado.Estas lagunas del mercado derivan, en último análisis, de las incertidumbres, las asimetrías de información y el elevado coste de intentar resolver estas cuestiones: las empresas de reciente creación tienen un historial demasiado breve para satisfacer a los posibles prestamistas, ni siquiera las empresas establecidas pueden a menudo facilitar información suficiente, y al inicio de una inversión en I+i no hay ninguna certeza de que los esfuerzos desplegados vayan a generar realmente una innovación de éxito.Además, las empresas en la fase de desarrollo conceptual o que trabajan en campos emergentes suelen carecer de suficientes activos de garantía. Otro elemento disuasorio es que, incluso si las actividades de I+i dan lugar a un producto o proceso comercial, no hay ninguna certeza de que la empresa que ha realizado el esfuerzo pueda apropiarse exclusivamente de los beneficios que deriven del mismo.En términos de valor añadido de la Unión, un mecanismo de deuda contribuirá a remediar las deficiencias del mercado que impiden al sector privado invertir en I+i a un nivel óptimo. Su aplicación permitirá la puesta en común de una masa crítica de recursos procedentes del presupuesto de la Unión y, sobre una base de repartición del riesgo, de la institución o instituciones financieras encargadas de su aplicación. Estimulará a las empresas para invertir en I+i más fondos propios de los que habrían invertido en otro caso. Además, un mecanismo de deuda ayudará a las organizaciones, tanto públicas como privadas, a reducir los riesgos de la contratación precomercial o la contratación de productos y servicios innovadores.Es necesario un mecanismo de capital a nivel de la Unión para la I+i a fin de ayudar a mejorar la disponibilidad de financiación de capital para las inversiones en las fases inicial y de crecimiento, así como para impulsar el desarrollo del mercado de capital-riesgo de la Unión. En la fase de transferencia de tecnología y de arranque, las nuevas empresas atraviesan un ""valle de la muerte"" en el que ya han acabado las subvenciones públicas a la investigación y aún no es posible atraer financiación privada. El apoyo público dirigido a movilizar fondos privados semilla y de arranque que cubran esa laguna es actualmente demasiado fragmentado e intermitente, o bien sus gestores carecen de la pericia necesaria. Además, la mayoría de los fondos europeos de capital-riesgo son demasiado pequeños para sostener el crecimiento continuado de las empresas innovadoras y carecen de masa crítica para especializarse y operar transnacionalmente.Las consecuencias son graves. Antes de la crisis financiera, el importe invertido en PYME por los fondos europeos de capital-riesgo ascendía a unos 7 000 millones euros anuales, mientras que las cifras correspondientes a 2009 y 2010 se sitúan en el intervalo de los 3 000 - 4 000 millones de euros. La reducción de la financiación de capital-riesgo ha afectado al número de empresas incipientes beneficiarias de fondos de capital-riesgo: unas 3 000 PYME recibieron este tipo de financiación en 2007, frente a solo alrededor de 2 500 en 2010.En términos de valor añadido de la Unión, el mecanismo de capital para la I+i complementará los regímenes nacionales y regionales, que no pueden ocuparse de las inversiones transfronterizas en I+i. Los acuerdos para la fase inicial tendrán también un efecto de demostración que puede beneficiar a los inversores públicos y privados en toda Europa. En cuanto a la fase de crecimiento, solo a nivel europeo es posible alcanzar la escala necesaria y la fuerte participación de inversores privados que resultan esenciales para el funcionamiento de un mercado de capital-riesgo que se autoalimente.Los mecanismos de deuda y de capital, apoyados por una serie de medidas de acompañamiento, contribuirán a la consecución de los objetivos políticos de Horizonte 2020. A tal efecto, se dedicarán a consolidar y reforzar la calidad de la base científica de Europa; promover la investigación y la innovación con una agenda impulsada por las empresas; y abordar los retos de la sociedad, centrándose en actividades tales como ejercicios piloto y de demostración, bancos de prueba y asimilación por el mercado. Se deberán ofrecer medidas de apoyo específicas, como por ejemplo actividades de información y formación para las PYME. Las autoridades regionales, las asociaciones de PYME, las cámaras de comercio y los intermediarios financieros podrán ser consultados, cuando proceda, en relación con la programación y aplicación de estas actividades.Además, ayudarán a abordar los objetivos de I+i de otros programas y ámbitos políticos, como la Política Agrícola Común, la Acción por el Clima (transición a una economía de baja emisión de carbono y adaptación al cambio climático), y la Política Pesquera Común. Se desarrollarán complementariedades con instrumentos financieros nacionales y regionales en el contexto del marco estratégico común de la política de cohesión, en el que está previsto que los instrumentos financieros adquieran mayor protagonismo.El diseño del mecanismo de deuda y de capital tiene en cuenta la necesidad de hacer frente a las deficiencias específicas del mercado, sus características (como el grado de dinamismo y el ritmo de creación de empresas) y los requisitos de financiación de estos y otros ámbitos, sin provocar distorsiones de mercado. El empleo de instrumentos financieros debe presentar un claro valor añadido europeo y debería servir de incentivo y funcionar como complemento de los instrumentos nacionales. La distribución del presupuesto entre los instrumentos podrá adaptarse en el curso de Horizonte 2020 en respuesta a cambios en la situación económica.El mecanismo de capital y el apartado PYME del mecanismo de deuda se aplicarán como parte de dos instrumentos financieros de la Unión que aportan capital y deuda para apoyar a la I+i y al crecimiento de las PYME, en conjunción con los mecanismos de capital y deuda del Programa de Competitividad de las Empresas y las PYME (COSME). Se garantizará la complementariedad entre Horizonte 2020 y el Programa COSME.

Líneas generales de las actividades

(a) Mecanismo de deuda que proporciona financiación de deuda para la I+i: ""Servicio de crédito y garantía de la Unión para la investigación y la innovación""

El objetivo es mejorar el acceso a la financiación de deuda -créditos, garantías, contragarantías y otras formas de financiación de deuda y riesgo- de las entidades públicas y privadas y las asociaciones público-privadas participantes en actividades de investigación e innovación que requieran inversiones arriesgadas para llegar a término. Se hará hincapié en apoyar la investigación y la innovación que tenga un elevado potencial de excelencia.Dado que uno de los objetivos de Horizonte 2020 es contribuir a estrechar la brecha existente entre la I+D y la innovación, favoreciendo la llegada al mercado de productos y servicios nuevos o mejorados, y teniendo en cuenta el papel crítico de la fase de prueba de concepto en el proceso de transferencia de conocimientos, se introducirán mecanismos que permitan la financiación de las fases de prueba de concepto, necesarias para validar la importancia, la pertinencia y el impacto innovador futuro de los resultados de la investigación o invención objeto de la transferencia.Los beneficiarios finales previstos serán potencialmente las entidades jurídicas de todos los tamaños que puedan pedir prestado dinero y reembolsarlo y, en particular, las PYME con potencial para innovar y crecer rápidamente; las empresas de capitalización media y las grandes empresas; las universidades y centros de investigación; las infraestructuras de investigación y las infraestructuras de innovación; las asociaciones público-privadas; y los vehículos o proyectos de propósito especial.La financiación del mecanismo de deuda tendrá dos componentes principales:(1)Uno orientado por la demanda, que facilitará créditos y garantías con arreglo al criterio del orden de llegada, con apoyo específico para beneficiarios como las PYME y las empresas de capitalización media. Este componente responderá al crecimiento constante y continuo observado en el volumen de préstamos del IFRC, que está impulsado por la demanda. En el apartado PYME, se prestará apoyo a actividades encaminadas a mejorar el acceso a la financiación para las PYME impulsadas por la I+D y/o la innovación. Ello podría incluir el apoyo en la fase 3 del instrumento consagrado a las PYME supeditado al nivel de demanda.(2)Otro focalizado, centrado en políticas y sectores fundamentales para afrontar los retos de la sociedad, potenciar el liderazgo industrial y la competitividad, apoyar el crecimiento inclusivo, sostenible y con baja emisión de carbono, y que proporciona bienes públicos medioambientales y de otro tipo. Este componente ayudará a la Unión a abordar los aspectos relacionados con la investigación y la innovación de los objetivos de la política sectorial.

(b) Mecanismo de capital que proporciona financiación de capital para la I+i: ""Instrumentos de capital de la Unión para la investigación y la innovación""

El objetivo es contribuir a superar las deficiencias del mercado de capital-riesgo europeo y proporcionar capital y cuasi capital para cubrir el desarrollo y las necesidades de financiación de las empresas innovadoras desde la fase de lanzamiento a la de crecimiento y expansión. Se hará hincapié en el apoyo a los objetivos de Horizonte 2020 y las políticas conexas.Los beneficiarios finales previstos serán potencialmente las empresas de todos los tamaños que acometan o se embarquen en actividades de innovación, con especial atención a las PYME y empresas de capitalización media innovadoras.El mecanismo de capital se centrará en los fondos de capital-riesgo y en los fondos de fondos para la fase inicial que facilitan capital-riesgo y cuasi capital (incluido capital intermedio) a empresas de cartera individual. El mecanismo contará asimismo con la posibilidad de efectuar inversiones en las fases de expansión y crecimiento en conjunción con el mecanismo de capital para el crecimiento del Programa COSME, para garantizar un apoyo continuado durante las fases de arranque y desarrollo de las empresas.El mecanismo de capital, que estará impulsado principalmente por la demanda, utilizará un planteamiento de cartera, según el cual los fondos de capital-riesgo y otros intermediarios comparables seleccionarán las empresas en las que se invierte.Se aplicará la asignación obligatoria para contribuir a la consecución de objetivos políticos concretos, basándose en la experiencia positiva del Programa Marco de Innovación y Competitividad (2007-2013) con la asignación de fondos para la ecoinnovación, en particular para alcanzar objetivos relacionados con los retos de la sociedad identificados.El apartado de arranque apoyará las fases de lanzamiento e inicial, haciendo posibles las inversiones de capital, entre otras, en organizaciones de transferencia de conocimientos y organismos similares mediante el apoyo a la transferencia de tecnología (inclusive la traslación al sector productivo de los resultados de la investigación y las invenciones generadas en el ámbito de la investigación pública, por ejemplo mediante pruebas de concepto), fondos de capital semilla, fondos semilla e iniciales transfronterizos, vehículos de coinversión para inversores providenciales, activos de propiedad intelectual, plataformas para el intercambio y comercio de derechos de propiedad intelectual y, para la etapa inicial, fondos de capital-riesgo y fondos de fondos que funcionen de modo transfronterizo e inviertan en fondos de capital-riesgo. Ello podría incluir el apoyo en la fase 3 del instrumento consagrado a las PYME supeditado al nivel de demanda.El apartado de crecimiento efectuará inversiones en las fases de expansión y crecimiento en conjunción con el mecanismo de capital para el crecimiento del Programa COSME, lo que incluye las inversiones en fondos de fondos que operan a través de las fronteras e invierten en fondos de capital-riesgo en los sectores público y privado, la mayor parte de los cuales tienen un punto focal temático que coadyuva a los objetivos de la estrategia Europa 2020.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:36";"664217" +"H2020-EU.3.2.4.";"es";"H2020-EU.3.2.4.";"";"";"Bioindustrias sostenibles y competitivas y favorables al desarrollo de una bioeconomía europea";"Bio-based industries and supporting bio-economy";"

Bioindustrias sostenibles y competitivas y favorables al desarrollo de una bioeconomía europea

El objetivo es la promoción de unas bioindustrias europeas sostenibles y competitivas, de baja emisión de carbono y que utilicen eficazmente los recursos. Las actividades se centrarán en el fomento de la bioeconomía basada en el conocimiento, transformando los procesos y productos industriales convencionales en otros que sean eficientes desde el punto de vista de los recursos y la energía, el desarrollo de biorrefinerías integradas de segunda generación o de generaciones subsiguientes, la optimización del uso de la biomasa procedente de la producción primaria, los biorresiduos y los subproductos de la bioindustria, y la apertura de nuevos mercados a través del apoyo a los sistemas de normalización y certificación, las actividades de reglamentación, demostración/ensayos de campo y otras, al tiempo que se tienen en cuenta las consecuencias de la bioeconomía sobre el uso de los terrenos y su modificación, así como los puntos de vista e inquietudes de la sociedad civil.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:26";"664309" +"H2020-EU.2.1.4.3.";"fr";"H2020-EU.2.1.4.3.";"";"";"Des technologies «plateformes» innovantes et compétitives";"Innovative and competitive platform technologies";"

Des technologies «plateformes» innovantes et compétitives

Développement des technologies «plateformes» (telles que la génomique, la métagénomique, la protéomique, la métabolimique, les instruments moléculaires, les systèmes d'expression, les plateformes de phénotypage et les plateformes cellulaires) afin de renforcer la primauté et l'avantage concurrentiel de l'Europe dans un grand nombre de secteurs ayant des retombées économiques.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:55";"664195" +"H2020-EU.2.1.5.4.";"es";"H2020-EU.2.1.5.4.";"";"";"Nuevos modelos de negocio sostenibles";"New sustainable business models";"

Nuevos modelos de negocio sostenibles

Deducir conceptos y metodologías para unos modelos de negocio adaptables y basados en el conocimiento, con enfoques a la medida, inclusive planteamientos alternativos que resulten productivos en cuanto a su utilización de recursos.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:14";"664205" +"H2020-EU.2.1.4.3.";"pl";"H2020-EU.2.1.4.3.";"";"";"Innowacyjne i konkurencyjne technologie platformowe";"Innovative and competitive platform technologies";"

Innowacyjne i konkurencyjne technologie platformowe

Rozwój technologii platformowych (np. genomiki, metagenomiki, proteomiki, metabolomiki, narzędzi molekularnych, systemów ekspresji, platform fenotypowania i platform komórkowych) w celu wzmacniania wiodącej pozycji i zwiększania przewagi konkurencyjnej w wielu sektorach mających wpływ na gospodarkę.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:55";"664195" +"H2020-EU.2.1.4.1.";"de";"H2020-EU.2.1.4.1.";"";"";"Unterstützung der Spitzenforschung in der Biotechnologie als künftiger Innovationsmotor ";"Cutting-edge biotechnologies as future innovation driver";"

Unterstützung der Spitzenforschung in der Biotechnologie als künftiger Innovationsmotor

Entwicklung neu entstehender technologischer Bereiche wie synthetische Biologie, Bioinformatik und Systembiologie, die sehr vielversprechend im Hinblick auf innovative Produkte und Technologien sowie vollständig neue Anwendungen sind.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:48";"664191" +"H2020-EU.2.1.3.5.";"fr";"H2020-EU.2.1.3.5.";"";"";"Matériaux pour des entreprises créatives, y compris dans le domaine du patrimoine";"Materials for creative industries, including heritage";"

Matériaux pour des entreprises créatives, y compris dans le domaine du patrimoine

Conception et développement de technologies convergentes en vue de créer de nouveaux débouchés commerciaux, y compris la préservation et la restauration de matériaux présentant une valeur historique ou culturelle, ainsi que des matériaux nouveaux.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:34";"664183" +"H2020-EU.2.3.2.3.";"it";"H2020-EU.2.3.2.3.";"";"";"Sostegno all'innovazione orientata al mercato";"Supporting market-driven innovation";"

Sostegno all'innovazione orientata al mercato

Si sostengono le innovazioni transnazionali orientate al mercato al fine di migliorare le condizioni generali per l'innovazione e sono affrontati gli ostacoli specifici che impediscono, in particolare, la crescita delle PMI innovative.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:05";"664233" +"H2020-EU.2.3.2.1.";"pl";"H2020-EU.2.3.2.1.";"";"";"Wsparcie dla MŚP intensywnie korzystających z badań naukowych";"Support for research intensive SMEs";"

Wsparcie dla MŚP intensywnie korzystających z badań naukowych

Celem jest promowanie transnarodowych rynkowo zorientowanych innowacji w MŚP prowadzących działalność badawczo-rozwojową. Działanie szczegółowe jest ukierunkowane na MŚP działające w dowolnych sektorach, wykazujące zdolność do handlowego wykorzystania wyników prowadzonych projektów. To działanie będzie oparte na programie Eurostars.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:42:58";"664229" +"H2020-EU.2.1.4.2.";"pl";"H2020-EU.2.1.4.2.";"";"";"Produkty i procesy przemysłowe oparte na biotechnologii";"Bio-technology based industrial products and processes";"

Produkty i procesy przemysłowe oparte na biotechnologii

Rozwój biotechnologii przemysłowej i projektowania biotechnologicznego na skalę przemysłową w celu tworzenia konkurencyjnych produktów i zrównoważonych procesów przemysłowych (takich jak w branży chemicznej, ochrony zdrowia, górnictwa, energetycznej, celulozowo-papierniczej, produktów włóknistych i drewna, tekstylnej, skrobi, przetwarzaniu żywności) oraz jego wymiar środowiskowy i dotyczący zdrowia, w tym operacje oczyszczania.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:52";"664193" +"H2020-EU.2.1.4.2.";"it";"H2020-EU.2.1.4.2.";"";"";"Prodotti e processi industriali basati sulla biotecnologia";"Bio-technology based industrial products and processes";"

Prodotti e processi industriali basati sulla biotecnologia

Sviluppo della biotecnologia industriale e della concezione di bioprocessi su scala industriale per prodotti industriali competitivi e processi sostenibili (ad esempio chimica, salute, industria mineraria, energia, pasta e carta, legna e prodotti a base di fibre, tessile, amido, trasformazione alimentare), nonché delle sue dimensioni ambientale e sanitaria, comprese le operazioni di pulizia.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:52";"664193" +"H2020-EU.2.1.4.2.";"es";"H2020-EU.2.1.4.2.";"";"";"Productos y procesos industriales basados en la biotecnología";"Bio-technology based industrial products and processes";"

Productos y procesos industriales basados en la biotecnología

Impulso de la biotecnología industrial y de la concepción a escala industrial de bioprocesos para productos y procesos industriales competitivos y sostenibles (por ejemplo en química, sanidad, minería, energía, industria papelera, productos basados en fibras y madera, textil, almidón o transformación de alimentos) y su dimensión medioambiental, incluidas las operaciones de limpieza.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:52";"664193" +"H2020-EU.2.1.3.7.";"pl";"H2020-EU.2.1.3.7.";"";"";"Optymalizacja wykorzystania materiałów";"Optimisation of the use of materials";"

Optymalizacja wykorzystania materiałów

Działania badawczo-rozwojowe służące poszukiwaniu rozwiązań zastępczych i alternatywnych w odniesieniu do zastosowań materiałów, a także innowacyjnych podejść do modeli biznesowych oraz identyfikacji kluczowych zasobów.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:41";"664187" +"H2020-EU.2.1.3.7.";"it";"H2020-EU.2.1.3.7.";"";"";"Ottimizzazione dell'impiego di materiali";"Optimisation of the use of materials";"

Ottimizzazione dell'impiego di materiali

Ricerca e sviluppo per lo studio di surrogati e soluzioni alternative all'utilizzo di alcuni materiali e lo studio di approcci innovativi in materia di modelli aziendali e individuazione delle risorse essenziali.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:41";"664187" +"H2020-EU.2.1.2.3.";"fr";"H2020-EU.2.1.2.3.";"";"";"Développer la dimension sociétale des nanotechnologies";"Societal dimension of nanotechnology";"

Développer la dimension sociétale des nanotechnologies

Développer une gestion des nanotechnologies centrée sur les bénéfices qu'elles apportent à la société et à l'environnement.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:05";"664167" +"H2020-EU.2.1.3.2.";"fr";"H2020-EU.2.1.3.2.";"";"";"Développement et transformation des matériaux";"Materials development and transformation";"

Développement et transformation des matériaux

Recherche et développement à des fins de développement et de valorisation efficaces, sûrs et durables, afin de permettre la fabrication industrielle de futurs produits conçus pour progresser vers une gestion sans déchets des matériaux en Europe.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:23";"664177" +"H2020-EU.2.";"es";"H2020-EU.2.";"";"";"PRIORIDAD ""Liderazgo industrial""";"Industrial Leadership";"

PRIORIDAD ""Liderazgo industrial""

Esta parte tiene por objeto acelerar el desarrollo de las tecnologías e innovaciones que sustentarán las empresas del mañana y ayudar a las PYME innovadoras europeas a convertirse en empresas a la vanguardia del mundo. Consta de tres objetivos específicos:a)El ""Liderazgo en tecnologías industriales y de capacitación"" prestará un apoyo específico a la investigación, desarrollo, demostración y, cuando proceda, normalización y certificación en los ámbitos de las tecnologías de la información y las comunicaciones (TIC), la nanotecnología, los materiales avanzados, la biotecnología, la fabricación y transformación avanzadas y el espacio. Se hará hincapié en la interacción y convergencia de las diferentes tecnologías y entre sí, así como en sus relaciones con los desafíos de sociedad. Se tendrán en adecuada consideración las necesidades de los usuarios en estos ámbitos. H2020-EU.2.1. (http://cordis.europa.eu/programme/rcn/664145_en.html)b)Mediante el ""Acceso a la financiación de riesgo"" se tratará de superar los déficits en la disponibilidad de financiación de deuda y de capital para las empresas y los proyectos de I+D impulsados por la innovación en todas las fases de desarrollo. Junto con el instrumento de capital del Programa de Competitividad de las Empresas y de las pequeñas y medianas empresas (COSME) (2014-2020), apoyará el desarrollo del capital-riesgo a nivel de la Unión. H2020-EU.2.2. (http://cordis.europa.eu/programme/rcn/664217_en.html)c)La ""Innovación en las PYME"" proporcionará apoyo específico a las PYME con el fin de fomentar todas las formas de innovación, centrándose en aquellas con potencial para crecer e internacionalizarse en el mercado único y fuera de él. H2020-EU.2.3. (http://cordis.europa.eu/programme/rcn/664223_en.html)El programa de estas actividades estará impulsado por las empresas. Los presupuestos para los objetivos específicos ""Acceso a la financiación de riesgo"" e ""Innovación en las PYME"" seguirán una lógica ascendente e impulsada por la demanda. Dichos presupuestos se complementarán con la utilización de instrumentos financieros. Se aplicará un instrumento dedicado a las PYME, principalmente de manera ascendente y adaptado a sus necesidades, teniéndose en cuenta los objetivos específicos de la prioridad «Retos de la sociedad» y el objetivo específico «Liderazgo en tecnologías industriales y de capacitación».Horizonte 2020 adoptará un enfoque integrado con respecto a la participación de las PYME que tendrá en cuenta, entre otras cosas, sus necesidades de transferencia de conocimientos y tecnología y llevaría a dedicarles como mínimo el 20 % de los presupuestos totales combinados de todos los objetivos específicos sobre ""Retos de la sociedad"" y el objetivo específico ""Liderazgo en tecnologías industriales y de capacitación"".El objetivo específico ""Liderazgo en tecnologías industriales y de capacitación"" seguirá un planteamiento impulsado por la tecnología para desarrollar tecnologías de capacitación que puedan utilizarse en múltiples sectores, industrias y servicios. Las aplicaciones de estas tecnologías a fin de responder a las necesidades de la sociedad se financiarán junto con la prioridad ""Retos de la sociedad"".";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:01";"664143" +"H2020-EU.2.1.3.5.";"pl";"H2020-EU.2.1.3.5.";"";"";"Materiały dla sektorów kreatywnych, w tym związanych z dziedzictwem";"Materials for creative industries, including heritage";"

Materiały dla sektorów kreatywnych, w tym związanych z dziedzictwem

Opracowanie wzornictwa i rozwój technologii konwergencyjnych w celu tworzenia nowych możliwości biznesowych, w tym ochrona i odnawianie materiałów mających wartość historyczną lub kulturalną, jak również materiałów nowatorskich.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:34";"664183" +"H2020-EU.2.1.3.4.";"it";"H2020-EU.2.1.3.4.";"";"";"Materiali per un'industria sostenibile, efficiente sotto il profilo delle risorse e a basse emissioni";"Materials for a resource-efficient and low-emission industry";"

Materiali per un'industria sostenibile, efficiente sotto il profilo delle risorse e a basse emissioni

Sviluppo di nuovi prodotti e applicazioni, di modelli commerciali e comportamenti responsabili dei consumatori in grado di ridurre la domanda di energia nonché di agevolare la produzione a basse emissioni di carbonio.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:30";"664181" +"H2020-EU.2.1.3.2.";"it";"H2020-EU.2.1.3.2.";"";"";"Sviluppo e trasformazione di materiali";"Materials development and transformation";"

Sviluppo e trasformazione di materiali

Ricerca e sviluppo per garantire uno sviluppo e un ampliamento di scala efficienti, sicuri e sostenibili volti a consentire la produzione industriale di futuri prodotti basati sulla progettazione verso una gestione a bassa produzione di rifiuti dei materiali in Europa.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:23";"664177" +"H2020-EU.2.3.2.1.";"fr";"H2020-EU.2.3.2.1.";"";"";"Soutien aux PME à forte intensité de recherche";"Support for research intensive SMEs";"

Soutien aux PME à forte intensité de recherche

L'objectif est de promouvoir, au niveau transnational, l'innovation axée sur le marché par les PME menant des activités de recherche et de développement. Une action spécifique cible les PME à forte intensité de recherche, actives dans tous les secteurs dans lesquels la capacité d'exploiter commercialement les résultats de projets est avérée. Cette action se fondera sur le programme Eurostars.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:42:58";"664229" +"H2020-EU.2.1.2.5.";"pl";"H2020-EU.2.1.2.5.";"";"";"Rozwój i standaryzacja technik zwiększania przepustowości oraz metody i urządzenia pomiarowe";"Capacity-enhancing techniques, measuring methods and equipment";"

Rozwój i standaryzacja technik zwiększania przepustowości oraz metody i urządzenia pomiarowe

Ukierunkowanie na bazowe technologie wspierające rozwój i wprowadzanie na rynek bezpiecznych złożonych nanomateriałów i nanosystemów.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:12";"664171" +"H2020-EU.2.1.2.4.";"es";"H2020-EU.2.1.2.4.";"";"";"Síntesis y fabricación eficientes y sostenibles de nanomateriales, componentes y sistemas";"Synthesis and manufacturing of nanomaterials, components and systems";"

Síntesis y fabricación eficientes y sostenibles de nanomateriales, componentes y sistemas

Centrándose en operaciones nuevas, la integración inteligente de procesos nuevos y existentes, inclusive la convergencia tecnológica, como en el caso de la nanobiotecnología, y la transposición a mayor escala para conseguir la fabricación de gran escala y alta precisión de productos y unas instalaciones flexibles y polivalentes que garanticen una transferencia eficiente de los conocimientos a la innovación industrial.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:08";"664169" +"H2020-EU.2.1.2.5.";"fr";"H2020-EU.2.1.2.5.";"";"";"Mettre au point et standardiser des techniques, des méthodes de mesure et des équipements permettant une extension des capacités";"Capacity-enhancing techniques, measuring methods and equipment";"

Mettre au point et standardiser des techniques, des méthodes de mesure et des équipements permettant une extension des capacités

Mettre l'accent sur les technologies de soutien qui sous-tendent le développement et la mise sur le marché de nanomatériaux et de nanosystèmes complexes et sûrs.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:12";"664171" +"H2020-EU.3.6.2.";"es";"H2020-EU.3.6.2.";"";"";"Sociedades innovadoras";"Innovative societies";"

Sociedades innovadoras

El objetivo es estimular el desarrollo de sociedades y políticas innovadoras en Europa a través del compromiso de los ciudadanos, las organizaciones de la sociedad civil, las empresas y los usuarios con la investigación y la innovación y el fomento de unas políticas de investigación e innovación coordinadas en el contexto de la mundialización y de la necesidad de promover las normas éticas más elevadas. Se prestará especial apoyo al desarrollo del EEI y a la elaboración de unas condiciones marco para la innovación.El conocimiento cultural y social es una fuente importante de creatividad e innovación, incluida la innovación empresarial, del sector público y social. En muchos casos, las innovaciones sociales y orientadas al usuario preceden también al desarrollo de tecnologías, servicios y procesos económicos innovadores. Las industrias creativas son un recurso fundamental para afrontar los retos de la sociedad y para la competitividad. Dado que las interrelaciones entre la innovación social y la tecnológica son complejas y rara vez lineales, es necesario investigar más a fondo, en especial mediante la investigación intersectorial y multidisciplinar, el desarrollo de todos los tipos de innovación, y financiar actividades para favorecer su desarrollo efectivo en el futuro.Las actividades perseguirán los siguientes objetivos específicos:(a) reforzar la información basada en pruebas y el apoyo a la iniciativa emblemática ""Unión por la innovación"" y al EEI; (b) explorar nuevas formas de innovación, con insistencia particular en la innovación y la creatividad sociales, y entender el modo en que todas las formas de innovación se desarrollan, consiguen sus fines o fracasan; (c) aprovechar el potencial innovador, creativo y productivo de todas las generaciones; (d) promover una cooperación coherente y eficaz con terceros países. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:50";"664447" +"H2020-EU.2.3.1.";"fr";"H2020-EU.2.3.1.";"";"";"Intégrer à tous les niveaux la question du soutien aux PME en particulier par l'intermédiaire d'un instrument spécifique";"Mainstreaming SME support";"

Intégrer à tous les niveaux la question du soutien aux PME en particulier par l'intermédiaire d'un instrument spécifique

Les PME sont soutenues à tous les niveaux d'Horizon 2020. À cette fin, des conditions plus favorables pour les PME sont mises en place, qui facilitent leur participation à la stratégie Horizon 2020. En outre, un instrument dédié aux PME fournit un soutien graduel et cohérent couvrant l'intégralité du cycle de l'innovation. Cet instrument cible tous les types de PME innovantes démontrant une forte ambition de se développer, de croître et de s'internationaliser. Il est disponible pour tous les types d'innovation, y compris les innovations à caractère non technologique et à caractère social et les innovations dans le domaine des services, étant donné que chaque activité apporte une valeur ajoutée européenne manifeste. L'objectif est de développer le potentiel d'innovation des PME et de capitaliser sur ce dernier, en comblant les lacunes en matière de financement qui affectent les activités de recherche et d'innovation à haut risque entreprises en phase initiale, en stimulant les innovations et en accélérant la commercialisation des résultats de la recherche par le secteur privé.L'instrument fonctionnera dans le cadre d'un système unique de gestion centralisée et d'un régime administratif allégé et selon le principe du guichet unique. Il sera essentiellement mis en œuvre selon une logique ascendante via un appel à propositions ouvert permanent.L'ensemble des objectifs spécifiques de la priorité «Défis de société», et l'objectif spécifique «Primauté dans le domaine des technologies génériques et industrielles» utiliseront l'instrument dédié aux PME et affecteront un budget à son financement.";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:51";"664225" +"H2020-EU.2.1.2.3.";"it";"H2020-EU.2.1.2.3.";"";"";"Sviluppare la dimensione sociale delle nanotecnologie";"Societal dimension of nanotechnology";"

Sviluppare la dimensione sociale delle nanotecnologie

Focusing on governance of nanotechnology for societal and environmental benefit.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:05";"664167" +"H2020-EU.2.1.2.1.";"de";"H2020-EU.2.1.2.1.";"";"";"Entwicklung von Nanowerkstoffen, Nanogeräten und Nanosystemen der nächsten Generation";"Next generation nanomaterials, nanodevices and nanosystems";"

Entwicklung von Nanowerkstoffen, Nanogeräten und Nanosystemen der nächsten Generation

Ziel sind grundlegend neue Produkte, die tragfähige Lösungen in einem breiten Spektrum von Sektoren ermöglichen.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:40:58";"664163" +"H2020-EU.1.4.2.";"es";"H2020-EU.1.4.2.";"";"";"Fomentar el potencial innovador de las infraestructuras de investigación y sus recursos humanos";"Research infrastructures and their human resources";"

Fomentar el potencial innovador de las infraestructuras de investigación y sus recursos humanos

El objetivo será instar a las infraestructuras de investigación a actuar como pioneras en la adopción o el desarrollo de tecnología punta, fomentar asociaciones de I+D con la industria, facilitar el uso industrial de las infraestructuras de investigación y estimular la creación de agrupaciones de innovación. Esta actividad también apoyará la formación y/o el intercambio del personal que gestiona y explota las infraestructuras de investigación.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:01";"664131" +"H2020-EU.1.4.2.";"de";"H2020-EU.1.4.2.";"";"";"Steigerung des Innovationspotenzials der Forschungsinfrastrukturen und ihrer Humanressourcen";"Research infrastructures and their human resources";"

Steigerung des Innovationspotenzials der Forschungsinfrastrukturen und ihrer Humanressourcen

Ziel ist es, Forschungsinfrastrukturen dazu zu ermuntern, Spitzentechnologien in einem frühen Stadium einzusetzen oder zu entwickeln, FuE-Partnerschaften mit der Industrie zu fördern, die industrielle Nutzung von Forschungsinfrastrukturen zu erleichtern und Anreize für die Schaffung von Innovationsclustern zu geben. Unterstützt werden auch Ausbildung bzw. der Austausch von Personal, das Forschungsinfrastrukturen leitet oder betreibt.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:01";"664131" +"H2020-EU.2.3.2.3.";"fr";"H2020-EU.2.3.2.3.";"";"";"Soutien à l'innovation axée sur le marché";"Supporting market-driven innovation";"

Soutien à l'innovation axée sur le marché

L'innovation axée sur le marché au niveau transnational est soutenue afin d'améliorer les conditions qui sous-tendent l'innovation, et les obstacles spécifiques qui empêchent en particulier la croissance des PME innovantes sont supprimés.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:43:05";"664233" +"H2020-EU.3.2.4.";"pl";"H2020-EU.3.2.4.";"";"";"Zrównoważone i konkurencyjne sektory bioprzemysłu oraz wspieranie rozwoju europejskiej biogospodarki";"Bio-based industries and supporting bio-economy";"

Zrównoważone i konkurencyjne sektory bioprzemysłu oraz wspieranie rozwoju europejskiej biogospodarki

Celem jest promowanie niskoemisyjnych, zasobooszczędnych, zrównoważonych i konkurencyjnych europejskich sektorów bioprzemysłu. Działania mają skupiać się na wspieraniu biogospodarki opartej na wiedzy poprzez przekształcenie konwencjonalnych produktów i procesów przemysłowych w zasobooszczędne i energooszczędne bioprodukty i bioprocesy, rozwój zintegrowanych biorafinerii drugiej i kolejnych generacji, optymalizację wykorzystania biomasy z produkcji podstawowej, w tym pozostałości, bioodpadów i produktów ubocznych bioprzemysłu, a także otwarcie nowych rynków poprzez wspieranie systemów normalizacji i certyfikacji, a także działań w zakresie regulacji i demonstracji/prób terenowych i, z uwzględnieniem wpływu biogospodarki na użytkowanie gruntów i zmiany sposobu ich użytkowania, a także poglądów i wątpliwości społeczeństwa obywatelskiego.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:26";"664309" +"H2020-EU.3.6.2.";"fr";"H2020-EU.3.6.2.";"";"";"Des sociétés novatrices";"Innovative societies";"

Des sociétés novatrices

L'objectif est de favoriser le développement de sociétés et de politiques novatrices en Europe, grâce à l'implication des citoyens, des organisations de la société civile, des entreprises et des utilisateurs dans les activités de recherche et d'innovation et à la promotion de politiques coordonnées en matière de recherche et d'innovation dans le contexte de la mondialisation et compte tenu de la nécessité de promouvoir les normes éthiques les plus élevées. Un soutien particulier sera accordé à la mise en place de l'Espace européen de la recherche et à l'amélioration des conditions d'encadrement de l'innovation.Les connaissances culturelles et sociétales constituent une source majeure de créativité et d'innovation, y compris l'innovation des entreprises et du secteur public et l'innovation sociale. Dans de nombreux cas, les innovations sociales et induites par les utilisateurs précèdent également l'élaboration de technologies, de services et de processus économiques innovants. Les industries créatives sont une ressource majeure pour relever les défis de société et pour stimuler la compétitivité. Les interdépendances entre l'innovation sociale et l'innovation technologique étant complexes et rarement linéaires, il est nécessaire de poursuivre les recherches, y compris les recherches transsectorielles et pluridisciplinaires, sur la mise au point de tous les types d'innovation et d'activités financés pour encourager leur développement effectif à l'avenir.Les activités visent à:(a) renforcer la base factuelle et les mesures de soutien à l'initiative phare «L'Union de l'innovation» et à l'Espace européen de la recherche; (b) explorer de nouvelles formes d'innovation, en mettant particulièrement l'accent sur l'innovation sociale et la créativité, et à comprendre comment toutes les formes d'innovation sont élaborées et comment elles se soldent par un succès ou par un échec; (c) utiliser le potentiel d'innovation, de créativité et de production de toutes les générations;(d) promouvoir une coopération cohérente et efficace avec les pays tiers. ";"";"H2020";"H2020-EU.3.6.";"";"";"2014-09-22 20:49:50";"664447" +"H2020-EU.2.3.1.";"it";"H2020-EU.2.3.1.";"";"";"Razionalizzazione del sostegno alle PMI in particolare attraverso un apposito strumento";"Mainstreaming SME support";"

Razionalizzazione del sostegno alle PMI in particolare attraverso un apposito strumento

Le PMI beneficiano di sostegno nel quadro di Orizzonte 2020 nel suo complesso. A tal fine sono create migliori condizioni per la partecipazione delle PMI a Orizzonte 2020. Inoltre, un apposito strumento per le PMI fornisce sostegno a fasi e senza soluzione di continuità per coprire l'intero ciclo dell'innovazione. Lo strumento per le PMI è rivolto a tutti i tipi di PMI innovative che presentano una forte volontà di sviluppo, crescita e internazionalizzazione. È messo a disposizione per tutti i tipi d'innovazione, compresa l'innovazione sociale, di servizio e non tecnologica, posto che ciascuna attività abbia un chiaro valore aggiunto europeo. Lo scopo è sviluppare e sfruttare il potenziale innovativo delle PMI colmando le lacune nel finanziamento della fase iniziale ad alto rischio della ricerca e dell'innovazione, stimolando le innovazioni e incrementando la commercializzazione dei risultati della ricerca da parte del settore privato.Lo strumento sarà gestito nell'ambito di un unico sistema di gestione centralizzato, caratterizzato da un regime amministrativo snello e con un unico punto di contatto. Esso è attuato principalmente con un approccio ascendente attraverso un invito aperto in modo continuativo.Tutti gli obiettivi specifici della priorità ""Sfide per la società"" e l'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" applicheranno l'apposito strumento per le PMI, assegnandovi un importo.";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:51";"664225" +"H2020-EU.1.4.1.";"pl";"H2020-EU.1.4.1.";"";"";"Rozwijanie europejskiej infrastruktury badawczej na miarę 2020 r. i dalszej przyszłości";"Research infrastructures for 2020 and beyond";"

Rozwijanie europejskiej infrastruktury badawczej na miarę 2020 r. i dalszej przyszłości

Celem jest ułatwianie i wspieranie działań związanych z: (1) przygotowaniem, wdrożeniem i wykorzystaniem ESFRI oraz innych rodzajów światowej klasy infrastruktury badawczej, w tym rozwoju regionalnych obiektów partnerskich tam, gdzie istnieje znaczna wartość dodana interwencji unijnej; (2) integracją i zapewnieniem ponadnarodowego dostępu do krajowej i regionalnej infrastruktury badawczej o znaczeniu europejskim, aby naukowcy europejscy mogli z niej korzystać – niezależnie od umiejscowienia – do prowadzenia badań naukowych na najwyższym poziomie; (3) rozwijaniem, wdrażaniem i eksploatacją e-infrastruktury w celu zapewnienia najlepszych na świecie możliwości w zakresie łączenia w sieć, zdolności obliczeniowych oraz danych naukowych.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:39:46";"664123" +"H2020-EU.2.3.2.1.";"de";"H2020-EU.2.3.2.1.";"";"";"Unterstützung forschungsintensiver KMU";"Support for research intensive SMEs";"

Unterstützung forschungsintensiver KMU

Ziel ist die Förderung transnationaler marktorientierter Innovation durch KMU, die auf dem Gebiet der FuE tätig sind. Eine Maßnahme richtet sich speziell an forschungsintensive KMU in allen Sektoren, die erkennbar die Fähigkeit haben, die Projektergebnisse kommerziell zu nutzen. Die Maßnahme wird auf dem Eurostars-Programm aufbauen.";"";"H2020";"H2020-EU.2.3.2.";"";"";"2014-09-22 20:42:58";"664229" +"H2020-EU.1.4.1.";"de";"H2020-EU.1.4.1.";"";"";"Ausbau der europäischen Forschungsinfrastrukturen bis 2020 und darüber hinaus";"Research infrastructures for 2020 and beyond";"

Ausbau der europäischen Forschungsinfrastrukturen bis 2020 und darüber hinaus

Ziel ist die Begünstigung und Unterstützung von Maßnahmen im Zusammenhang mit: (1) Konzeption, Verwirklichung und Betrieb des ESFRI und anderer Forschungsinfrastrukturen von Weltrang, einschließlich des Aufbaus regionaler Partnereinrichtungen in Fällen, in denen mit dem Unionsbeitrag ein erheblicher Zusatznutzen verbunden ist; (2) Integration nationaler und regionaler Forschungsinfrastrukturen von europäischem Interesse und Eröffnung des transnationalen Zugangs zu diesen, so dass sie von den europäischen Wissenschaftlern – ungeachtet ihres Standorts – für die Spitzenforschung genutzt werden können; (3) Entwicklung, Aufbau und Betrieb von e-Infrastrukturen, um weltweit eine Führungsrolle in den Bereichen Vernetzung, EDV und wissenschaftliche Daten einzunehmen.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:39:46";"664123" +"H2020-EU.2.2.2.";"fr";"H2020-EU.2.2.2.";"";"";"Le mécanisme de fonds propres permettant le financement par les fonds propres des activités de recherche et d'innovation: «Instruments de fonds propres de l'Union pour la recherche et l'innovation»";"Equity facility";"

Le mécanisme de fonds propres permettant le financement par les fonds propres des activités de recherche et d'innovation: «Instruments de fonds propres de l'Union pour la recherche et l'innovation»

L'objectif est d'aider à surmonter les lacunes du marché européen du capital-risque et de fournir des fonds propres ou quasi-fonds propres pour couvrir les besoins de développement et de financement des entreprises innovantes, de la phase d'amorçage à celle de la croissance et de l'expansion. Il convient de soutenir en priorité les objectifs d'Horizon 2020 et des politiques connexes.Il convient, dans la mesure du possible, de cibler comme bénéficiaires finaux les entreprises de toutes tailles qui mènent des activités d'innovation ou qui s'engagent dans cette voie, en mettant particulièrement l'accent sur les PME et entreprises de taille intermédiaire innovantes.Le mécanisme de fonds propres se concentrera sur les fonds de capital-risque de départ et les fonds de fonds qui fournissent du capital-risque et des quasi-fonds propres (dont du capital mezzanine) à des entreprises individuelles. Il aura également la possibilité de réaliser des investissements en phase d'expansion et de croissance, en combinaison avec le mécanisme EFG (Equity Facility for Growth) relevant de COSME, afin de garantir un soutien continu durant les phases de démarrage et de développement des entreprises.Le mécanisme de fonds propres, qui sera essentiellement axé sur la demande, se fonde sur une approche par portefeuilles, au titre de laquelle les fonds de capital-risque et autres intermédiaires comparables sélectionnent les entreprises dans lesquelles investir.Des crédits peuvent être affectés à la réalisation de certains objectifs stratégiques, compte tenu de l'expérience positive qu'a constituée l'affectation de crédits à l'éco-innovation dans le cadre du programme-cadre pour l'innovation et la compétitivité (2007-2013), par exemple pour la réalisation d'objectifs liés aux défis de société recensés.Le volet «Démarrage», qui apporte un soutien en phase d'amorçage et en phase initiale, permet des investissements en fonds propres dans, notamment, les organismes chargés de diffuser les connaissances et dans des organismes analogues en soutenant les transferts de technologies (y compris le transfert vers le secteur productif des résultats de la recherche et des inventions procédant de la recherche publique, par exemple via la validation de concepts), les fonds de capital d'amorçage, les fonds d'amorçage et de départ transfrontières, les montages de co-investissement providentiel («business angels»), les actifs de propriété intellectuelle, les plateformes d'échange de droits de propriété intellectuelle et les fonds de capital-risque de départ, ainsi que les fonds de fonds opérant au niveau transfrontière et investissant dans des fonds de capital-risque. Dans ce cadre, l'instrument dédié aux PME pourrait aussi apporter une aide à la phase 3, en fonction du niveau de la demande.Le volet «Croissance» réalise des investissements en phase d'expansion et de croissance, en combinaison avec la facilité «capital-risque» pour la croissance relevant de COSME, et notamment des investissements dans des fonds de fonds du secteur public ou privé aux activités transfrontières qui investissent dans des fonds de capital-risque, dont la plupart se concentrent sur une thématique qui soutient les objectifs de la stratégie Europe 2020.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:43";"664221" +"H2020-EU.3.2.4.";"de";"H2020-EU.3.2.4.";"";"";"Nachhaltige und wettbewerbsfähige biobasierte Industriezweige und Förderung der Entwicklung einer europäischen Biowirtschaft ";"Bio-based industries and supporting bio-economy";"

Nachhaltige und wettbewerbsfähige biobasierte Industriezweige und Förderung der Entwicklung einer europäischen Biowirtschaft

Ziel ist die Förderung ressourcenschonender, nachhaltiger und wettbewerbsfähiger europäischer biobasierter Industriezweige mit niedrigem CO2-Ausstoß. Schwerpunkt der Tätigkeiten ist die Förderung der wissensgestützten Biowirtschaft durch Umwandlung herkömmlicher Industrieverfahren und -produkte in biobasierte ressourcenschonende und energieeffiziente Verfahren und Produkte, der Aufbau integrierter Bioraffinerien der zweiten und nachfolgenden Generation, die möglichst optimale Nutzung der Biomasse aus der Primärproduktion sowie der Reststoffe, des Bioabfalls und der Nebenprodukte der biobasierten Industrie und die Öffnung neuer Märkte durch Unterstützung von Normungs- und Zertifizierungssystemen sowie von regulatorischen und Demonstrationstätigkeiten und von Feldversuchen bei gleichzeitiger Berücksichtigung der Auswirkungen der Biowirtschaft auf die (veränderte) Bodennutzung sowie der Ansichten und Bedenken der Zivilgesellschaft.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:45:26";"664309" +"H2020-EU.2.2.2.";"it";"H2020-EU.2.2.2.";"";"";"Lo strumento di capitale proprio che fornisce finanziamenti in ambito R&I: ""Strumenti di capitale dell'Unione per la ricerca e l'innovazione""";"Equity facility";"

Lo strumento di capitale proprio che fornisce finanziamenti in ambito R&I: ""Strumenti di capitale dell'Unione per la ricerca e l'innovazione""

L'obiettivo è contribuire a superare le carenze del mercato europeo dei capitali di rischio e fornire capitale proprio o assimilabile al fine di finanziare lo sviluppo e il fabbisogno di finanziamento delle imprese innovatrici dalla fase di avvio fino alla crescita e all'espansione. L'accento è posto sul sostegno degli obiettivi di Orizzonte 2020 e delle politiche afferenti.I beneficiari finali sono potenzialmente le imprese di tutte le dimensioni che esercitano o avviano attività di innovazione, con particolare attenzione per le PMI e le mid-caps innovative.Lo strumento di capitale proprio sarà incentrata su fondi e fondi di fondi di capitale di rischio di prima fase mirati a fornire capitali di rischio e quasi-equity, compreso il finanziamento ""mezzanino"", a singole imprese portafoglio. Lo strumento avrà inoltre la possibilità di effettuare investimenti in fase di espansione e di crescita congiuntamente allo strumento di capitale proprio per la crescita del COSME, al fine di garantire un sostegno continuo durante le fasi di avviamento e sviluppo delle imprese.Lo strumento di capitale proprio, principalmente basato sulla domanda, si avvale di un approccio di portafoglio, nel quale i fondi di capitale di rischio e altri intermediari analoghi scelgono le imprese nelle quali investire.È possibile destinare una parte dei fondi per contribuire a raggiungere obiettivi politici specifici, basandosi sull'esperienza positiva nell'ambito del programma quadro per la competitività e l'innovazione (2007-2013) con destinazione specifica per l'ecoinnovazione, ad esempio per conseguire obiettivi relativi alle sfide per la società individuate.La sezione di avviamento, a sostegno della costituzione e delle fasi iniziali, consente tra l'altro investimenti azionari in organizzazioni di trasferimento delle conoscenze e organismi simili attraverso il sostegno al trasferimento di tecnologie (compreso il trasferimento di risultati di ricerca e invenzioni derivanti dalla sfera della ricerca pubblica per il settore produttivo, ad esempio mediante prova di concetto), strumenti di capitale di avviamento, fondi di capitale transfrontalieri per l'avviamento e le fasi iniziali, veicoli di coinvestimento ""business angel"", attivi da proprietà intellettuale, piattaforme per lo scambio dei diritti di proprietà intellettuale e fondi e fondi-di-fondi di capitale di rischio iniziale che operano a livello transfrontaliero e su investimenti in fondi di capitale di rischio. Ciò potrebbe includere il sostegno alla fase 3 dello strumento per le PMI subordinatamente al livello della domanda.La sezione di crescita effettua investimenti in fase espansiva e di crescita congiuntamente allo strumento di capitale proprio per la crescita del COSME, compresi gli investimenti nei fondi-di-fondi del settore pubblico e privato che operano a livello transfrontaliero e su investimenti in fondi di capitali di rischio, la maggior parte dei quali ha un oggetto tematico a sostegno degli obiettivi della strategia Europa 2020.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:43";"664221" +"H2020-EU.2.3.1.";"de";"H2020-EU.2.3.1.";"";"";"Durchgehende Berücksichtigung der KMU insbesondere durch ein spezifisches Instrument";"Mainstreaming SME support";"

Durchgehende Berücksichtigung der KMU insbesondere durch ein spezifisches Instrument

KMU werden im Rahmen von Horizont 2020 bereichsübergreifend unterstützt Deshalb werden KMU bessere Bedingungen für die Teilnahme an Horizont 2020 erhalten. Zudem bietet ein eigenes KMU-Instrument eine abgestufte und nahtlose Unterstützung über den gesamten Innovationszyklus hinweg. Das KMU-Instrument richtet sich an alle Arten innovativer KMU, die deutlich und erkennbar das Ziel verfolgen, sich zu entwickeln, zu wachsen und international tätig zu werden. Es ist für alle Arten von Innovationen gedacht, auch für Dienstleistungen, nichttechnologische und soziale Innovationen, sofern jede Tätigkeit mit einem eindeutigen europäischen Mehrwert verbunden ist. Angestrebt werden Ausbau und Nutzung des Innovationspotenzials von KMU durch Überbrückung der Förderlücke bei hoch riskanter Forschung und Innovation in der Anfangsphase und durch Anreize für bahnbrechende Innovationen und die Stärkung der Vermarktung von Forschungsergebnissen durch den Privatsektor.Das Instrument erhält ein einheitliches zentralisiertes Managementsystem mit geringem Verwaltungsaufwand und einer einzigen Anlaufstelle. Es wird überwiegend nach einem Bottom-up-Ansatz über eine zeitlich unbefristete Ausschreibung durchgeführt.Bei allen Einzelzielen des Schwerpunkts ""Gesellschaftliche Herausforderungen"" und das Einzelziel ""Führenden Rolle bei grundlegenden und industriellen Technologien"" findet das KMU-Instrument Anwendung und erhält eine eigene Mittelzuweisung.";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:51";"664225" +"H2020-EU.2.2.";"fr";"H2020-EU.2.2.";"";"";"PRIMAUTÉ INDUSTRIELLE - Accès au financement à risque";"Access to risk finance";"

PRIMAUTÉ INDUSTRIELLE - Accès au financement à risque

Objectif spécifique

L'objectif spécifique est de contribuer à pallier les déficiences du marché sur le plan de l'accès au financement à risque à des fins de recherche et d'innovation.La situation relative aux investissements dans le domaine de la recherche et de l'innovation est désastreuse, notamment pour les PME et les entreprises de taille intermédiaire innovantes disposant d'un potentiel de croissance élevé. Le marché présente plusieurs lacunes importantes sur le plan de l'accès au financement, car les innovations qui permettraient d'atteindre les objectifs stratégiques se révèlent souvent trop risquées pour qu'il puisse les soutenir et, dès lors, la société n'en retire pas tous les avantages possibles.La création d'un mécanisme d'emprunt et d'un mécanisme de fonds propres contribuera à surmonter ces difficultés en améliorant le profil de financement et le profil de risque des activités de recherche et d'innovation concernées, ce qui, par voie de conséquence, permettra aux entreprises et aux autres bénéficiaires d'accéder plus facilement à l'emprunt, aux garanties et aux autres formes de financement à risque; encouragera l'investissement en phase de démarrage et le développement des fonds de capital-risque existants et nouveaux; améliorera le transfert de connaissances et le fonctionnement du marché de la propriété intellectuelle; renforcera l'attractivité du marché du capital-risque; et, dans l'ensemble, aidera à passer du stade de la conception, du développement et de la démonstration de nouveaux produits et services à celui de la commercialisation.Dans l'ensemble, cela encouragera le secteur privé à investir dans la recherche et l'innovation et, partant, contribuera à la réalisation d'un objectif clé de la stratégie Europe 2020: assurer, d'ici la fin de la décennie, des investissements dans la recherche et le développement à hauteur de 3 % du PIB de l'Union, dont deux tiers issus du secteur privé. Le recours aux instruments financiers contribuera également à réaliser les objectifs fixés en matière de recherche et d'innovation pour tous les secteurs et les domaines stratégiques qui jouent un rôle fondamental en vue de relever les défis de société, de renforcer la compétitivité, de promouvoir une croissance durable et inclusive et de soutenir la fourniture de biens environnementaux et autres biens publics.

Justification et valeur ajoutée de l'Union

Un mécanisme d'emprunt à l'échelle de l'Union pour les activités de recherche et d'innovation se révèle indispensable pour accroître la probabilité que des emprunts et des garanties soient accordés et que les objectifs stratégiques en matière de recherche et d'innovation soient réalisés. L'écart qui existe actuellement sur le marché entre l'offre et la demande d'emprunts et de garanties destinés à couvrir des investissements à risque dans le domaine de la recherche et de l'innovation, que cherche à combler l'actuel mécanisme de financement avec partage des risques (MFPR), devrait persister, les banques commerciales restant largement absentes du secteur des prêts à haut risque. Depuis son lancement à la mi-2007, le MFPR a reçu de nombreuses demandes de financement par l'emprunt: durant sa première phase d'activité (2007-2010), le volume d'emprunts contractés a dépassé de plus de 50 % les prévisions initiales en termes d'approbations d'emprunts en cours (7,6 milliards d'EUR, contre 5 milliards d'EUR prévus initialement).Par ailleurs, les banques ne sont généralement pas en mesure d'apprécier la valeur du capital de connaissances, tel que la propriété intellectuelle, et sont ainsi souvent réticentes à investir dans des entreprises du secteur de la connaissance. Il s'ensuit que de nombreuses entreprises innovantes établies, qu'elles soient de grande ou de petite taille, ne parviennent pas à emprunter pour financer des activités de recherche et d'innovation à haut risque. Pour le travail de conception et de mise en œuvre de son ou de ses mécanismes, qui sera mené en partenariat avec une ou plusieurs des entités qui seront chargées de l'exécution conformément au règlement (UE, Euratom) no 966/2012, la Commission veillera à ce que soient correctement pris en compte les niveaux et types de risques technologiques et financiers, afin de répondre aux besoins recensés.Ces lacunes au niveau du marché proviennent à l'origine d'incertitudes, d'asymétries sur le plan de l'information et du coût élevé des démarches visant à y remédier: les entreprises de création récente n'ont pas suffisamment fait leurs preuves pour convaincre les bailleurs de fonds potentiels, et même les entreprises de création plus ancienne ne sont souvent pas à même de fournir suffisamment d'informations. Rien ne permet par ailleurs de garantir, lorsqu'un investissement est consenti pour des activités de recherche et d'innovation, que les efforts réalisés déboucheront effectivement sur une innovation porteuse.Qui plus est, les entreprises qui en sont au stade de l'élaboration du concept ou qui sont actives dans des secteurs émergents ne disposent généralement pas de garanties suffisantes. Autre élément dissuasif: même si les activités de recherche et d'innovation donnent naissance à un produit ou à un processus commercialisable, il n'est absolument pas certain que l'entreprise qui a porté l'ensemble du projet sera le bénéficiaire exclusif des avantages qui en découlent.Pour ce qui est de la valeur ajoutée de l'Union, un mécanisme d'emprunt contribuera à pallier les déficiences du marché qui empêchent le secteur privé d'investir de manière optimale dans la recherche et l'innovation. La mise en œuvre de ce mécanisme permettra de réunir une masse critique de ressources provenant du budget de l'Union et, selon un principe de partage des risques, de la ou des institutions financières chargées de sa mise en œuvre. Elle incitera les entreprises à investir davantage de fonds propres dans des activités de recherche et d'innovation qu'elles ne l'auraient fait en l'absence de ce mécanisme. En outre, le mécanisme d'emprunt aidera les organisations, tant publiques que privées, à limiter les risques inhérents à l'achat public avant commercialisation ou aux marchés publics de produits et de services innovants.Un mécanisme de fonds propres à l'échelle de l'Union pour les activités de recherche et d'innovation est nécessaire pour permettre aux entreprises de financer plus facilement sur fonds propres leurs investissements en phase initiale et en phase de croissance et pour stimuler la croissance du marché européen du capital-risque. Lors de la phase de transfert de technologie et de démarrage, les nouvelles entreprises entrent dans une «vallée de la mort» où elles ne peuvent plus bénéficier de subventions publiques de recherche et ne peuvent pas encore attirer les investissements privés. Les aides publiques permettant de lever des fonds privés d'amorçage et de démarrage pour combler cette lacune sont encore trop fragmentées et intermittentes, ou leur gestion manque encore de savoir-faire. Par ailleurs, la plupart des fonds de capital-risque ne disposent pas, en Europe, de la taille suffisante pour financer durablement la croissance des entreprises innovantes et de la masse critique pour se spécialiser et opérer à un niveau transnational.Cette situation est lourde de conséquences. Avant la crise financière, les sommes investies dans les PME par les fonds européens de capital-risque atteignaient environ 7 milliards d'EUR annuellement. Pour 2009 et 2010, ces chiffres se situaient entre 3 et 4 milliards d'EUR. Cette baisse a eu une incidence sur le nombre de jeunes entreprises ciblées par les fonds de capital-risque: en 2007, quelque 3 000 PME avaient bénéficié de tels fonds; en 2010, elles n'étaient que 2 500 environ.Pour ce qui est de la valeur ajoutée de l'Union, le mécanisme de fonds propres pour les activités de recherche et d'innovation complétera les régimes nationaux et régionaux qui ne peuvent prendre en charge des investissements transfrontières dans ce domaine. Les accords conclus en phase initiale auront également un rôle d'exemple susceptible de bénéficier aux investisseurs publics et privés au sein de l'Union. Pour la phase de croissance, seul le niveau européen permet d'atteindre la masse critique requise et d'entraîner une forte participation des investisseurs privés, qui sont indispensables au fonctionnement d'un marché du capital-risque autonome.Les mécanismes d'emprunt et de fonds propres, qui s'appuient sur une série de mesures d'accompagnement, soutiendront la réalisation des objectifs stratégiques d'Horizon 2020. À cette fin, ils s'emploieront à consolider la base scientifique de l'Europe et à en augmenter la qualité; à promouvoir la recherche et l'innovation centrées sur les entreprises et à relever les défis de société, en mettant l'accent sur des activités telles que les projets pilotes, la démonstration, les bancs d'essai et la commercialisation. Il convient de fournir des actions spécifiques de soutien telles que des activités d'information et de parrainage pour les PME. Les autorités régionales, les associations de PME, les chambres de commerce et les intermédiaires financiers concernés pourraient être consultés, le cas échéant, dans le cadre de la programmation et de la mise en œuvre de ces activités.En outre, ils contribueront à la réalisation des objectifs en matière de recherche et d'innovation relevant d'autres programmes et d'autres domaines stratégiques, tels que la politique agricole commune, les mesures liées au climat (transition vers une économie à faibles émissions de carbone et adaptation au changement climatique) et la politique commune de la pêche. Des complémentarités avec les instruments financiers nationaux et régionaux seront développées dans le contexte du cadre stratégique commun de la politique de cohésion 2014-2020, qui prévoit un rôle accru pour les instruments financiers.La conception des mécanismes d'emprunt et de fonds propres intègre la nécessité de prendre en considération les lacunes spécifiques au niveau du marché, les caractéristiques (telles que le degré de dynamisme et le taux de création d'entreprises) et les exigences en matière de financement propres à ces domaines et à d'autres, sans créer de distorsion du marché. Le recours aux instruments financiers doit se justifier par une valeur ajoutée européenne évidente; ils devraient produire des effets de levier et compléter les instruments nationaux. La répartition de l'enveloppe budgétaire entre les différents instruments peut être adaptée au cours du programme-cadre en réaction à l'évolution de l'environnement économique.Le mécanisme de fonds propres et le volet «PME» du mécanisme d'emprunt seront mis en œuvre dans le cadre de deux instruments financiers de l'Union qui fournissent des fonds propres et des prêts pour soutenir les activités de recherche et d'innovation et la croissance des PME, en combinaison avec les mécanismes de fonds propres et d'emprunt relevant de COSME. Il faudra veiller à ce qu'Horizon 2020 et COSME soient complémentaires. Il faudra veiller à ce qu'Horizon 2020 et COSME soient complémentaires.

Grandes lignes des activités

(a) Le mécanisme d'emprunt permettant le financement par l'emprunt des activités de recherche et d'innovation: «Service de prêt et de garantie de l'Union pour la recherche et l'innovation»

L'objectif est d'améliorer l'accès au financement par l'emprunt – prêts, garanties, contre-garanties et autres formes de financement par l'emprunt et de financement à risque – pour les entités publiques et privées et les partenariats public-privé menant des activités de recherche et d'innovation qui, pour porter leurs fruits, nécessitent des investissements à risque. L'accent est mis sur le soutien aux activités de recherche et d'innovation disposant d'un potentiel élevé d'excellence.Étant donné que l'un des objectifs d'Horizon 2020 est de contribuer à combler le fossé entre, d'une part, les activités de recherche et de développement et, d'autre part, l'innovation, en favorisant la mise sur le marché de produits et de services nouveaux ou améliorés et en tenant compte du rôle déterminant de la phase de validation des concepts dans le processus de transfert de connaissances, des mécanismes nécessaires au financement des phases de validation des concepts peuvent être introduits afin de confirmer l'importance, la pertinence et l'impact futur en termes d'innovation des résultats des recherches ou d'inventions faisant l'objet du transfert.Il convient, dans la mesure du possible, de cibler comme bénéficiaires finaux les entités juridiques de toutes tailles capables de rembourser les fonds empruntés, et notamment les PME disposant d'un potentiel d'innovation et de croissance rapide, les entreprises de taille intermédiaire et les grandes entreprises, les universités et les institutions de recherche les universités et instituts de recherche, les infrastructures de recherche et infrastructures d'innovation, partenariats public-privé; et les entités ou projets à vocation spécifique.Le financement par le mécanisme d'emprunt repose sur deux grands axes:(1)la demande: les prêts et les garanties sont accordés selon le principe du «premier arrivé, premier servi», un soutien particulier étant apporté aux bénéficiaires tels que les PME et les entreprises de taille intermédiaire. Cet axe doit permettre de faire face à l'augmentation constante et continue du volume de prêts accordés par le mécanisme de financement avec partage des risques, qui repose sur la demande. Le volet «PME» soutient les activités visant à améliorer l'accès au financement des PME et d'autres entités axées sur la recherche et le développement et/ou l'innovation. Dans ce cadre, l'instrument dédié aux PME pourrait aussi apporter une aide à la phase 3, en fonction du niveau de la demande.(2)les priorités sont ciblés en priorité les politiques et les secteurs clés dont la contribution est fondamentale pour relever les défis de société, renforcer la primauté industrielle et la compétitivité, promouvoir une croissance durable, inclusive et à faibles émissions de carbone et assurer la fourniture de biens environnementaux et autres biens publics. Cet axe doit aider l'Union à prendre en charge les volets de ses objectifs de politique sectorielle ayant trait à la recherche et à l'innovation.

(b) Le mécanisme de fonds propres permettant le financement par les fonds propres des activités de recherche et d'innovation: «Instruments de fonds propres de l'Union pour la recherche et l'innovation»

L'objectif est d'aider à surmonter les lacunes du marché européen du capital-risque et de fournir des fonds propres ou quasi-fonds propres pour couvrir les besoins de développement et de financement des entreprises innovantes, de la phase d'amorçage à celle de la croissance et de l'expansion. Il convient de soutenir en priorité les objectifs d'Horizon 2020 et des politiques connexes.Il convient, dans la mesure du possible, de cibler comme bénéficiaires finaux les entreprises de toutes tailles qui mènent des activités d'innovation ou qui s'engagent dans cette voie, en mettant particulièrement l'accent sur les PME et entreprises de taille intermédiaire innovantes.Le mécanisme de fonds propres se concentrera sur les fonds de capital-risque de départ et les fonds de fonds qui fournissent du capital-risque et des quasi-fonds propres (dont du capital mezzanine) à des entreprises individuelles. Il aura également la possibilité de réaliser des investissements en phase d'expansion et de croissance, en combinaison avec le mécanisme EFG (Equity Facility for Growth) relevant de COSME, afin de garantir un soutien continu durant les phases de démarrage et de développement des entreprises.Le mécanisme de fonds propres, qui sera essentiellement axé sur la demande, se fonde sur une approche par portefeuilles, au titre de laquelle les fonds de capital-risque et autres intermédiaires comparables sélectionnent les entreprises dans lesquelles investir.Des crédits peuvent être affectés à la réalisation de certains objectifs stratégiques, compte tenu de l'expérience positive qu'a constituée l'affectation de crédits à l'éco-innovation dans le cadre du programme-cadre pour l'innovation et la compétitivité (2007-2013), par exemple pour la réalisation d'objectifs liés aux défis de société recensés.Le volet «Démarrage», qui apporte un soutien en phase d'amorçage et en phase initiale, permet des investissements en fonds propres dans, notamment, les organismes chargés de diffuser les connaissances et dans des organismes analogues en soutenant les transferts de technologies (y compris le transfert vers le secteur productif des résultats de la recherche et des inventions procédant de la recherche publique, par exemple via la validation de concepts), les fonds de capital d'amorçage, les fonds d'amorçage et de départ transfrontières, les montages de co-investissement providentiel («business angels»), les actifs de propriété intellectuelle, les plateformes d'échange de droits de propriété intellectuelle et les fonds de capital-risque de départ, ainsi que les fonds de fonds opérant au niveau transfrontière et investissant dans des fonds de capital-risque. Dans ce cadre, l'instrument dédié aux PME pourrait aussi apporter une aide à la phase 3, en fonction du niveau de la demande.Le volet «Croissance» réalise des investissements en phase d'expansion et de croissance, en combinaison avec la facilité «capital-risque» pour la croissance relevant de COSME, et notamment des investissements dans des fonds de fonds du secteur public ou privé aux activités transfrontières qui investissent dans des fonds de capital-risque, dont la plupart se concentrent sur une thématique qui soutient les objectifs de la stratégie Europe 2020.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:36";"664217" +"H2020-EU.2.2.";"de";"H2020-EU.2.2.";"";"";"FÜHRENDE ROLLE DER INDUSTRIE - Zugang zu Risikofinanzierung";"Access to risk finance";"

FÜHRENDE ROLLE DER INDUSTRIE - Zugang zu Risikofinanzierung

Einzelziel

Ziel ist die Unterstützung der Behebung von Marktdefiziten beim Zugang zur Risikofinanzierung für Forschung und Innovation.Die Situation bei den Investitionen in FuI ist vor allem bei innovativen KMU und Unternehmen mit mittlerer Kapitalausstattung, die über ein hohes Wachstumspotenzial verfügen, bedenklich. Der Markt weist hinsichtlich der Bereitstellung von Finanzmitteln zu große Defizite auf, um die Risiken, die mit den zur Erreichung der politischen Ziele notwendigen Innovationen verbunden sind, tragen zu können, weshalb die ganze Bandbreite der Vorteile der Gesellschaft nicht voll zugute kommt.Mit einer Fazilität für Kredite (""Kreditfazilität"") und einer Fazilität für Beteiligungskapital (""Beteiligungskapital-Fazilität"") lassen sich solche Probleme überwinden, indem das Finanzierungs- und das Risikoprofil der betreffenden FuI-Tätigkeiten verbessert wird. Dies erleichtert wiederum Unternehmen und anderen Zielgruppen den Zugang zu Darlehen, Garantien und anderen Formen der Risikofinanzierung, es fördert Anschubinvestitionen und den Ausbau bestehender bzw. Aufbau neuer Risikokapitalfonds, es verbessert den Wissenstransfer und den Markt für geistiges Eigentum, es lenkt Mittel auf den Risikokapitalmarkt und trägt insgesamt dazu bei, den Übergang von der Konzeption, Entwicklung und Demonstration neuer Produkte und Dienstleistungen zu ihrer Vermarktung zu erleichtern.Insgesamt wird die Bereitschaft des Privatsektors erhöht, in FuI zu investieren und damit zur Umsetzung eines der Hauptziele der Strategie Europa 2020 beizutragen, nämlich bis zum Ende des Jahrzehnts bei den Investitionen in FuE einen Anteil von 3 % des BIP der Union zu erreichen, wobei zwei Drittel vom Privatsektor aufgebracht werden Der Einsatz der Finanzierungsinstrumente wird darüber hinaus die FuI-Ziele aller Sektoren und Politikfelder unterstützen, die für die Bewältigung der gesellschaftlichen Herausforderungen, für die Stärkung der Wettbewerbsfähigkeit und für die Förderung eines nachhaltigen, integrativen Wachstums sowie die Bereitstellung von ökologischen und sonstigen öffentlichen Gütern entscheidend sind.

Begründung und Mehrwert für die Union

Eine Kreditfazilität für FuI auf Unionsebene ist notwendig, um die Vergabe von Darlehen und Garantien zu erleichtern und um die politischen Ziele für FuI zu erreichen. Es ist davon auszugehen, dass die derzeitige Marktlücke zwischen Nachfrage und Angebot bei Darlehen und Garantien für riskante FuI-Investitionen, die derzeit unter die Fazilität für Finanzierungen auf Risikoteilungsbasis (RSFF) fallen, angesichts der nach wie vor bestehenden Zurückhaltung der Handelsbanken bei der Vergabe von Darlehen mit höherem Risiko fortbestehen wird. Die Nachfrage nach RSFF-Darlehensfinanzierung ist seit Einrichtung der RSFF Mitte 2007 unverändert hoch; die aktive Genehmigung von Darlehen überstieg in der ersten Phase (2007-2010) mit 7,6 Mrd. EUR die ursprünglichen Erwartungen von 5 Mrd. EUR um über 50 %.Außerdem sind Banken in der Regel nicht in der Lage, Vermögen in Form von Wissen – etwa geistiges Eigentum – richtig einzuschätzen, und sie sind daher häufig nicht gewillt, in wissensorientierte Unternehmen zu investieren. In der Konsequenz werden vielen etablierten innovativen Unternehmen – großen wie kleinen – keine Darlehen für FuI-Tätigkeiten mit höherem Risiko gewährt. Die Kommission wird bei der Gestaltung und Umsetzung ihrer Fazilität(en), die in Partnerschaft mit einer oder mehreren betrauten Einrichtungen im Einklang mit der Verordnung (EU, Euratom) Nr. 966/2012 erfolgt, dafür Sorge tragen, dass technologische und finanzielle Risiken in Bezug auf Ausmaß und Formen angemessen berücksichtigt werden, damit die ermittelten Erfordernisse erfüllt werden.Diese Marktlücken sind im Grunde auf Unsicherheiten, Informationsasymmetrien und höhere Kosten zurückzuführen, die bei der Klärung dieser Fragen entstehen. Neu gegründete Unternehmen sind zu kurz im Geschäft, um den Ansprüchen potenzieller Geldgeber zu genügen, selbst etablierte Unternehmen können häufig nur unzureichende Informationen vorlegen und zu Beginn einer FuI-Investition ist überhaupt nicht sicher, ob die Anstrengungen tatsächlich zu einer erfolgreichen Innovation führen werden.Darüber hinaus fehlt es Unternehmen, deren Konzept noch in der Entwicklungsphase steckt oder die auf neu entstehenden Geschäftsfeldern tätig sind, in der Regel an Nebensicherheiten. Ein weiterer Hinderungsgrund besteht darin, dass, selbst wenn aus den FuI-Tätigkeiten ein kommerzielles Produkt oder Verfahren hervorgeht, es überhaupt nicht sicher ist, dass das Unternehmen, das die Anstrengungen unternommen hat, auch der alleinige Nutznießer sein wird.Im Hinblick auf den Mehrwert für die Union wird eine Kreditfazilität dazu beitragen, Marktdefizite zu beheben, die den Privatsektor davon abhalten, FuI-Investitionen in optimaler Höhe zu tätigen. Die Umsetzung dieser Fazilität ermöglicht die Bündelung einer kritischen Masse von Ressourcen aus dem Unionshaushalt und, auf Risikoteilungsbasis, der mit der Durchführung betrauten Finanzinstitute. So erhalten Unternehmen Anreize, einen höheren Anteil ihres eigenen Kapitals in FuI zu investieren, als sie es sonst getan hätten. Ferner hilft eine Kreditfazilität öffentlichen und privaten Organisationen, die Risiken der vorkommerziellen Auftragsvergabe oder der Auftragsvergabe für innovative Produkte und Dienstleistungen zu verringern.Eine Beteiligungskapital-Fazilität für FuI auf Unionsebene ist notwendig, um bei Investitionen im Früh- und Wachstumsstadium die Verfügbarkeit von Beteiligungsfinanzierungen zu verbessern und der Entwicklung des Risikokapitalmarkts der Union einen Schub zu geben. Während des Technologietransfers und der Gründungsphase stehen neue Unternehmen vor einer Durststrecke – die öffentliche Forschungsförderung läuft aus und private Finanzmittel sind noch nicht zu beschaffen. Die öffentliche Förderung der Mobilisierung von privatem Gründungs- und Startkapital, das diese Lücke schließt, ist zurzeit zu zersplittert und unregelmäßig oder wird nicht professionell genug gehandhabt. Ferner sind die meisten Risikokapitalfonds in Europa zu klein, um das anhaltende Wachstum innovativer Unternehmen zu fördern, und verfügen auch nicht über die kritische Masse, um sich zu spezialisieren und auf transnationaler Basis zu arbeiten.Die Folgen sind schwerwiegend. Vor der Finanzkrise lag der von europäischen Risikokapitalfonds in KMU investierte Betrag bei 7 Mrd. EUR pro Jahr, während die Zahlen für 2009 und 2010 sich im Bereich von 3 bis 4 Mrd. EUR bewegen. Die geringere Risikokapitalfinanzierung wirkt sich auf die Zahl der von den Risikokapitalfonds anvisierten Firmenneugründungen aus: 2007 erhielten etwa 3 000 KMU eine Risikokapitalfinanzierung, während 2010 die Zahl bei nur etwa 2 500 lag.Im Hinblick auf den Mehrwert für die Union wird die Beteiligungskapital-Fazilität für FuI nationale und regionale Systeme ergänzen, die sich nicht auf grenzüberschreitende FuI-Investitionen erstrecken. Die Anschubunterstützung wird auch einen Demonstrationseffekt haben, von dem öffentliche und private Investoren europaweit profitieren werden. In der Wachstumsphase ist es nur auf europäischer Ebene möglich, den notwendigen Umfang und eine massive Beteiligung privater Investoren zu erreichen, die für einen funktionierenden und selbsttragenden Risikokapitalmarkt unerlässlich sind.Die Kreditfazilität und die Beteiligungskapital-Fazilität unterstützen – zusammen mit flankierenden Maßnahmen – die politischen Ziele von Horizont 2020. Daher werden sie eingesetzt für die Konsolidierung und Steigerung der Qualität der europäischen Wissenschaftsbasis, die Förderung von Forschung und Innovation mit einer unternehmensorientierten Agenda und die Bewältigung gesellschaftlicher Herausforderungen mit einem Schwerpunkt auf Tätigkeiten wie Pilotprojekten, Demonstration, Testläufen und Vermarktung. Es sollten spezielle unterstützende Maßnahmen wie Informations- und Coachingangebote für KMU bereitgestellt werden. Regionale Behörden, KMU-Verbände, Handelskammern und einschlägige Finanzvermittler können gegebenenfalls in Bezug auf die Planung und Umsetzung dieser Tätigkeiten konsultiert werden.Darüber hinaus unterstützen sie die Erreichung der FuI-Ziele anderer Programme und Politikfelder, beispielsweise der Gemeinsamen Agrarpolitik, im Klimaschutz (Übergang zu einer Wirtschaft mit niedrigem CO2-Ausstoß und Anpassung an den Klimawandel) und der Gemeinsamen Fischereipolitik. Im Zusammenhang mit dem gemeinsamen strategischen Rahmen für die Kohäsionspolitik 2014 bis 2020, der eine größere Rolle für Finanzierungsinstrumente vorsieht, werden Ergänzungen zu den nationalen und regionalen Finanzierungsinstrumenten entwickelt.Die Konzeption der Kreditfazilität und der Beteiligungskapital-Fazilität berücksichtigt die Notwendigkeit, die jeweiligen Marktdefizite zu beheben, die Merkmale (etwa Grad der Dynamik und Gründungsrate von Unternehmen) sowie der Finanzierungsbedarf in diesem und in anderen Bereichen, ohne dass dadurch Marktstörungen verursacht werden. Der Einsatz der Finanzinstrumente muss mit einem eindeutigen europäischen Mehrwert verbunden sein, eine Hebelwirkung entfalten und in Ergänzung der nationalen Instrumente erfolgen. Mittelzuweisungen zwischen den Instrumenten können im Verlauf von Horizont 2020 entsprechend den veränderten ökonomischen Rahmenbedingungen angepasst werden.Die Beteiligungskapital-Fazilität und der KMU-Teil der Kreditfazilität werden als Teil der beiden Finanzierungsinstrumente der Union umgesetzt, mit denen Beteiligungs- und Kreditkapital zur Unterstützung von FuI und Wachstum von KMU in Verbindung mit den Beteiligungs- und Kreditfazilitäten im Rahmen von COSME bereitgestellt werden. Die Komplementarität zwischen Horizont 2020 und COSMEwird sichergestellt.

Einzelziele und Tätigkeiten in Grundzügen

(a) Die Kreditfazilität für FuI: ""Unionsdarlehen und Garantien für Forschung und Innovation""

Ziel ist ein leichterer Zugang zur Kreditfinanzierung – in Form von Darlehen, Garantien, Rückbürgschaften und sonstigen Arten der Kredit- und Risikofinanzierung – für öffentliche und private Rechtspersonen und öffentlich-private Partnerschaften, die auf dem Gebiet der Forschung und Innovation tätig sind und die bei ihren Investitionen Risiken eingehen müssen, damit diese Früchte tragen. Schwerpunkt ist die Unterstützung von Forschung und Innovation mit einem hohen Exzellenzpotenzial.Da es zu den Zielen von Horizont 2020 gehört, dazu beizutragen, die Lücke zwischen der Forschung und Entwicklung und Innovationen zu schließen und den Markteintritt neuer und verbesserter Produkte und Dienstleistungen zu befördern, und angesichts der entscheidenden Rolle der Konzepterprobung beim Wissenstransferprozess können Mechanismen zur Finanzierung der Konzepterprobungsphasen eingeführt werden, die notwendig sind, um die Bedeutung, Relevanz und künftige Innovationskraft der Forschungsergebnisse oder Erfindungen zu bewerten, die es zu transferieren gilt.Zielgruppe: Rechtspersonen jeder Größe, die Geld leihen und zurückzahlen können, KMU mit dem Potenzial, Innovationen durchzuführen und rasch zu expandieren, Unternehmen mittlerer Größe und Großunternehmen, Hochschulen und Forschungsinstitute, Forschungs- und Innovationsinfrastrukturen, öffentlich-private Partnerschaften, öffentlich-private Partnerschaften sowie Zweckgesellschaften oder Projekte;Die Kreditfazilität beinhaltet die folgenden beiden Komponenten:(1)Nachfrageorientierte Förderung: Darlehen und Garantien werden in der Reihenfolge des Eingangs der Anträge gewährt, wobei Empfänger wie KMU und Unternehmen mit mittlerer Kapitalausstattung besonders unterstützt werden. Diese Komponente entspricht dem stetig und kontinuierlich zu verzeichnenden Anstieg des Volumens der nachfragegesteuerten RSFF-Kreditvergabe. Im Rahmen des KMU-Teils werden Tätigkeiten gefördert, mit denen der Zugang der KMU und anderer FuE- und/oder innovationsorientierter Unternehmen zur Finanzierung verbessert werden soll. Dies könnte – je nach Nachfrage – Unterstützung in der Phase 3 des KMU-Instruments umfassen.(2) Gezielte Förderung: Konzentration auf die Strategien und Schlüsselsektoren, die für die Bewältigung der gesellschaftlichen Herausforderungen, die Stärkung der industriellen Führungsposition und der Wettbewerbsfähigkeit, die Unterstützung eines nachhaltigen und integrativen Wachstums mit niedrigem CO2-Ausstoß und die Bereitstellung ökologischer und sonstiger öffentlicher Güter entscheidend sind. Diese Komponente unterstützt die Union dabei, die forschungs- und innovationsrelevanten Aspekte der sektorspezifischen politischen Ziele anzugehen.

(b) Die Beteiligungskapital-Fazilität für FuI: ""Unionsinstrumente für die Beteiligungsfinanzierung von Forschung und Innovation""

Angestrebt werden die Überwindung der Defizite des Risikokapitalmarkts der Union und die Bereitstellung von Beteiligungskapital und Quasi-Beteiligungskapital zur Deckung des Entwicklungs- und Finanzierungsbedarfs innovativer Unternehmen – von der Gründung bis zum Wachstum und zur Expansion. Schwerpunkt ist die Unterstützung der Ziele von Horizont 2020 und der einschlägigen Politik.Zielgruppe: Unternehmen jeder Größe, die auf dem Gebiet der Innovation tätig sind oder ihre Innovationstätigkeit aufnehmen, wobei innovativen KMU und Unternehmen mit mittlerer Kapitalausstattung besondere Aufmerksamkeit gilt.Die Beteiligungskapital-Fazilität konzentriert sich auf Frühphasen-Risikokapitalfonds und Dachfonds, mit denen einzelnen Portfolio-Unternehmen Risikokapital und Quasi-Beteiligungskapital (einschließlich Mezzanine-Kapital) zur Verfügung gestellt wird. Die Fazilität bietet auch die Möglichkeit für Investitionen in der Expansions- und Wachstumsphase in Verbindung mit der Beteiligungskapital-Fazilität für Wachstum im Rahmen von COSME, um eine kontinuierliche Unterstützung von der Gründung bis zur Expansion der Unternehmen zu gewährleisten.Die Beteiligungskapital-Fazilität, die vor allem nachfrageabhängig ist, stützt sich auf ein Portfolio-Konzept, bei dem Risikokapitalfonds und andere vergleichbare Intermediäre die für sie in Frage kommenden Unternehmen auswählen.In Anlehnung an die positiven Erfahrungen mit dem Programm für Wettbewerbsfähigkeit und Innovation (2007 bis 2013), in dem Mittel speziell für Öko-Innovationen, beispielsweise für die Erreichung von Zielen im Zusammenhang mit den festgestellten gesellschaftlichen Herausforderungen, bereitgestellt wurden, können Mittel speziell für die Unterstützung bestimmter politischer Ziele vorgesehen werden.Der Gründungsteil, mit dem die Gründungs- und die Frühphase unterstützt werden, soll Beteiligungskapitalinvestitionen u. a. in Organisationen für den Wissenstransfer und ähnliche Einrichtungen über Unterstützung für den Technologietransfer (einschließlich des Transfers von Forschungsergebnissen und Erfindungen aus dem Bereich der öffentlichen Forschung für den Produktionssektor, z. B. durch Konzepterprobung), in Gründungskapitalfonds, grenzüberschreitende Fonds für die Gründungs- und Frühphase, Business-Angel-Koinvestitionsinstrumente, Rechte an geistigem Eigentum, Plattformen für den Handel mit Rechten am geistigen Eigentum und in Risikokapitalfonds für die Frühphase sowie in grenzüberschreitend tätige und in Risikokapitalfonds investierende Dachfonds ermöglichen. Dies könnte – je nach Nachfrage – Unterstützung in der Phase 3 des KMU-Instruments umfassen.Der Wachstumsteil ermöglicht Investitionen in der Expansions- und Wachstumsphase in Verbindung mit der Beteiligungskapital-Fazilität für Wachstum im Rahmen von COSME, einschließlich Investitionen in grenzüberschreitend tätige Dachfonds des privaten sowie des öffentlichen Sektors, die in Risikokapitalfonds investieren und die überwiegend einen thematischen Schwerpunkt haben, der die Ziele der Strategie Europa 2020 unterstützt.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:36";"664217" +"H2020-EU.2.1.4.2.";"fr";"H2020-EU.2.1.4.2.";"";"";"Produits et processus industriels fondés sur les biotechnologies";"Bio-technology based industrial products and processes";"

Produits et processus industriels fondés sur les biotechnologies

Développement des biotechnologies industrielles et de la conception de bioprocédés à l'échelle industrielle pour la mise au point de produits industriels compétitifs et de processus durables (par exemple dans le domaine de la chimie, de la santé, de l'exploitation minière, de l'énergie, du papier et de la pâte à papier, des produits à base de fibres et du bois, du textile, de la production d'amidon ou de fécule ou de la transformation des produits alimentaires) et promotion de leur dimension environnementale et sanitaire, y compris les opérations de nettoyage.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:52";"664193" +"H2020-EU.2.1.3.2.";"es";"H2020-EU.2.1.3.2.";"";"";"Desarrollo y transformación de materiales";"Materials development and transformation";"

Desarrollo y transformación de materiales

Investigación y desarrollo a fin de garantizar un desarrollo y aumento de escala eficientes, seguros y sostenibles que hagan posible la fabricación industrial de futuros productos basados en el diseño, con vistas a una gestión de materiales ""sin desechos"" en Europa.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:23";"664177" +"H2020-EU.2.1.4.3.";"de";"H2020-EU.2.1.4.3.";"";"";"Innovative und wettbewerbsfähige Plattformtechnologien";"Innovative and competitive platform technologies";"

Innovative und wettbewerbsfähige Plattformtechnologien

Aufbau von Plattformtechnologien (z. B. Genomik, Metagenomik, Proteomik, Metabolomik, molekulare Werkzeuge, Expressionssysteme, Phänotypisierungsplattformen und zellbasierte Plattformen) zur Festigung der Führungsrolle und für den Ausbau des Wettbewerbsvorteils in einem breiteren Spektrum von Sektoren mit wirtschaftlicher ";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:55";"664195" +"H2020-EU.2.1.3.7.";"de";"H2020-EU.2.1.3.7.";"";"";"Optimierung des Werkstoffeinsatzes";"Optimisation of the use of materials";"

Optimierung des Werkstoffeinsatzes

Forschung und Entwicklung zur Untersuchung von Substitutionen und Alternativen für den Einsatz von Werkstoffen und innovativen Ansätzen für Geschäftsmodelle sowie Identifizierung kritischer Ressourcen.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:41";"664187" +"H2020-EU.2.1.3.3.";"es";"H2020-EU.2.1.3.3.";"";"";"Gestión de componentes de materiales";"Management of materials components";"

Gestión de componentes de materiales

Investigación y desarrollo de técnicas nuevas e innovadoras de producción de materiales, componentes y sistemas.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:26";"664179" +"H2020-EU.2.1.3.7.";"fr";"H2020-EU.2.1.3.7.";"";"";"Optimisation de l'utilisation des matériaux";"Optimisation of the use of materials";"

Optimisation de l'utilisation des matériaux

Recherche et développement axés sur la recherche de solutions alternatives et de substitution à l'utilisation de certains matériaux, sur l'étude d'approches innovantes concernant les modèles commerciaux, et sur le recensement des ressources critiques.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:41";"664187" +"H2020-EU.2.3.1.";"es";"H2020-EU.2.3.1.";"";"";"Integrar el apoyo a las PYME, especialmente mediante un instrumento específico";"Mainstreaming SME support";"

Integrar el apoyo a las PYME, especialmente mediante un instrumento específico

Se financiará a las PYME en todo el programa Horizonte 2020. Con este fin, se establecerán mejores condiciones para la participación de las PYME en Horizonte 2020. Además, un instrumento dedicado a las PYME facilitará un apoyo por etapas y sin fisuras que cubra todo el ciclo de la innovación. El instrumento de las PYME se destinará a todos los tipos de PYME innovadoras que demuestren una ambición firme de desarrollarse, crecer e internacionalizarse. Se facilitará para todo tipo de innovaciones, incluidas las referidas a servicios, no tecnológicas o sociales, habida cuenta de que cada actividad ofrece un claro valor añadido europeo. El objetivo es desarrollar y explotar el potencial de innovación de las PYME, colmando las lagunas que existen en la financiación de la fase inicial de la investigación e innovación de alto riesgo, estimulando las innovaciones y potenciando la comercialización por el sector privado de los resultados de la investigación.El instrumento funcionará conforme a una única estructura de gestión centralizada, un régimen administrativo ágil y una ventanilla única. Se aplicará siguiendo principalmente una lógica ascendente, mediante convocatorias públicas continuas.Todos los objetivos específicos de la prioridad ""Retos de la sociedad"" y el objetivo específico de ""Liderazgo en tecnologías industriales y de capacitación"" aplicarán el instrumento dedicado a las PYME y asignarán un importe a tal efecto.";"";"H2020";"H2020-EU.2.3.";"";"";"2014-09-22 20:42:51";"664225" +"H2020-EU.2.1.2.3.";"pl";"H2020-EU.2.1.2.3.";"";"";"Rozwój wymiaru społecznego nanotechnologii";"Societal dimension of nanotechnology";"

Rozwój wymiaru społecznego nanotechnologii

Nacisk na zarządzanie w zakresie nanotechnologii z korzyścią dla społeczeństwa i środowiska ";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:05";"664167" +"H2020-EU.2.1.3.6.";"pl";"H2020-EU.2.1.3.6.";"";"";"Metrologia, charakteryzowanie, standaryzacja i kontrola jakości";"Metrology, characterisation, standardisation and quality control";"

Metrologia, charakteryzowanie, standaryzacja i kontrola jakości

Promowanie technologii służących takim celom jak charakteryzowanie, nieniszcząca ewaluacja, stałe ocenianie i monitorowanie oraz predyktywne modelowanie wydajności na potrzeby postępów w materiałoznawstwie i inżynierii oraz ich oddziaływania.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:37";"664185" +"H2020-EU.2.1.3.5.";"it";"H2020-EU.2.1.3.5.";"";"";"Materiali per le industrie creative, comprese quelle relative al patrimonio";"Materials for creative industries, including heritage";"

Materiali per le industrie creative, comprese quelle relative al patrimonio

Applicazione, progettazione e sviluppo di tecnologie convergenti per creare nuove opportunità commerciali, tra cui la conservazione e il ripristino dei materiali con valore storico o culturale nonché i nuovi materiali.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:34";"664183" +"H2020-EU.2.1.3.4.";"fr";"H2020-EU.2.1.3.4.";"";"";"Matériaux pour une industrie durable, efficace dans l'utilisation des ressources et à faible émission de carbone";"Materials for a resource-efficient and low-emission industry";"

Matériaux pour une industrie durable, efficace dans l'utilisation des ressources et à faible émission de carbone

Développement de nouveaux produits et de nouvelles applications, mise au point de modèles d'entreprise et instauration d'habitudes de consommation responsables, qui réduisent la demande en énergie et facilitent une production à faibles émissions de carbone.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:30";"664181" +"H2020-EU.2.1.3.3.";"it";"H2020-EU.2.1.3.3.";"";"";"Gestione dei componenti dei materiali";"Management of materials components";"

Gestione dei componenti dei materiali

Ricerca e sviluppo di tecniche nuove e innovative per materiali e relativi componenti e sistemi.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:26";"664179" +"H2020-EU.3.4.4.";"es";"H2020-EU.3.4.4.";"";"";"Investigación socioeconómica y de comportamiento y actividades de prospectiva para la formulación de políticas";"Socio-economic and behavioural research";"

Investigación socioeconómica y de comportamiento y actividades de prospectiva para la formulación de políticas

El objetivo es apoyar la formulación de las políticas necesarias para promover la innovación y hacer frente a los retos que plantea el transporte y las correspondientes necesidades sociales.El propósito de las actividades será mejorar la comprensión de los impactos, tendencias y perspectivas socioeconómicas relacionadas con el transporte, incluida la evolución futura de la demanda, y facilitar a los responsables políticos datos factuales y análisis. Asimismo se prestará atención a la difusión de los resultados obtenidos merced a dichas actividades.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:57";"664387" +"H2020-EU.3.4.4.";"fr";"H2020-EU.3.4.4.";"";"";"Recherche socio-économique et comportementale et activités de prospective en appui à la prise de décisions";"Socio-economic and behavioural research";"

Recherche socio-économique et comportementale et activités de prospective en appui à la prise de décisions

L'objectif est de contribuer à l'amélioration de la prise de décisions, ce qui est indispensable afin de promouvoir l'innovation, de relever les défis liés aux transports et de répondre aux besoins de société qui y sont liés.Les activités viseront avant tout à assurer une meilleure compréhension des répercussions, des tendances et des perspectives socio-économiques liées aux transports, y compris l'évolution de la demande future, et à fournir aux décideurs politiques des données et des analyses fondées sur des éléments factuels. Une attention particulière sera également accordée à la diffusion des résultats produits par ces activités.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:57";"664387" +"H2020-EU.2.1.3.2.";"pl";"H2020-EU.2.1.3.2.";"";"";"Rozwój i przekształcanie materiałów";"Materials development and transformation";"

Rozwój i przekształcanie materiałów

Działania badawczo-rozwojowe mające na celu efektywne, bezpieczne i zrównoważone opracowywanie i zwiększanie skali, umożliwiające przemysłowe wytwarzanie produktów opartych na przyszłych projektach, zmierzające w kierunku bezodpadowej gospodarki materiałowej w Europie. ";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:23";"664177" +"H2020-EU.2.1.2.5.";"it";"H2020-EU.2.1.2.5.";"";"";"Sviluppo e standardizzazione di tecniche, metodi di misurazione e attrezzature abilitanti";"Capacity-enhancing techniques, measuring methods and equipment";"

Sviluppo e standardizzazione di tecniche, metodi di misurazione e attrezzature abilitanti

Accento sulle tecnologie di supporto a sostegno dello sviluppo e dell'introduzione sul mercato di nanomateriali e nanosistemi sicuri complessi.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:12";"664171" +"H2020-EU.2.1.2.4.";"it";"H2020-EU.2.1.2.4.";"";"";"Sintesi e produzione efficienti e sostenibili di nanomateriali, componenti e sistemi";"Synthesis and manufacturing of nanomaterials, components and systems";"

Sintesi e produzione efficienti e sostenibili di nanomateriali, componenti e sistemi

Accento sulle nuove operazioni, l'integrazione intelligente di processi nuovi ed esistenti, compresa la convergenza di tecnologie, nonché ampliamento di scala per conseguire la produzione di alta precisione su vasta scala di prodotti e impianti polivalenti e flessibili, al fine di garantire un efficace trasferimento delle conoscenze verso l'innovazione industriale.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:08";"664169" +"H2020-EU.2.1.2.3.";"de";"H2020-EU.2.1.2.3.";"";"";"Entwicklung der gesellschaftlichen Dimension der Nanotechnologie";"Societal dimension of nanotechnology";"

Entwicklung der gesellschaftlichen Dimension der Nanotechnologie

Schwerpunkt ist die Governance der Nanotechnologie zum Nutzen der Gesellschaft und der Umwelt.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:05";"664167" +"H2020-EU.1.4.3.";"fr";"H2020-EU.1.4.3.";"";"";"Renforcer la politique européenne relative aux infrastructures de recherche ainsi que la coopération internationale";"Research infrastructure policy and international cooperation";"

Renforcer la politique européenne relative aux infrastructures de recherche ainsi que la coopération internationale

L'objectif est de soutenir les partenariats entre les décideurs politiques et les organismes de financement concernés, les outils de cartographie et de suivi utilisés pour la prise de décisions ainsi que les activités de coopération internationale. Les infrastructures européennes de recherche peuvent être soutenues dans le cadre de leurs activités dans le domaine des relations internationales.Les objectifs énoncés au titre des lignes d'activités décrites aux points b) et c) sont poursuivis au moyen d'actions spécifiques ainsi que, selon le cas, dans le cadre d'actions menées au titre de la ligne d'activité décrite au point a).";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:11";"664137" +"H2020-EU.1.4.2.";"pl";"H2020-EU.1.4.2.";"";"";"Wspieranie innowacyjnego potencjału infrastruktury badawczej i jej zasobów ludzkich";"Research infrastructures and their human resources";"

Wspieranie innowacyjnego potencjału infrastruktury badawczej i jej zasobów ludzkich

Celem jest wspomaganie infrastruktury badawczej w zakresie wczesnego przyjmowania lub opracowywania najnowocześniejszych technologii, promowanie partnerstw badawczo-rozwojowych z przemysłem, ułatwianie przemysłowego wykorzystania infrastruktury badawczej oraz stymulowanie tworzenia klastrów innowacyjnych. W ramach tego działania wspiera się również szkolenie lub wymiany personelu zarządzającego infrastrukturą badawczą oraz obsługującego ją.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:01";"664131" +"H2020-EU.6.";"es";"H2020-EU.6.";"";"";"ACCIONES DIRECTAS NO NUCLEARES DEL CENTRO COMÚN DE INVESTIGACIÓN (CCI)";"Joint Research Centre (JRC) non-nuclear direct actions";"

ACCIONES DIRECTAS NO NUCLEARES DEL CENTRO COMÚN DE INVESTIGACIÓN (CCI)

Las actividades del Centro Común de Investigación formarán parte integrante de Horizonte 2020, con el fin de proporcionar a las políticas de la Unión un apoyo decidido y basado en los datos. Estarán impulsadas por las necesidades de los clientes, complementadas por actividades de prospectiva.

Objetivo específico

El objetivo específico es proporcionar a instancias de los clientes apoyo científico y técnico a las políticas de la Unión, respondiendo al mismo tiempo con flexibilidad a las nuevas exigencias de las políticas.

Justificación y valor añadido de la Unión

La Unión ha definido una ambiciosa agenda política para 2020 que aborda una serie de retos complejos e interrelacionados, tales como la gestión sostenible de los recursos y la competitividad. Para abordar con éxito estos desafíos son necesarios unos datos científicos sólidos que se extiendan a varias disciplinas científicas y permitan una evaluación seria de las opciones políticas. El Centro Común de Investigación desempeñando su papel de servicio científico para la formulación de políticas de la Unión, proporcionará el apoyo técnico y científico necesario a lo largo de todas las etapas del ciclo de elaboración de políticas, desde su concepción hasta su aplicación y evaluación. Con el fin de contribuir a dicho objetivo específico, centrará claramente su investigación en las prioridades políticas de la Unión y, al mismo tiempo, en la mejora de las competencias transversales y en la cooperación con los Estados miembros.La independencia del Centro Común de Investigación respecto de los intereses particulares, sean privados o nacionales, combinada con su papel de referencia científico-técnica, lo faculta para coadyuvar al necesario consenso entre las partes interesadas y los responsables políticos. Los Estados miembros y los ciudadanos de la Unión se beneficiarán de la investigación del Centro Común de Investigación, señaladamente en ámbitos como la salud y la protección de los consumidores, el medio ambiente, la seguridad y la gestión de crisis y catástrofes.En particular, los Estados miembros y regiones se beneficiarán asimismo de las ventajas de apoyar sus estrategias de especialización inteligente.El Centro Común de Investigación forma parte integrante del EEI y continuará prestando un apoyo activo a su funcionamiento mediante una estrecha colaboración con colegas y partes interesadas, permitiendo el máximo acceso a sus instalaciones y a través de la formación de investigadores, así como mediante la estrecha cooperación con los Estados miembros y con las instituciones internacionales que persiguen objetivos semejantes. También fomentará la integración de los nuevos Estados miembros y países asociados. A tal efecto, el Centro Común de Investigación seguirá proporcionando cursos de formación especializada sobre la base científico-técnica del acervo de la Unión. El Centro Común de Investigación establecerá vínculos de coordinación con otros objetivos específicos de Horizonte 2020. Como complemento de sus acciones directas y a efectos de una mayor integración y creación de redes en el Espacio Europeo de Investigación, el Centro Común de Investigación podrá participar en acciones indirectas y en los instrumentos de coordinación de Horizonte 2020 en las áreas en que cuente con los conocimientos especializados pertinentes para generar valor añadido.

Líneas generales de las actividades

Las actividades del Centro Común de Investigación en Horizonte 2020 se centrarán en las prioridades políticas de la Unión y en los retos de la sociedad que afrontan. Estas actividades estarán asimismo en consonancia con el objetivo principal de la estrategia Europa 2020 y con las rúbricas ""seguridad y ciudadanía"", y ""una Europa global"" del marco financiero plurianual para 2014-2020.Los ámbitos de competencia clave del Centro Común de Investigación serán: energía, transporte, medio ambiente y cambio climático, agricultura y seguridad alimentaria, salud y protección de los consumidores, tecnologías de la información y la comunicación, materiales de referencia y seguridad (incluida la seguridad nuclear en el programa Euratom). Las actividades del Centro Común de Investigación en estos ámbitos se llevarán a cabo teniendo en cuenta las iniciativas correspondientes en el nivel de las regiones, los Estados miembros o la Unión, con la perspectiva de la conformación del EEI.Estos ámbitos de competencia se verán considerablemente reforzados con capacidades para abordar todo el ciclo de la acción política y evaluar las opciones políticas. Esto incluye:(a) anticipación y previsión: inteligencia estratégica proactiva sobre las tendencias y acontecimientos en la ciencia, la tecnología y la sociedad y sus posibles consecuencias para la política pública;(b) economía: con vistas a un servicio integrado que cubra tanto los aspectos científico-técnicos como los macroeconómicos;(c) modelización: centrándose en la sostenibilidad y la economía y consiguiendo que la Comisión dependa menos de los proveedores externos para los análisis de escenarios vitales;(d) análisis de políticas: para permitir la investigación intersectorial de las opciones políticas;(e) evaluación del impacto: para aportar pruebas científicas que sustenten las opciones políticas.El Centro Común de Investigación seguirá buscando la excelencia en la investigación y la interacción generalizada con las instituciones de investigación como base para un apoyo científico-técnico creíble y sólido a las políticas. A tal efecto, reforzará su colaboración con socios europeos e internacionales, entre otras cosas mediante la participación en acciones indirectas. También llevará a cabo investigación exploratoria y desarrollará, con carácter selectivo, competencias en campos emergentes de interés para las políticas.El Centro Común de Investigación se centrará en:

Ciencia excelente

(Ver también la PRIORIDAD ""Ciencia excelente"" (H2020-EU.1.)) (http://cordis.europa.eu/programme/rcn/664091_en.html)Llevar a cabo actividades de investigación para mejorar la base de datos científicos utilizada en la formulación de políticas y analizar ámbitos emergentes de la ciencia y la tecnología, incluso a través de un programa de investigación exploratoria.

Liderazgo industrial

(Ver también la PRIORIDAD ""Liderazgo industrial"" (H2020-EU.2)) (http://cordis.europa.eu/programme/rcn/664143_en.html)Contribuir a la competitividad europea prestando apoyo al proceso de normalización y a las normas a través de la investigación prenormativa, el desarrollo de materiales y medidas de referencia y la armonización de métodos en cinco ámbitos fundamentales (energía, transporte, la iniciativa emblemática ""Agenda Digital para Europa"", seguridad, y protección de los consumidores). Llevar a cabo evaluaciones de la seguridad de las nuevas tecnologías en ámbitos tales como la energía y el transporte, la sanidad y la protección de los consumidores. Contribuir a facilitar la utilización, normalización y validación de las tecnologías y datos espaciales, en particular para afrontar los retos de la sociedad.

Retos de la sociedad

(Ver también la PRIORIDAD ""Retos de la sociedad"" (H2020-EU.3.)) (http://cordis.europa.eu/programme/rcn/664235_en.html)

(a) Salud, cambio demográfico y bienestar

(Ver también H2020-EU.3.1.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Contribuir a la salud y la protección de los consumidores mediante el apoyo científico y técnico en ámbitos tales como los alimentos, piensos y productos de consumo; el medio ambiente y la salud; las prácticas de detección y el diagnóstico en relación con la salud; y la nutrición y las dietas.

(b) Seguridad alimentaria, agricultura y silvicultura sostenibles, investigación marina, marítima y de aguas interiores y bioeconomía

(Ver también H2020-EU.3.2.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Apoyar el desarrollo, aplicación y seguimiento de la Política Agrícola Común y la Política Pesquera Común, inclusive la seguridad alimentaria y la inocuidad de los alimentos y el impulso de la bioeconomía a través de, por ejemplo, previsiones de producción de los cultivos y análisis y modelización técnicos y socioeconómicos, y promover unos mares saludables y productivos.

(c) Energía segura, limpia y eficiente

(Ver también H2020-EU.3.3.) (http://cordis.europa.eu/programme/rcn/664237_en.html)Prestar apoyo a los objetivos climáticos y energéticos 20/20/20 con investigación sobre los aspectos tecnológicos y económicos del abastecimiento energético, la eficiencia, las tecnologías de baja emisión de carbono o las redes de transporte de energía/electricidad.

(d) Transporte inteligente, ecológico e integrado

(Ver también H2020-EU.3.4.) (http://cordis.europa.eu/programme/rcn/664357_en.html)Prestar apoyo a la política de la Unión en relación con la movilidad segura y sostenible de personas y mercancías con estudios de laboratorio, enfoques de modelización y seguimiento, incluidas las tecnologías de baja emisión de carbono para el transporte, como la electrificación, los vehículos limpios y eficientes y los combustibles alternativos, y los sistemas de movilidad inteligente.

(e) Acción por el clima, medio ambiente, eficiencia de los recursos y materias primas

(Ver también H2020-EU.3.5.) (http://cordis.europa.eu/programme/rcn/664389_en.html)Investigar los retos intersectoriales de la gestión sostenible de los recursos naturales, mediante la vigilancia de las variables ambientales clave y la creación de un marco de modelización integrado para la evaluación de la sostenibilidad.Prestar apoyo al uso eficiente de los recursos, la reducción de las emisiones y el abastecimiento sostenible de materias primas gracias a evaluaciones sociales, ambientales y económicas integradas de los procesos de producción, tecnologías, productos y servicios limpios.Prestar apoyo a los objetivos de la política de desarrollo de la Unión mediante una investigación encaminada a garantizar el abastecimiento adecuado de recursos esenciales, centrada en el seguimiento de los parámetros ambientales y de los recursos, los análisis relacionados con la seguridad alimentaria y la inocuidad de los alimentos, y la transferencia de conocimientos.

(f) Europa en un mundo cambiante - sociedades inclusivas, innovadoras y reflexivas

(Ver también H2020-EU.3.6.) (http://cordis.europa.eu/programme/rcn/664435_en.html)Contribuir a la aplicación de la iniciativa emblemática ""Unión por la innovación"" y seguir de cerca su andadura mediante análisis macroeconómicos de los factores que favorecen u obstaculizan la investigación y la innovación, así como elaborando metodologías, cuadros e indicadores.Prestar apoyo al EEI mediante la supervisión de su funcionamiento y el análisis de los factores que favorecen u obstaculizan algunos de sus elementos clave; y mediante la constitución de redes de investigación, la formación y la apertura de las instalaciones y las bases de datos del Centro Común de Investigación a los usuarios de los Estados miembros y de los países candidatos y asociados.Contribuir a los objetivos clave de la iniciativa emblemática ""Agenda Digital para Europa"" mediante análisis cualitativos y cuantitativos de los aspectos económicos y sociales (economía digital, sociedad digital, vida digital).

(g) Sociedades seguras - Proteger la libertad y la seguridad de Europa y sus ciudadanos

(Ver también H2020-EU.3.7.) (http://cordis.europa.eu/programme/rcn/664463_en.html)Prestar apoyo a la seguridad interior mediante la detección y evaluación de los puntos vulnerables de las infraestructuras críticas como componentes esenciales de las funciones sociales y mediante la evaluación del rendimiento operativo, social y ético de las tecnologías relacionadas con la identidad digital. Abordar los retos planteados a la seguridad mundial, por ejemplo amenazas emergentes o híbridas, creando instrumentos avanzados de extracción y análisis de la información, así como para la gestión de las crisis.Mejorar la capacidad de la Unión para gestionar las catástrofes naturales y de origen humano mediante el refuerzo de la supervisión de las infraestructuras y el establecimiento de instalaciones de prueba, sistemas de información para la alerta precoz sobre riesgos múltiples mundiales y la gestión del riesgo, haciendo uso de marcos de observación de la Tierra por satélite.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:21:28";"664511" +"H2020-EU.2.";"pl";"H2020-EU.2.";"";"";"PRIORYTET „Wiodąca pozycja w przemyśle”";"Industrial Leadership";"

PRIORYTET „Wiodąca pozycja w przemyśle”

Ta część ma na celu przyspieszenie rozwoju technologii i innowacji, które zapewnią podstawy działania przedsiębiorstwom przyszłości i pomogą innowacyjnym europejskim MŚP przeobrazić się w firmy wiodące na rynku światowym. Składa się z trzech celów szczegółowych:a)„Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” zapewnia specjalne wsparcie na rzecz badań naukowych, rozwoju i demonstracji oraz – w stosownych przypadkach – normalizacji i certyfikacji, technologii informacyjno-komunikacyjnych (ICT), nanotechnologii, materiałów zaawansowanych, biotechnologii, zaawansowanych systemów produkcji i przetwarzania oraz technologii kosmicznych. Nacisk zostanie położony na interakcje i konwergencję między różnymi technologiami i w ich obrębie oraz na ich związki z wyzwaniami społecznymi. We wszystkich tych obszarach uwzględnia się potrzeby użytkowników. H2020-EU.2.1. (http://cordis.europa.eu/programme/rcn/664145_en.html)b)„Dostęp do finansowania ryzyka” służy przezwyciężeniu deficytów w dostępności finansowania dłużnego i kapitałowego w przypadku działań badawczo-rozwojowych i innowacyjnych przedsiębiorstw i projektów na wszystkich etapach rozwoju. Wraz z instrumentem kapitałowym programu konkurencyjności w biznesie oraz małych i średnich przedsiębiorstw (COSME) (2014-2020) wspiera on rozwój kapitału wysokiego ryzyka na poziomie Unii. H2020-EU.2.2. (http://cordis.europa.eu/programme/rcn/664217_en.html)c)„Innowacje w MŚP” zapewniają MŚP indywidualnie dostosowane wsparcie, by stymulować wszystkie formy innowacji w MŚP; wsparcie jest ukierunkowane na MŚP odznaczające się potencjałem wzrostu i ekspansji międzynarodowej na całym jednolitym rynku i poza nim. H2020-EU.2.3. (http://cordis.europa.eu/programme/rcn/664223_en.html)Powyższe działania są realizowane zgodnie z agendą o orientacji biznesowej. Budżetom celów szczegółowych „Dostęp do finansowania ryzyka” oraz „Innowacje w MŚP” przyświecać będzie oddolna logika nastawiona na zapotrzebowanie. Budżety te są uzupełniane o wykorzystanie instrumentów finansowych. Specjalny instrument przeznaczony dla MŚP jest wdrażany przede wszystkim przy zastosowaniu podejścia oddolnego; jest on dostosowany do potrzeb MŚP, z uwzględnieniem celów szczegółowych priorytetu „Wyzwania społeczne” i celu szczegółowego „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych”.Program „Horyzont 2020” przyjmie zintegrowane podejście do udziału MŚP – uwzględniając ich potrzeby w zakresie transferu wiedzy i technologii – dzięki czemu co najmniej 20% połączonych budżetów wszystkich celów szczegółowych priorytetu „Wyzwań społecznych” oraz celu szczegółowego „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” powinno zostać przeznaczone na MŚP.Cel szczegółowy „Wiodąca pozycja w zakresie technologii prorozwojowych i przemysłowych” wykorzystuje podejście zorientowane na technologię, w celu rozwijania technologii prorozwojowych, które można wykorzystać w różnych dziedzinach zastosowań oraz w różnych sektorach przemysłu i usług. Zastosowania tych technologii umożliwiające stawianie czoła wyzwaniom społecznym są wspierane wraz z realizacją priorytetu „Wyzwania społeczne”.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:01";"664143" +"H2020-EU.2.";"it";"H2020-EU.2.";"";"";"PRIORITÀ ""Leadership industriale""";"Industrial Leadership";"

PRIORITÀ ""Leadership industriale""

La presente sezione mira ad accelerare lo sviluppo delle tecnologie e delle innovazioni a sostegno delle imprese del futuro e ad aiutare le PMI europee innovative a crescere per divenire imprese di importanza mondiale. Essa si articola in tre obiettivi specifici.a)""Leadership nelle tecnologie abilitanti e industriali"" fornisce un sostegno mirato alla ricerca, allo sviluppo e alla dimostrazione nonché, se del caso, alla standardizzazione e certificazione di tecnologie dell'informazione e della comunicazione (TIC), nanotecnologie, materiali avanzati, biotecnologie, tecnologie produttive avanzate e tecnologia spaziale. L'accento sarà posto sulle interazioni e le convergenze fra le diverse tecnologie e sulle loro relazioni con le sfide per la società. In tutti questi ambiti occorre tenere in considerazione le esigenze degli utenti. H2020-EU.2.1. (http://cordis.europa.eu/programme/rcn/664145_en.html)b)""Accesso al capitale di rischio"" mira a superare i disavanzi nella disponibilità di crediti e fondi propri per il settore R&S e per le imprese e i progetti innovativi in tutte le fasi di sviluppo. Congiuntamente allo strumento di capitale del programma per la competitività delle imprese e le piccole e medie imprese (COSME) (2014-2020), esso sostiene lo sviluppo di un capitale di rischio di livello di Unione. H2020-EU.2.2. (http://cordis.europa.eu/programme/rcn/664217_en.html)c)""Innovazione nelle PMI"" fornisce sostegno su misura per le PMI al fine di promuovere tutte le forme di innovazione nelle PMI, puntando su quelle dotate del potenziale di crescita e di internazionalizzazione sul mercato unico e oltre. H2020-EU.2.3. (http://cordis.europa.eu/programme/rcn/664223_en.html)Le attività seguono un programma determinato dalle imprese. Gli stanziamenti per gli obiettivi specifici ""Accesso al capitale di rischio"" e ""Innovazione nelle PMI"" seguono una logica ascendente basata sulla domanda. Tali stanziamenti sono integrati dall'uso di strumenti finanziari. Sarà attuato uno strumento ad hoc per le PMI principalmente in maniera ascendente, adeguato alle esigenze delle PMI, tenendo conto degli obiettivi specifici della priorità ""Sfide per la società"" e dell'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"".Orizzonte 2020 adotta un approccio integrato per quanto riguarda la partecipazione delle PMI, tenendo conto tra l'altro delle loro esigenze in termini di trasferimento delle conoscenze e delle tecnologie, che dovrebbe condurre ad attribuire alle PMI almeno il 20 % degli stanziamenti complessivi combinati per tutti gli obiettivi specifici della priorità ""Sfide per la società"" e per l'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"".L'obiettivo specifico ""Leadership nelle tecnologie abilitanti e industriali"" segue un approccio basato sulle tecnologie al fine di sviluppare tecnologie abilitanti suscettibili di essere fruite in numerosi settori, industrie e servizi. Le domande riguardanti tali tecnologie mirate alle sfide per la società sono finanziate congiuntamente alla priorità ""Sfide per la società"".";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:20:01";"664143" +"H2020-EU.2.1.2.3.";"es";"H2020-EU.2.1.2.3.";"";"";"Desarrollo de la dimensión social de la nanotecnología";"Societal dimension of nanotechnology";"

Desarrollo de la dimensión social de la nanotecnología

Centrándose en la gobernanza de la nanotecnología para beneficio de la sociedad y del medio ambiente.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:05";"664167" +"H2020-EU.3.4.3.";"pl";"H2020-EU.3.4.3.";"";"";"Wiodąca pozycja europejskiego przemysłu transportowego na świecie";"Global leadership for the European transport industry";"

Wiodąca pozycja europejskiego przemysłu transportowego na świecie

Celem jest wzmocnienie konkurencyjności i poprawa wyników europejskiego przemysłu produkcji sprzętu transportowego i powiązanych usług (w tym procesów logistyki, utrzymania, naprawy, modernizacji i recyklingu) przy jednoczesnym utrzymaniu wiodącej pozycji Europy w określonych dziedzinach (jak np. aeronautyka).Działania mają skupiać się na rozwoju nowej generacji innowacyjnych środków transportu lotniczego, wodnego i lądowego, zapewnieniu zrównoważonej produkcji innowacyjnych systemów i urządzeń oraz przygotowaniu gruntu dla przyszłych środków transportu poprzez prace nad nowatorskimi technologiami, koncepcjami i projektami, nad inteligentnymi systemami kontroli i interoperacyjnymi normami, wydajnymi procesami produkcji, innowacyjnymi usługami i procedurami certyfikacji, krótszym czasem rozwoju i ograniczonymi kosztami w cyklu życia, bez uszczerbku dla bezpieczeństwa eksploatacyjnego i ochrony. ";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:39";"664377" +"H2020-EU.3.4.3.";"it";"H2020-EU.3.4.3.";"";"";"Leadership mondiale per l'industria europea dei trasporti";"Global leadership for the European transport industry";"

Leadership mondiale per l'industria europea dei trasporti

L'obiettivo è rafforzare la competitività e i risultati dell'industria manifatturiera europea dei trasporti e dei servizi correlati, compresi i processi logistici, la manutenzione, la riparazione, l'ammodernamento e il riciclaggio, conservando nel contempo settori di leadership europea, ad esempio l'aeronautica.Il centro dell'attività è lo sviluppo della prossima generazione di mezzi di trasporto aereo, per via navigabile e terrestre innovativi, la produzione sostenibile di apparecchiature e sistemi innovativi e la preparazione del terreno per futuri mezzi di trasporto, lavorando su nuovi concetti, tecnologie e progetti, su sistemi di controllo intelligenti e norme interoperabili, su processi di produzione efficienti, servizi innovativi e procedure di certificazione, tempi di sviluppo minori e costi di ciclo di vita ridotti, senza compromettere la sicurezza operativa.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:39";"664377" +"H2020-EU.3.4.3.";"de";"H2020-EU.3.4.3.";"";"";"Weltweit führende Rolle der europäischen Verkehrsindustrie";"Global leadership for the European transport industry";"

Weltweit führende Rolle der europäischen Verkehrsindustrie

Ziel ist die Stärkung der Wettbewerbs- und Leistungsfähigkeit der europäischen Hersteller im Verkehrssektor und zugehöriger Dienstleistungen (einschließlich Logistikprozessen, Wartung, Reparatur, Nachrüstung und Recycling) bei Aufrechterhaltung der Führungsposition Europas in bestimmten Bereichen (z. B. Luftfahrtsektor).Schwerpunkt der Tätigkeiten ist die Entwicklung der nächsten Generation innovativer Verkehrsmittel für Luft-, Wasser- und Landverkehr, die nachhaltige Fertigung innovativer Systeme und Ausrüstungen und die Grundlagenarbeit für Verkehrsträger der Zukunft durch neuartige Technologien, Konzepte und Bauformen, intelligente Kontrollsysteme und interoperable Normen, effiziente Produktionsprozesse, innovative Dienstleistungen und Zertifizierungsverfahren, kürzere Entwicklungszeiten und geringere Lebenszykluskosten, ohne dass bei der Betriebssicherheit Abstriche gemacht werden.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:39";"664377" +"H2020-EU.3.4.2.";"it";"H2020-EU.3.4.2.";"";"";"Migliorare la mobilità, diminuire il traffico e aumentare la sicurezza";"Mobility, safety and security";"

Migliorare la mobilità, diminuire il traffico e aumentare la sicurezza

L'obiettivo è conciliare le crescenti esigenze di mobilità con una maggiore fluidità dei trasporti, grazie a soluzioni innovative riguardanti sistemi di trasporto senza soluzioni di continuità, intermodali, inclusivi, accessibili, a costi sostenibili, sicuri, sani e robusti.Il centro delle attività è ridurre la congestione stradale, migliorare l'accessibilità, l'interoperabilità e le scelte dei passeggeri nonché soddisfare le esigenze degli utenti grazie allo sviluppo e alla promozione dei trasporti integrati porta a porta, della gestione della mobilità e della logistica, rafforzare l'intermodalità e la diffusione delle soluzioni di pianificazione e gestione intelligenti, nonché ridurre drasticamente gli incidenti e l'impatto delle minacce alla sicurezza.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:20";"664367" +"H2020-EU.3.4.1.";"it";"H2020-EU.3.4.1.";"";"";"Trasporti efficienti sotto il profilo delle risorse che rispettino l'ambiente";"Resource efficient transport that respects the environment";"

Trasporti efficienti sotto il profilo delle risorse che rispettino l'ambiente

L'obiettivo è ridurre al minimo l'impatto dei sistemi dei trasporti sul clima e sull'ambiente (compreso l'inquinamento acustico e atmosferico), migliorandone la qualità e l'efficienza nell'uso delle risorse naturali e dei combustibili e riducendone le emissioni di gas a effetto serra e la dipendenza dai combustibili fossili.Il centro dell'attività è ridurre il consumo di risorse, in particolare di combustibili fossili, le emissioni di gas a effetto serra e i livelli di rumore, migliorare l'efficienza dei trasporti e dei veicoli, accelerare lo sviluppo, la produzione e la diffusione di una nuova generazione di veicoli puliti (elettrici, a idrogeno e altri con emissioni basse o pari a zero), anche mediante progressi di rilievo e ottimizzazioni per quanto concerne motori, immagazzinamento dell'energia e infrastrutture, esaminare e sfruttare il potenziale dei carburanti alternativi e sostenibili e dei sistemi operativi e di propulsione innovativi e più efficienti, comprese le infrastrutture per il combustibile e il carico dello stesso, ottimizzare la pianificazione e l'uso delle infrastrutture, per mezzo di sistemi di trasporto intelligenti, logistica e attrezzature intelligenti, nonché incrementare l'uso della gestione della domanda e dei trasporti pubblici e non motorizzati, nonché delle catene di mobilità intermodali, in particolare nelle aree urbane. Saranno incoraggiate le innovazioni intese a ottenere emissioni basse o pari a zero in tutti i modi di trasporto.";"";"H2020";"H2020-EU.3.4.";"";"";"2014-09-22 20:47:04";"664359" +"H2020-EU.2.1.5.4.";"pl";"H2020-EU.2.1.5.4.";"";"";"Nowe zrównoważone modele biznesowe";"New sustainable business models";"

Nowe zrównoważone modele biznesowe

Opracowanie koncepcji i metodologii dla adaptacyjnych, „opartych na wiedzy” modeli biznesowych w dostosowanych do określonych warunków podejściach, w tym alternatywnych podejściach wydajnych pod względem wykorzystania zasobów.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:14";"664205" +"H2020-EU.2.2.";"pl";"H2020-EU.2.2.";"";"";"WIODĄCA POZYCJA W PRZEMYŚLE - Dostęp do finansowania ryzyka";"Access to risk finance";"

WIODĄCA POZYCJA W PRZEMYŚLE - Dostęp do finansowania ryzyka

Cel szczegółowy

Celem szczegółowym jest pomoc w wyeliminowaniu niedoskonałości rynku związanych z dostępem do finansowania ryzyka związanego z finansowaniem badań naukowych i innowacji.Sytuacja inwestycyjna w dziedzinie badań naukowych i innowacji jest niekorzystna, zwłaszcza dla innowacyjnych MŚP i przedsiębiorstw o średniej kapitalizacji cechujących się wysokim potencjałem wzrostu. Istnieje kilka poważnych luk rynkowych pod względem finansowania, gdyż innowacje niezbędne dla osiągnięcia celów strategicznych wiążą się zwykle z ryzykiem zbyt wysokim, aby rynek był skłonny je zaakceptować, w związku z czym nie jest możliwe odniesienie pełnych korzyści społecznych.Instrument finansowania dłużnego i instrument finansowania kapitałowego pomogą w przezwyciężeniu takich problemów, poprawiając profile finansowania i ryzyka odnośnych działań w zakresie badań naukowych i innowacji. To z kolei ułatwi przedsiębiorstwom i innym beneficjentom dostęp do pożyczek, gwarancji i innych form finansowania ryzyka, zachęci do inwestycji na wczesnym etapie oraz rozwijania i tworzenia nowych funduszy kapitału wysokiego ryzyka, usprawni transfer wiedzy i rynek własności intelektualnej, przyciągnie fundusze na rynek kapitału wysokiego ryzyka, a ponadto przyczyni się do przejścia od koncepcji, rozwoju i demonstracji nowych produktów i usług do ich komercyjnego wykorzystania.Ogólnym skutkiem będzie zwiększenie gotowości sektora prywatnego do inwestowania w działania w zakresie badań naukowych i innowacji, a co za tym idzie, wniesienie wkładu w osiągnięcie kluczowego celu strategii „Europa 2020”: inwestowania 3% PKB Unii w badania naukowe i rozwój przed końcem dziesięciolecia, przy czym dwie trzecie mają pochodzić z sektora prywatnego. Zastosowanie instrumentów finansowych pomoże także osiągnąć cele badawcze i innowacyjne wszystkich sektorów i obszarów polityki istotnych dla sprostania wyzwaniom społecznym, dla podnoszenia konkurencyjności i wspierania trwałego wzrostu gospodarczego sprzyjającego włączeniu społecznemu, a także dla zapewnienia dóbr środowiskowych i innych dóbr publicznych.

Uzasadnienie i unijna wartość dodana

Potrzebny jest instrument dłużny na poziomie Unii służący celom badań naukowych i innowacji, aby zwiększyć prawdopodobieństwo udzielenia pożyczek i gwarancji oraz osiągnięcia celów strategicznych w tej dziedzinie. Istniejąca obecnie luka rynkowa między zapotrzebowaniem na pożyczki i gwarancje dla ryzykownych inwestycji w badania i innowacje a podażą takich pożyczek i gwarancji, do której zamknięcia służy Finansowy Instrument Podziału Ryzyka (Risk Sharing Finance Facility, RSFF), prawdopodobnie się utrzyma, a banki komercyjne w dużej mierze będą się wstrzymywać od udzielania pożyczek o wysokim ryzyku. Zapotrzebowanie na finansowanie pożyczkami w ramach RSFF jest wysokie od jego uruchomienia w połowie 2007 r.: na pierwszym etapie (2007-2010) zainteresowanie przekroczyło początkowe oczekiwania o ponad 50% pod względem liczby zatwierdzonych pożyczek (7,6 mld EUR w porównaniu z przewidywanymi 5 mld EUR).Ponadto banki zwykle nie są w stanie wycenić aktywów wiedzy, takich jak własność intelektualna, w związku z czym często nie są skłonne do inwestowania w przedsiębiorstwa prowadzące działalność opartą na wiedzy. W rezultacie wiele innowacyjnych przedsiębiorstw o ugruntowanej pozycji, tak dużych, jak i małych, nie może uzyskać pożyczek na obarczone wyższym ryzykiem działania w zakresie badań naukowych i innowacji. Opracowując i wdrażając taki(-e) instrument(-y), wspólnie z przynajmniej jednym podmiotem, któremu zostanie powierzone takie zadanie, zgodnie z rozporządzeniem (UE, Euratom) nr 966/2012, Komisja zapewni uwzględnienie odpowiedniego poziomu i form ryzyka technicznego i finansowego, tak aby wyjść naprzeciw określonym potrzebom.Podstawową przyczyną występowania tej luki rynkowej jest brak pewności, asymetria informacyjna oraz wysokie koszty związane z próbami rozwiązania następujących problemów: niedawno powstałe przedsiębiorstwa mają zbyt krótką historię, aby zadowolić potencjalnych pożyczkodawców, nawet przedsiębiorstwa o ugruntowanej pozycji często nie są w stanie przedstawić wystarczających informacji, a na początku inwestycji w badania naukowe i innowacje wcale nie jest pewne, czy podejmowane wysiłki rzeczywiście doprowadzą do udanej innowacji.Ponadto przedsiębiorstwa na etapie prac koncepcyjnych lub działające w nowo powstających dziedzinach zwykle nie mają wystarczającego zabezpieczenia. Kolejny czynnik zniechęcający wiąże się z faktem, że nawet jeśli podjęte działania w zakresie badań naukowych i innowacji zaowocują produktem lub procesem odpowiednim do wykorzystania komercyjnego, wcale nie jest pewne, czy przedsiębiorstwo, które podjęło takie działania będzie w stanie czerpać z nich wyłączne korzyści.Pod względem unijnej wartości dodanej dłużny instrument finansowy pomoże rozwiązać występujące na rynku problemy, ze względu na które sektor prywatny nie dokonuje optymalnych inwestycji w badania naukowe i innowacje. Jego wdrożenie umożliwi wytworzenie masy krytycznej zasobów z budżetu Unii oraz, na zasadzie podziału ryzyka, z instytucji finansowej(-ych), której(-ym) jego wdrożenie zostanie powierzone. Będzie stymulować przedsiębiorstwa do inwestowania w badania naukowe i innowacje większych własnych kwot, niż zainwestowałyby w innej sytuacji. Ponadto dłużny instrument finansowy pomoże organizacjom, zarówno publicznym, jak i prywatnym, ograniczyć ryzyko związane z przedkomercyjnymi zamówieniami publicznymi bądź zamówieniami publicznymi na innowacyjne produkty i usługi.Na szczeblu Unii potrzebny jest instrument kapitałowy służący celom badań naukowych i innowacji, aby przyczynić się do zwiększenia dostępności finansowania kapitałowego dla inwestycji we wczesnej fazie i w fazie wzrostu oraz do wsparcia rozwoju rynku kapitału wysokiego ryzyka w Unii. Podczas transferu technologii i w fazie rozruchu nowe przedsiębiorstwa znajdują się w „dolinie śmierci”, kiedy przestają napływać publiczne dotacje na badania naukowe, a nie można przyciągnąć finansowania prywatnego. Wsparcie publiczne mające na celu pozyskanie prywatnych funduszy kapitału zalążkowego lub rozruchowego z myślą o wypełnieniu tej luki jest obecnie rozdrobnione i sporadyczne lub zarządzane w sposób świadczący o braku niezbędnej wiedzy specjalistycznej. Ponadto większość funduszy kapitału wysokiego ryzyka w Europie jest zbyt mała, aby długofalowo wspierać rozwój innowacyjnych przedsiębiorstw, a także nie ma masy krytycznej potrzebnej do specjalizacji i działania transnarodowego.Konsekwencje są poważne. Przed kryzysem finansowym europejskie fundusze kapitału wysokiego ryzyka inwestowały w MŚP ok. 7 mld EUR rocznie, natomiast wartości za 2009 i 2010 r. mieściły się w zakresie 3–4 mld EUR. Ograniczone finansowanie kapitałem wysokiego ryzyka wpłynęło na liczbę podmiotów rozpoczynających działalność gospodarczą wspieranych przez fundusze tej kategorii: w 2007 r. finansowanie kapitałem wysokiego ryzyka otrzymało ok. 3 tys. MŚP, a w 2010 r. tylko ok. 2,5 tys.Pod względem wartości dodanej Unii, instrument kapitałowy służący celom badań naukowych i innowacji będzie uzupełniać programy krajowe i regionalne, które nie są w stanie wspierać transgranicznych inwestycji w badania naukowe i innowacje. Pomoc udzielana we wczesnej fazie będzie mieć również efekt demonstracji, który może korzystnie wpłynąć na inwestorów publicznych i prywatnych w całej Europie. W fazie wzrostu niezbędną skalę i silne zaangażowanie inwestorów prywatnych, mające zasadnicze znaczenie dla funkcjonowania samodzielnego rynku kapitału wysokiego ryzyka, można uzyskać tylko na poziomie europejskim.Instrumenty dłużny i kapitałowy, wsparte zbiorem środków uzupełniających, przyczynią się do realizacji celów politycznych programu „Horyzont 2020”. W tym celu będą one przeznaczone na konsolidację i podniesienie poziomu jakości europejskiej bazy naukowej, promowanie badań naukowych i innowacji o agendzie biznesowej, oraz stawianie czoła wyzwaniom społecznym, koncentrując się na działaniach takich jak pilotaż, demonstracja, poligony doświadczalne oraz absorpcja na rynku. Należy zapewnić konkretne działania wspierające, takie jak działania informacyjne i szkoleniowe dla MŚP. Podczas planowania i realizacji tych działań można, w stosownych przypadkach, zasięgać opinii organów regionalnych, stowarzyszeń MŚP, izb handlowych i odpowiednich pośredników finansowych.Ponadto działania przyczynią się do osiągnięcia celów badawczo-innowacyjnych innych programów i obszarów polityki, takich jak wspólna polityka rolna, działania w dziedzinie klimatu (przejście na gospodarkę niskoemisyjną i przystosowanie się do zmiany klimatu) i wspólna polityka rybołówstwa. W kontekście wspólnych ram strategicznych polityki spójności 2014-2020 rozwijana będzie komplementarność z krajowymi i regionalnymi instrumentami finansowymi. W tym zakresie przewiduje się większe znaczenie instrumentów finansowych.Ich konstrukcja jako instrumentów dłużnych i kapitałowych uwzględnia potrzebę rozwiązania różnych szczególnych problemów rynkowych oraz charakterystykę (np. dynamikę i tempo tworzenia przedsiębiorstw) oraz wymogi tych i innych obszarów w zakresie finansowania bez wprowadzania zakłóceń na rynku. Stosowanie instrumentów finansowych musi wnosić wyraźną europejską wartość dodaną i powinno zwiększać dźwignię finansową oraz funkcjonować jako uzupełnienie instrumentów krajowych. Przydziały budżetowe między instrumentami mogą zostać dostosowane w trakcie realizacji programu „Horyzont 2020” w odpowiedzi na zmieniające się warunki ekonomiczne.Instrument kapitałowy i okno dla MŚP instrumentu dłużnego zostaną wdrożone jako część dwóch finansowych instrumentów Unii, które zapewniają finansowanie kapitałowe i dłużne na rzecz wspierania badań naukowych i innowacji oraz wzrostu MŚP w połączeniu z instrumentem kapitałowym i dłużnym programu COSME. Zapewniona zostanie komplementarność między programami „Horyzont 2020” i programem COSME.

Ogólne kierunki działań

(a) Instrument dłużny zapewniający finansowanie dłużne badań naukowych i innowacji: „Instrument pożyczkowo-gwarancyjny Unii na rzecz badań naukowych i innowacji”

Celem jest poprawa dostępu do finansowania dłużnego (pożyczki, gwarancje, regwarancje i inne formy dłużnego finansowania ryzyka) dla podmiotów publicznych i prywatnych oraz dla partnerstw publiczno-prywatnych zaangażowanych w działania w zakresie badań naukowych i innowacji, które wymagają ryzykownych inwestycji, aby przynieść owoce. Działania koncentrują się na wspieraniu badań naukowych i innowacji o wysokim potencjale doskonałości.Zważywszy, że jednym z celów programu „Horyzont 2020” jest przyczynienie się do zmniejszenia luki między działalnością badawczo-rozwojową a innowacjami, sprzyjanie pojawianiu się na rynku nowych lub ulepszonych produktów i usług oraz uwzględnianie krytycznej roli fazy weryfikacji projektu w procesie transferu wiedzy, wprowadzone mogą zostać mechanizmy umożliwiające finansowanie fazy weryfikacji projektu, niezbędnej dla potwierdzenia znaczenia, roli i przyszłego innowacyjnego wpływu wyników badań lub wynalazków będących obiektem transferu.Docelowi beneficjenci końcowi to potencjalnie podmioty prawne dowolnej wielkości, które mogą pożyczać i zwracać środki pieniężne oraz, w szczególności, MŚP odznaczające się potencjałem wprowadzania innowacji i szybkiego wzrostu; średnie i duże przedsiębiorstwa; uniwersytety i instytucje badawcze; infrastruktura badawcza i innowacyjna; partnerstwa publiczno-prywatne oraz projekty specjalnego przeznaczenia.Finansowanie z instrumentu dłużnego obejmuje dwa główne składniki:(1)Składnik stymulowany zapotrzebowaniem, obejmujący pożyczki i gwarancje udzielane na zasadzie „kto pierwszy, ten lepszy”, przy szczególnym wsparciu dla beneficjentów takich jak MŚP i przedsiębiorstwa o średniej kapitalizacji. Ten składnik jest odpowiedzią na stabilny i nieprzerwany wzrost wolumenu pożyczek RSFF, stymulowany zapotrzebowaniem. W ramach okna dla MŚP wspiera się działania mające na celu poprawę dostępu do finansowania dla MŚP i innych podmiotów ukierunkowanych głównie na działalność w obszarze badań, rozwoju i innowacji. Mogą one obejmować wsparcie dla trzeciej fazy instrumentu MŚP z uwzględnieniem poziomu zapotrzebowania.(2)Składnik ukierunkowany, skupiający się na kierunkach polityki i kluczowych sektorach mających podstawowe znaczenie dla sprostania wyzwaniom społecznym, wzmocnienia wiodącej pozycji w przemyśle i konkurencyjności, wspierania zrównoważonego, niskoemisyjnego wzrostu gospodarczego sprzyjającego włączeniu społecznemu, a także zapewnienia środowiskowych i innych dóbr publicznych. Ten składnik pomaga Unii w działaniach związanych z aspektami sektorowych celów strategicznych, dotyczącymi badań naukowych i innowacji.

(b) Instrument finansowy zapewniający finansowanie kapitałowe badań naukowych i innowacji: „Instrumenty kapitałowe Unii w zakresie badań naukowych i innowacji”

Celem jest wniesienie wkładu w przezwyciężenie problemów rynku europejskiego kapitału wysokiego ryzyka oraz zapewnienie kapitałowych i quasi-kapitałowych instrumentów inwestycyjnych na pokrycie potrzeb rozwojowych i finansowych innowacyjnych przedsiębiorstw od fazy zalążka przez wzrost po ekspansję. Działania koncentrują się na wspieraniu celów programu „Horyzont 2020” i powiązanych obszarów polityki.Docelowymi beneficjentami końcowymi są potencjalnie przedsiębiorstwa dowolnej wielkości podejmujące innowacyjną działalność lub przygotowujące się do niej, ze szczególnym naciskiem na MŚP i przedsiębiorstwa o średniej kapitalizacji.Instrument kapitałowy będzie się koncentrował na funduszach kapitału wysokiego ryzyka i funduszach funduszy ukierunkowanych na przedsięwzięcia we wczesnej fazie, zapewniając kapitałowe i quasi-kapitałowe instrumenty inwestycyjne (w tym finansowanie mezaninowe) na potrzeby przedsiębiorstw z portfeli indywidualnych. Instrument będzie również mógł być wykorzystany do celów inwestycji rozwojowych i inwestycji w fazie wzrostu, w połączeniu z instrumentem kapitałowym dla inwestycji znajdujących się na etapie wzrostu w ramach COSME, tak aby zapewnić stałe wsparcie podczas fazy rozruchu i rozwoju przedsiębiorstw.Instrument kapitałowy, stymulowany zapotrzebowaniem, bazuje na podejściu portfelowym, przewidującym, że fundusze kapitału wysokiego ryzyka i inni porównywalni pośrednicy wybierają przedsiębiorstwa, w które będą inwestować.Na przykład na potrzeby osiągnięcia określonych celów związanych z wyzwaniami społecznymi może zostać zastosowane powiązanie z celami, w oparciu o pozytywne doświadczenia Programu ramowego na rzecz konkurencyjności i innowacji (2007-2013) (CIP) pod względem powiązania z celami ekoinnowacji.Okno rozruchowe, służące wsparciu w fazie zalążkowej i wczesnego rozwoju, umożliwia inwestycje kapitałowe m.in. w organizacje zajmujące się transferem wiedzy i podobne organy, dzięki wsparciu transferu technologii (w tym transferu wyników badań i wynalazków powstałych w sferze badań ze środków publicznych do sektora produkcyjnego, na przykład poprzez weryfikację projektu), fundusze kapitału zalążkowego, transgraniczne fundusze kapitału zalążkowego i fundusze ukierunkowane na przedsięwzięcia we wczesnej fazie, instrumenty współfinansowania aniołów biznesu, aktywa w postaci własności intelektualnej, platformy wymiany praw własności intelektualnej i obrotu nimi oraz fundusze kapitału wysokiego ryzyka ukierunkowane na przedsięwzięcia we wczesnej fazie, a także fundusze funduszy działające ponad granicami i inwestujące w fundusze kapitału wysokiego ryzyka. Mogą one obejmować wsparcie dla trzeciej fazy instrumentu MŚP z uwzględnieniem poziomu zapotrzebowania.Okno wzrostowe jest ukierunkowane na inwestycje rozwojowe i inwestycje na etapie wzrostu, w połączeniu z instrumentem kapitałowym dla inwestycji znajdujących się na etapie wzrostu w ramach programu COSME, w tym inwestycje w fundusze funduszy sektora prywatnego i publicznego działające ponad granicami i inwestujące w fundusze kapitału wysokiego ryzyka, z których większość jest ukierunkowana tematycznie, w sposób wspierający osiąganie celów strategii „Europa 2020”.";"";"H2020";"H2020-EU.2.";"";"";"2014-09-22 20:42:36";"664217" +"H2020-EU.2.1.4.1.";"es";"H2020-EU.2.1.4.1.";"";"";"Impulsar las biotecnologías de vanguardia como futuro motor de la innovación";"Cutting-edge biotechnologies as future innovation driver";"

Impulsar las biotecnologías de vanguardia como futuro motor de la innovación

Desarrollo de ámbitos tecnológicos emergentes como la biología sintética, la bioinformática y la biología de sistemas, que ofrecen buenas perspectivas en materia de productos y tecnologías innovadores y de aplicaciones completamente nuevas.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:48";"664191" +"H2020-EU.2.1.3.1.";"pl";"H2020-EU.2.1.3.1.";"";"";"Przekrojowe i prorozwojowych technologie materiałowe";"Cross-cutting and enabling materials technologies";"

Przekrojowe i prorozwojowych technologie materiałowe

Badania naukowe w zakresie materiałów pod kątem projektowania, materiałów funkcjonalnych, materiałów wielofunkcyjnych w większym stopniu oparte na wiedzy naukowej, nowych funkcjach i udoskonalonej wydajności oraz materiałów strukturalnych na potrzeby innowacji we wszystkich sektorach przemysłu, w tym w sektorach kreatywnych.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:19";"664175" +"H2020-EU.2.1.3.1.";"it";"H2020-EU.2.1.3.1.";"";"";"Tecnologie trasversali e abilitanti in materia di materiali";"Cross-cutting and enabling materials technologies";"

Tecnologie trasversali e abilitanti in materia di materiali

Ricerca sui materiali in base alla progettazione, sui materiali funzionali, sui materiali multifunzionali a più elevata intensità di conoscenze, dotati di nuove funzionalità e migliori prestazioni, e sui materiali strutturali per l'innovazione in tutti i settori industriali, comprese le industrie creative.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:19";"664175" +"H2020-EU.2.1.2.4.";"fr";"H2020-EU.2.1.2.4.";"";"";"Assurer une synthèse et une fabrication efficaces et durables des nanomatériaux, de leurs composants et de leurs systèmes";"Synthesis and manufacturing of nanomaterials, components and systems";"

Assurer une synthèse et une fabrication efficaces et durables des nanomatériaux, de leurs composants et de leurs systèmes

Cibler les nouvelles exploitations, l'intégration intelligente des processus nouveaux et existants, y compris les convergences technologiques, ainsi que le passage à une production à grande échelle de grande précision et à des sites de production flexibles et polyvalents, afin d'assurer une conversion efficace du savoir en innovation industrielle.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:08";"664169" +"H2020-EU.1.4.3.";"de";"H2020-EU.1.4.3.";"";"";"Stärkung der europäischen Forschungsinfrastrukturpolitik und der internationalen Zusammenarbeit";"Research infrastructure policy and international cooperation";"

Stärkung der europäischen Forschungsinfrastrukturpolitik und der internationalen Zusammenarbeit

Ziel ist die Unterstützung von Partnerschaften zwischen den zuständigen politischen Entscheidungsträgern und Fördergremien, die Bestandsaufnahme und Überwachung von Instrumenten für die Entscheidungsfindung sowie die Unterstützung der internationalen Zusammenarbeit. Die europäischen Forschungsinfrastrukturen können bei ihren Tätigkeiten im Rahmen internationaler Beziehungen unterstützt werden.Die unter den Buchstaben b und c aufgeführten Ziele werden durch spezifische Maßnahmen sowie gegebenenfalls im Rahmen der unter Buchstabe a dargelegten Maßnahmen verfolgt.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:11";"664137" +"H2020-EU.1.4.1.";"es";"H2020-EU.1.4.1.";"";"";"Desarrollar las infraestructuras de investigación europeas para 2020 y años posteriores";"Research infrastructures for 2020 and beyond";"

Desarrollar las infraestructuras de investigación europeas para 2020 y años posteriores

Se tratará de facilitar y apoyar acciones relacionadas con: (1) la preparación, la implantación y el funcionamiento del ESFRI y otras infraestructuras de investigación de categoría mundial, incluido el desarrollo de instalaciones regionales asociadas, cuando la intervención de la Unión aporte un importante valor añadido; (2) la integración de las infraestructuras de investigación nacionales y regionales de interés y el acceso transnacional a ellas, de modo que los científicos europeos puedan utilizarlas, independientemente de su ubicación, a fin de realizar una investigación del más alto nivel; (3) el desarrollo, despliegue y uso de las infraestructuras electrónicas con el fin de garantizar una capacidad de liderazgo mundial en materia de creación de redes, informática y datos científicos.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:39:46";"664123" +"H2020-EU.2.1.5.4.";"it";"H2020-EU.2.1.5.4.";"";"";"Nuovi modelli economici sostenibili";"New sustainable business models";"

Nuovi modelli economici sostenibili

Sviluppare concetti e metodologie relativi a modelli economici di adattamento e basati sulle conoscenze con approcci personalizzati, tra cui approcci alternativi in materia di produttività delle risorse.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:14";"664205" +"H2020-EU.2.1.4.3.";"it";"H2020-EU.2.1.4.3.";"";"";"Tecnologie di piattaforma innovative e competitive";"Innovative and competitive platform technologies";"

Tecnologie di piattaforma innovative e competitive

Sviluppo di tecnologie di piattaforma, quali ad esempio genomica, meta-genomica, proteomica, metabolomica, strumenti molecolari, sistemi di espressione, piattaforme di fenotipizzazione e piattaforme basate sulle cellule, per rafforzare la leadership e il vantaggio competitivo in un'ampia gamma di settori che hanno un impatto economico.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:55";"664195" +"H2020-EU.2.1.5.4.";"de";"H2020-EU.2.1.5.4.";"";"";"Neue nachhaltige Geschäftsmodelle";"New sustainable business models";"

Neue nachhaltige Geschäftsmodelle

Ableitung von Konzepten und Methoden für adaptive, wissensgestützte und maßgeschneiderte Unternehmensmodelle, einschließlich alternativer ressourcensparender Ansätze.";"";"H2020";"H2020-EU.2.1.5.";"";"";"2014-09-22 20:42:14";"664205" +"H2020-EU.2.1.3.6.";"it";"H2020-EU.2.1.3.6.";"";"";"Metrologia, caratterizzazione, standardizzazione e controllo di qualità";"Metrology, characterisation, standardisation and quality control";"

Metrologia, caratterizzazione, standardizzazione e controllo di qualità

Promozione delle tecnologie quali la caratterizzazione, la valutazione non distruttiva, l'esame e il monitoraggio continui e la modellizzazione di tipo predittivo delle prestazioni per consentire progressi e impatto nella scienza e nell'ingegneria dei materiali.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:37";"664185" +"H2020-EU.2.1.3.3.";"fr";"H2020-EU.2.1.3.3.";"";"";"Gestion des composants de matériaux";"Management of materials components";"

Gestion des composants de matériaux

Recherche et développement portant sur des techniques nouvelles et innovantes pour les matériaux et leurs composants et systèmes.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:26";"664179" +"H2020-EU.2.1.3.3.";"de";"H2020-EU.2.1.3.3.";"";"";"Management von Werkstoffkomponenten ";"Management of materials components";"

Management von Werkstoffkomponenten

Forschung und Entwicklung neuer und innovativer Techniken für Materialien und ihre Komponenten und Systeme.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:26";"664179" +"H2020-EU.2.1.2.5.";"es";"H2020-EU.2.1.2.5.";"";"";"Desarrollo y normalización de técnicas, métodos de medición y equipos que potencien la capacidad";"Capacity-enhancing techniques, measuring methods and equipment";"

Desarrollo y normalización de técnicas, métodos de medición y equipos que potencien la capacidad

Centrándose en las tecnologías subyacentes para apoyar el desarrollo y la introducción en el mercado de nanomateriales y nanosistemas complejos y seguros.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:41:12";"664171" +"H2020-EU.2.1.2.1.";"fr";"H2020-EU.2.1.2.1.";"";"";"Développer les nanomatériaux, les nanodispositifs et les nanosystèmes de la prochaine génération";"Next generation nanomaterials, nanodevices and nanosystems";"

Développer les nanomatériaux, les nanodispositifs et les nanosystèmes de la prochaine génération

Cibler les produits fondamentalement nouveaux permettant des solutions durables dans toute une série de secteurs.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:40:58";"664163" +"H2020-EU.1.";"pl";"H2020-EU.1.";"";"";"PRIORYTET „Doskonała baza naukowa”";"Excellent Science";"

PRIORYTET „Doskonała baza naukowa”

Ta część ma na celu wzmocnienie jakości bazy naukowej Unii i jej rozszerzenie oraz konsolidację EPB w celu zwiększenia konkurencyjności systemu badań naukowych i innowacji Unii w skali globalnej. Składa się z czterech celów szczegółowych:a)„Europejska Rada ds. Badań Naukowych (ERBN)” w ramach ogólnounijnego współzawodnictwa zapewnia atrakcyjne i elastyczne finansowanie, aby umożliwić utalentowanym i kreatywnym naukowcom oraz ich zespołom koncentrację na najbardziej obiecujących kierunkach badań pionierskich. H2020-EU.1.1. (http://cordis.europa.eu/programme/rcn/664099_en.html) b)„Przyszłe i powstające technologie (FET)” wspierają wspólne badania w celu zwiększenia potencjału Europy w zakresie zaawansowanych innowacji powodujących przesunięcie paradygmatu. Wspierana jest współpraca między dyscyplinami naukowymi w odniesieniu do radykalnie nowych pomysłów obarczonych wysokim stopniem ryzyka i przyspieszane jest opracowywanie najbardziej obiecujących nowych obszarów nauki i technologii oraz strukturyzowanie odpowiednich społeczności naukowych na szczeblu Unii. H2020-EU.1.2. (/programme/rcn/664101_en.html)c)Działania „Maria Skłodowska-Curie” zapewniają najwyższej jakości innowacyjne szkolenia w zakresie badań naukowych, a także atrakcyjne możliwości rozwoju kariery i wymiany wiedzy, poprzez międzynarodową i międzysektorową mobilność naukowców, w celu jak najlepszego przygotowania ich do podjęcia obecnych i przyszłych wyzwań społecznych. H2020-EU.1.2. (http://cordis.europa.eu/programme/rcn/664109_en.html)d)„Infrastruktura badawcza” ma za zadanie rozwój i wspieranie najwyższej jakości europejskiej infrastruktury badawczej oraz wspomaganie jej w działaniu na rzecz EPB poprzez wspieranie jej potencjału w zakresie innowacji, przyciąganie światowej klasy naukowców oraz rozwój kapitału ludzkiego oraz uzupełnienie tych działań działaniami w ramach odpowiedniej polityki Unii i współpracy międzynarodowej. H2020-EU.1.4. (http://cordis.europa.eu/programme/rcn/664121_en.html)Wykazano, że każdy z tych celów ma wysoką unijną wartość dodaną. Wspólnie tworzą one efektywny i zrównoważony zbiór działań, które, wraz z działaniami na poziomie krajowym, regionalnym i lokalnym, odpowiadają na wszystkie potrzeby Europy w zakresie zaawansowanych badań naukowych i technologii. Połączenie ich w jednym programie umożliwi realizowanie ich w sposób bardziej spójny, zracjonalizowany, uproszczony i ukierunkowany, przy jednoczesnym zachowaniu ciągłości, która ma zasadnicze znaczenie dla utrzymania ich skuteczności.Są to działania z natury wybiegające w przyszłość, budujące kompetencje w długim horyzoncie czasowym, skupiające się na kolejnej generacji nauki, technologii, naukowców i innowacji oraz zapewniające wsparcie dla nowych talentów z Unii, państw stowarzyszonych i całego świata. W związku z ich zorientowanym na naukę charakterem i w dużej mierze oddolnym, nastawionym na inicjatywę badaczy sposobem finansowania, europejskie środowisko naukowe będzie mieć do odegrania istotną rolę w określaniu kierunków badań naukowych realizowanych w ramach programu „Horyzont 2020”.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:18:04";"664091" +"H2020-EU.2.1.2.1.";"es";"H2020-EU.2.1.2.1.";"";"";"Desarrollo de la próxima generación de nanomateriales, nanosistemas y nanodispositivos";"Next generation nanomaterials, nanodevices and nanosystems";"

Desarrollo de la próxima generación de nanomateriales, nanosistemas y nanodispositivos

Encaminado a obtener productos fundamentalmente nuevos que hagan posibles soluciones sostenibles en una amplia gama de sectores.";"";"H2020";"H2020-EU.2.1.2.";"";"";"2014-09-22 20:40:58";"664163" +"H2020-EU.1.4.3.";"pl";"H2020-EU.1.4.3.";"";"";"Wzmocnienie europejskiej polityki w zakresie infrastruktury badawczej i współpracy międzynarodowej";"Research infrastructure policy and international cooperation";"

Wzmocnienie europejskiej polityki w zakresie infrastruktury badawczej i współpracy międzynarodowej

Celem jest wspieranie partnerstw między odnośnymi decydentami a organami finansującymi, tworzenia narzędzi mapowania i monitorowania na potrzeby procesu decyzyjnego, a także wspieranie współpracy międzynarodowej. Należy wspierać europejską infrastrukturę badawczą w działaniach z zakresu stosunków międzynarodowych.Cele wymienione w działaniach pod pozycjami b) i c) są realizowane w drodze specjalnych działań, a także – w odpowiednich przypadkach – w ramach działań wypracowywanych zgodnie z działaniem pod pozycją a).";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:11";"664137" +"H2020-EU.1.4.3.";"it";"H2020-EU.1.4.3.";"";"";"Rafforzamento della politica europea in materia di infrastrutture di ricerca e della cooperazione internazionale";"Research infrastructure policy and international cooperation";"

Rafforzamento della politica europea in materia di infrastrutture di ricerca e della cooperazione internazionale

L'obiettivo è sostenere i partenariati fra i pertinenti responsabili politici e gli organismi di finanziamento, mappando e monitorando gli strumenti di decisione politica e le attività di cooperazione internazionale. Le infrastrutture di ricerca europee possono essere sostenute nell'ambito delle loro attività di relazioni internazionali.Gli obiettivi stabiliti nell'ambito delle attività di cui alle lettere b) e c) sono perseguiti mediante azioni ad hoc e all'interno delle azioni sviluppate nell'ambito delle attività di cui alla lettera a), ove opportuno.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:40:11";"664137" +"H2020-EU.1.4.1.";"it";"H2020-EU.1.4.1.";"";"";"Sviluppare le infrastrutture di ricerca europee per il 2020 e oltre";"Research infrastructures for 2020 and beyond";"

Sviluppare le infrastrutture di ricerca europee per il 2020 e oltre

Gli obiettivi consistono nell'agevolare e sostenere azioni legate a: 1) la preparazione, l'attuazione e la gestione di ESFRI e di altre infrastrutture di ricerca di livello mondiale, compreso lo sviluppo di strutture partner regionali, ove vi sia un forte valore aggiunto per l'intervento dell'Unione; 2) l'integrazione e l'accesso transnazionale alle infrastrutture di ricerca nazionali e regionali di interesse europeo, in modo che gli scienziati europei possano utilizzarle, a prescindere dalla loro ubicazione, per condurre ricerche di alto livello; 3) lo sviluppo, l'introduzione e la gestione delle infrastrutture in rete per assicurare una capacità d'importanza mondiale nell'ambito delle strutture di rete, dell'elaborazione e dei dati scientifici.";"";"H2020";"H2020-EU.1.4.";"";"";"2014-09-22 20:39:46";"664123" +"H2020-EU.1.";"es";"H2020-EU.1.";"";"";"PRIORIDAD ""Ciencia excelente""";"Excellent Science";"

PRIORIDAD ""Ciencia excelente""

Esta parte aspira a reforzar y ampliar la excelencia de la base científica de la Unión, así como a consolidar el Espacio Europeo de Investigación para lograr que el sistema de investigación e innovación de la Unión resulte más competitivo a escala mundial. Consta de cuatro objetivos específicos:a)El Consejo Europeo de Investigación (CEI) proporcionará una financiación atractiva y flexible para permitir a investigadores de talento y creativos y a sus equipos explorar las alternativas más prometedoras en las fronteras de la ciencia, sobre la base de la competencia a escala de la Unión. H2020-EU.1.1. (http://cordis.europa.eu/programme/rcn/664099_en.html)b)Las Tecnologías Futuras y Emergentes apoyarán la investigación en colaboración a fin de ampliar la capacidad de Europa para realizar una innovación avanzada y que modifique los paradigmas. Fomentarán la colaboración científica entre disciplinas sobre ideas radicalmente nuevas y de alto riesgo y acelerarán el desarrollo de los campos emergentes más prometedores de la ciencia y la tecnología, así como la estructuración en toda la Unión de las comunidades científicas correspondientes. H2020-EU.1.2. (http://cordis.europa.eu/programme/rcn/664101_en.html)c)Las acciones Marie Skłodowska-Curie proporcionarán una formación en investigación excelente e innovadora, así como oportunidades atractivas de carrera profesional e intercambio de conocimientos, a través de la movilidad transfronteriza y transectorial de los investigadores, a fin de prepararlos óptimamente para hacer frente a los retos de la sociedad presentes y futuros. H2020-EU.1.3. (http://cordis.europa.eu/programme/rcn/664109_en.html)d)Las ""infraestructuras de investigación"" impulsarán y apoyarán las infraestructuras de investigación europeas excelentes y las ayudarán a funcionar para el EEI fomentando su potencial para la innovación, captando a investigadores de nivel mundial, formando el capital humano y complementando todo ello con la política de cooperación internacional de la Unión. H2020-EU.1.4. (http://cordis.europa.eu/programme/rcn/664121_en.html)Se ha demostrado que todos esos objetivos poseen un alto valor añadido de la Unión. Conjuntamente, forman un conjunto de actividades potente y equilibrado que, en concertación con las actividades a nivel nacional, regional y local, cubren la totalidad de las necesidades de Europa en materia de ciencia y tecnología avanzadas. Estar agrupados en un único programa les permitirá trabajar con mayor coherencia, de manera racionalizada, simplificada y más focalizada, pero manteniendo la continuidad que es vital para apuntalar su eficacia.Las actividades son intrínsecamente prospectivas, construyen competencias a largo plazo, se centran en la próxima generación en ciencia, tecnología, investigación e innovación, y prestan apoyo a los nuevos talentos de la Unión, de los países asociados y del mundo. Habida cuenta de la primacía que se concede a la ciencia y de los mecanismos de financiación en gran parte ""ascendentes"" e impulsados por los investigadores, la comunidad científica europea desempeñará un papel importante en la determinación de las líneas de investigación que se sigan en Horizonte 2020.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:18:04";"664091" +"H2020-EU.3.2.1.";"pl";"H2020-EU.3.2.1.";"";"";"Zrównoważone rolnictwo i leśnictwo";"Sustainable agriculture and forestry";"

Zrównoważone rolnictwo i leśnictwo

Celem jest zapewnienie wystarczającego zaopatrzenia w żywność, paszę, biomasę i inne surowce, przy jednoczesnym zabezpieczeniu zasobów naturalnych, takich jak woda, gleba, oraz bioróżnorodności, w europejskiej i światowej perspektywie, oraz udoskonalenie usług ekosystemowych, w tym walka ze skutkami zmiany klimatu i łagodzenie ich. Działania mają skupiać się na podniesieniu jakości i wartości produktów rolniczych poprzez wypracowanie bardziej zrównoważonych i produktywnych systemów rolnictwa – w tym chowu zwierząt – i leśnictwa, które są różnorodne, odporne i zasobooszczędne (niskoemisyjne oraz o niskich nakładach zewnętrznych, i oszczędzające wodę), chronią zasoby naturalne, produkują mniej odpadów i mają zdolność przystosowywania się do zmieniających się warunków środowiskowych. Ponadto działania mają dotyczyć rozwoju usług, koncepcji i polityk wspierających rozwój środków utrzymania na obszarach wiejskich i zachęcających do zrównoważonej konsumpcji.W szczególności w leśnictwie celem jest wytwarzanie – w zrównoważony sposób – biomasy, produktów biologicznych i dostarczanie usług ekosystemowych, z należytym uwzględnieniem aspektów gospodarczych, ekologicznych i społecznych leśnictwa. Działania skupią się na dalszym rozwijaniu produkcji i zrównoważonego charakteru zasobooszczędnych systemów leśnictwa, które będą wpływać na podniesienie poziomu odporności lasów i ochronę bioróżnorodności i które mogą zaspokoić zwiększone zapotrzebowanie na biomasę.Pod uwagę zostanie również wzięta interakcja między roślinami użytkowymi a zdrowiem i dobrostanem, a także wykorzystanie ogrodnictwa i leśnictwa do rozwoju zazieleniania miast.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:37";"664283" +"H2020-EU.3.2.1.";"fr";"H2020-EU.3.2.1.";"";"";"Agriculture et sylviculture durables";"Sustainable agriculture and forestry";"

Agriculture et sylviculture durables

L'objectif est de fournir en suffisance des aliments pour les hommes et les animaux, de la biomasse et d'autres matières premières tout en préservant les ressources naturelles, telles que l'eau, les sols et la biodiversité, dans une perspective européenne et mondiale, et en renforçant les services écosystémiques, notamment en s'efforçant de lutter contre le changement climatique et de l'atténuer. Les activités viseront à augmenter la qualité et la valeur des produits agricoles en mettant en œuvre une agriculture plus durable et plus productive, y compris des systèmes d'élevage et de sylviculture qui soient diversifiés, résistants et efficaces dans l'utilisation des ressources (en termes de faible émission de carbone, de faible apport extérieur et de consommation d'eau), protègent les ressources naturelles, produisent moins de déchets et puissent s'adapter à un environnement en transformation. Elles seront en outre axées sur le développement des services, des concepts et des politiques qui aideront les populations rurales à prospérer et elles viseront à favoriser une consommation compatible avec le développement durable.Dans le domaine de la sylviculture en particulier, l'objectif est de produire de la biomasse et des bioproduits et de fournir des services écosystémiques de façon durable, tout en tenant compte des aspects économiques, écologiques et sociaux de ce secteur. Les activités seront axées sur le développement de la production et de la durabilité de systèmes sylvicoles qui soient économes en ressources et de nature à renforcer la résilience des forêts ainsi que la protection de la biodiversité, et qui puissent répondre à la hausse de la demande de biomasse.En outre, on prendra en considération l'interaction entre les plantes fonctionnelles, d'une part, et la santé et le bien-être, d'autre part, ainsi que l'exploitation de l'horticulture et de la sylviculture pour le développement de la place du végétal dans les villes.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:37";"664283" +"H2020-EU.3.2.1.";"es";"H2020-EU.3.2.1.";"";"";"Agricultura y silvicultura sostenibles";"Sustainable agriculture and forestry";"

Agricultura y silvicultura sostenibles

El objetivo es suministrar suficientes alimentos, piensos, biomasa y otras materias primas, al tiempo que se salvaguardan la base de los recursos naturales como el agua y el suelo y la biodiversidad, con una perspectiva europea y mundial, y se mejoran los servicios ecosistémicos, incluida la adaptación al cambio climático y su mitigación. Las actividades se centrarán en aumentar la calidad y el valor de los productos agrícolas proporcionando una agricultura más sostenible y productiva, incluida la zootecnia y los sistemas agroforestales eficientes en la utilización de recursos (incluida una agricultura baja en carbono y en insumos externos y ecológica). Además, las actividades se centrarán en el desarrollo de servicios, conceptos y políticas para una vida rural próspera y en el fomento del consumo sostenible.En particular en lo que se refiere a la silvicultura, el objetivo es producir bioproductos, servicios ecosistémicos y suficiente biomasa, respetando debidamente los aspectos económicos, ecológicos y sociales de ese sector. Las actividades se centrarán en un mayor desarrollo de la producción y la sostenibilidad de sistemas forestales que utilicen los recursos con eficiencia y sirvan para reforzar la resiliencia forestal y la protección de la biodiversidad y que puedan hacer frente a un aumento de la demanda de biomasa.Se estudiará también la interacción de las plantas funcionales con la salud y el bienestar, así como la explotación de la horticultura y la silvicultura para el desarrollo de la ecologización urbana.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:37";"664283" +"H2020-EU.3.2.1.";"de";"H2020-EU.3.2.1.";"";"";"Nachhaltige Land- und Forstwirtschaft";"Sustainable agriculture and forestry";"

Nachhaltige Land- und Forstwirtschaft

Ziel ist die ausreichende Versorgung mit Lebensmitteln, Futtermitteln, Biomasse und anderen Rohstoffen unter Wahrung der natürlichen Ressourcen wie Wasser, Boden und biologische Vielfalt, aus europäischer und globaler Perspektive, und Verbesserung der Ökosystemleistungen, einschließlich des Umgangs mit dem Klimawandel und dessen Abmilderung. Schwerpunkt der Tätigkeiten ist die Steigerung der Qualität und des Werts der landwirtschaftlichen Erzeugnisse durch eine im Ergebnis nachhaltigere und produktivere Landwirtschaft, einschließlich Tierzucht und Forstwirtschaft, die vielseitig, widerstandsfähig und ressourcenschonend ist (im Sinne eines geringen CO2-Ausstoßes, geringen externen Inputs und niedrigen Wasserverbrauchs), die natürlichen Ressourcen schützt, weniger Abfall erzeugt und, anpassungsfähig ist. Darüber hinaus geht es um die Entwicklung von Dienstleistungen, Konzepten und Strategien zur Stärkung der wirtschaftlichen Existenz in ländlichen Gebieten und zur Förderung nachhaltiger Verbrauchsmuster.Insbesondere in Bezug auf die Forstwirtschaft besteht das Ziel darin, auf nachhaltige Weise biobasierte Produkte, Ökosystemleistungen und ausreichend Biomasse zu erzeugen und dabei die wirtschaftlichen, ökologischen und sozialen Aspekte der Forstwirtschaft gebührend zu berücksichtigen. Schwerpunkt der Tätigkeiten wird die Weiterentwicklung der Produktion und Nachhaltigkeit ressourceneffizienter Forstwirtschaftssysteme sein, die für die Stärkung der Widerstandsfähigkeit der Wälder und für den Schutz der biologischen Vielfalt von entscheidender Bedeutung sind und die zunehmende Nachfrage nach Biomasse befriedigen können.Auch die Wechselwirkung zwischen Funktionspflanzen einerseits und Gesundheit und Wohlergehen andererseits sowie der Einsatz von Gartenbau und Forstwirtschaft für den Ausbau der Stadtbegrünung werden berücksichtigt.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:37";"664283" +"H2020-EU.3.2.1.";"it";"H2020-EU.3.2.1.";"";"";"Agricoltura e silvicoltura sostenibili";"Sustainable agriculture and forestry";"

Agricoltura e silvicoltura sostenibili

La finalità è fornire prodotti alimentari, mangimi, biomassa e altre materie prime in quantità sufficienti, tutelando le risorse naturali quali l'acqua, il suolo e la biodiversità in una prospettiva europea e globale, e promuovendo servizi ecosistemici, anche per affrontare e attenuare il cambiamento climatico. Le attività si concentrano sull'aumento della qualità e del valore dei prodotti agricoli attraverso il conseguimento di un'agricoltura più sostenibile e produttiva, compresi il settore zootecnico e i sistemi forestali, che siano diversificati, resilienti e basati su un uso efficiente delle risorse (in termini di basse emissioni di carbonio e bassi apporti esterni e acqua), che proteggano le risorse naturali, producano meno residui e siano in grado di adeguarsi alle trasformazioni dell'ambiente. Le attività si concentrano inoltre sullo sviluppo di servizi, idee e politiche per fare prosperare i mezzi di sussistenza della popolazione rurale e promuovere il consumo sostenibile.In particolare per quanto riguarda la silvicoltura, l'obiettivo è quello di produrre in modo sostenibile biomassa e prodotti biologici e di fornire servizi ecosistemici, tenendo nella dovuta considerazione gli aspetti economici, ecologici e sociali della silvicoltura. Le attività si concentreranno sullo sviluppo ulteriore della produzione e della sostenibilità di sistemi forestali efficienti sotto il profilo delle risorse e funzionali al rafforzamento della resilienza delle foreste e della protezione della biodiversità, nonché in grado di soddisfare la crescente domanda di biomassa.Saranno considerati altresì l'interazione tra piante funzionali e salute e benessere, e lo sfruttamento dell'orticoltura e della silvicoltura per lo sviluppo del rinverdimento urbano.";"";"H2020";"H2020-EU.3.2.";"";"";"2014-09-22 20:44:37";"664283" +"H2020-EU.1.";"it";"H2020-EU.1.";"";"";"PRIORITÀ ""Eccellenza scientifica""";"Excellent Science";"

PRIORITÀ ""Eccellenza scientifica""

La presente parte mira a rafforzare e ad ampliare l'eccellenza della base scientifica dell'Unione e a consolidare il SER al fine di rendere il sistema di ricerca e innovazione dell'Unione più competitivo su scala mondiale. Essa si articola in quattro obiettivi specifici.a)""Consiglio europeo della ricerca (CER)"" fornisce finanziamenti attraenti e flessibili per consentire a singoli ricercatori creativi e di talento e alle loro équipe di esplorare le vie più promettenti alle frontiere della scienza sulla base di una concorrenza di livello unionale. H2020-EU.1.1. (http://cordis.europa.eu/programme/rcn/664099_en.html)b)""Tecnologie emergenti e future (TEF)"" sostiene la ricerca collaborativa al fine di ampliare la capacità dell'Europa di produrre innovazioni d'avanguardia e in grado di rivoluzionare il pensiero tradizionale. Esso stimola la collaborazione scientifica interdisciplinare sulla base di idee radicalmente nuove, ad alto rischio, accelerando lo sviluppo dei settori scientifici e tecnologici emergenti più promettenti nonché la strutturazione su scala unionale delle corrispondenti comunità scientifiche. H2020-EU.1.2. (http://cordis.europa.eu/programme/rcn/664101_en.html)c)""Azioni Marie Skłodowska-Curie"" fornisce un'eccellente e innovativa formazione nella ricerca nonché una carriera interessante e opportunità di scambio di conoscenze grazie alla mobilità transfrontaliera e intersettoriale dei ricercatori, al fine di prepararli al meglio ad affrontare le sfide per la società attuali e future. H2020-EU.1.3. (http://cordis.europa.eu/programme/rcn/664109_en.html)d)""Infrastrutture di ricerca"" sviluppa e sostiene le infrastrutture europee di ricerca di eccellenza e le aiutano a contribuire al SER promuovendone il potenziale innovativo, attraendo ricercatori di livello mondiale, formando il capitale umano e integrando in tal modo la corrispondente politica dell'Unione e la cooperazione internazionale. H2020-EU.1.4. (http://cordis.europa.eu/programme/rcn/664121_en.html)Ognuno di tali obiettivi ha dimostrato di possedere un elevato valore aggiunto dell'Unione. Congiuntamente generano un insieme di attività potente ed equilibrato che, associato alle attività a livello nazionale, regionale e locale, copre l'integralità dei bisogni europei relativi alla scienza e alla tecnologia di punta. Il loro raggruppamento in un unico programma consentirà loro di funzionare con maggior coerenza in modo razionale, semplificato e più mirato, mantenendo nel contempo la continuità necessaria a sostenerne l'efficacia.Queste attività sono intrinsecamente orientate al futuro e allo sviluppo di competenze a lungo termine, si incentrano sulla prossima generazione di conoscenze scientifiche, tecnologiche, di ricercatori e innovazioni e forniscono sostegno a talenti emergenti provenienti dall'Unione e dai paesi associati, nonché dal resto del mondo. Dal momento che il carattere di tali attività è orientato verso la scienza e in considerazione dei dispositivi di finanziamento ""dal basso"" basati sull'iniziativa dei ricercatori, la comunità scientifica europea svolgerà un importante ruolo nel determinare le prospettive di ricerca seguite nell'ambito di Orizzonte 2020. ";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:18:04";"664091" +"H2020-EU.1.";"de";"H2020-EU.1.";"";"";"SCHWERPUNKT ""Wissenschaftsexzellenz""";"Excellent Science";"

SCHWERPUNKT ""Wissenschaftsexzellenz""

Ziel dieses Teils ist die Stärkung und Ausweitung der Exzellenz der Wissenschaftsbasis der Europäischen Union und die Konsolidierung des Europäischen Forschungsraums, um die weltweite Wettbewerbsfähigkeit des Forschungs- und Innovationssystems der Union zu erhöhen. Dieser Teil umfasst vier Einzelziele:a)Für das Einzelziel ""Europäischer Forschungsrat (ERC)"" werden attraktive und flexible Fördermittel bereitgestellt, um es einzelnen, in einem unionsweiten Wettbewerb ausgewählten talentierten und kreativen Forschern und ihren Teams zu ermöglichen, vielversprechende Wege in Pionierbereichen der Wissenschaft zu beschreiten. H2020-EU.1.1. (http://cordis.europa.eu/programme/rcn/664099_en.html)b)Im Rahmen des Einzelziels ""Künftige und neu entstehende Technologien (FET)""wird die kooperative Forschung unterstützt, um Europas Kapazitäten für fortgeschrittene, einen Paradigmenwechsel bewirkende Innovationen auszuweiten. Angestrebt werden die Förderung disziplinenübergreifender Kooperationen bei grundlegend neuen, hochriskanten Ideen, eine schnellere Entwicklung vielversprechender neu entstehender Bereiche in Wissenschaft und Technologie sowie eine schnellere unionsweite Strukturierung der entsprechenden wissenschaftlichen Gemeinschaften. H2020-EU.1.2. (http://cordis.europa.eu/programme/rcn/664101_en.html)c) Das Einzelziel ""Marie-Skłodowska-Curie-Maßnahmen"" wird Möglichkeiten für eine exzellente und innovative Ausbildung in der Forschung sowie für eine attraktive Laufbahn und den Wissensaustausch durch eine grenz- und sektorübergreifende Mobilität von Wissenschaftlern bieten, um diese optimal auf die Bewältigung der aktuellen und künftigen gesellschaftlichen Herausforderungen vorzubereiten. H2020-EU.1.3. (http://cordis.europa.eu/programme/rcn/664109_en.html)d)Mit dem Einzelziel ""Forschungsinfrastrukturen"" sollen exzellente europäische Forschungsinfrastrukturen aufgebaut und gefördert und bei ihrem Beitrag zum EFR unterstützt werden, indem ihr Innovationspotenzial ausgebaut wird, Wissenschaftler von Weltrang angeworben werden und für die Qualifizierung des Humankapitals gesorgt wird, ergänzt durch eine entsprechende Unionspolitik und internationale Zusammenarbeit. H2020-EU.1.4. (http://cordis.europa.eu/programme/rcn/664121_en.html)Jedes dieser Ziele ist für sich genommen nachweislich von hohem europäischem Mehrwert. Zusammengenommen bilden sie ein kraftvolles und ausgewogenes Paket von Tätigkeiten, die gemeinsam mit den Tätigkeiten auf nationaler, regionaler und lokaler Ebene die gesamte Bandbreite der europäischen Bedürfnisse in Bezug auf fortgeschrittene Wissenschaft und Technologie umfassen. Durch ihre Bündelung in einem einzigen Programm lassen sie sich besser aufeinander abstimmen und ihre Durchführung unter Aufrechterhaltung der für ihre Wirksamkeit notwendigen Kontinuität rationeller, einfacher und zielgerichteter gestalten.Die Tätigkeiten sind perspektivisch ausgelegt, dienen dem langfristigen Aufbau von Fähigkeiten, konzentrieren sich auf Wissenschaft, Technologie, Forschung und Innovationen der nächsten Generation und unterstützen Nachwuchstalente aus der gesamten Union, den assoziierten Ländern und weltweit. Da die Anregungen für diese Tätigkeiten aus der Wissenschaft kommen und die Förderregelungen im weitesten Sinne von der Basis, d. h. von den Forschern selbst vorgeschlagen werden, wird die europäische Wissenschaftsgemeinschaft eine große Rolle bei der Festlegung der Wege spielen, die die im Rahmen von Horizont 2020 geförderte Forschung einschlagen wird.";"";"H2020";"H2020-EC";"";"";"2014-09-23 20:18:04";"664091" +"H2020-EU.2.1.3.1.";"fr";"H2020-EU.2.1.3.1.";"";"";"Technologies des matériaux transversales et génériques";"Cross-cutting and enabling materials technologies";"

Technologies des matériaux transversales et génériques

Recherche sur les matériaux sur mesure, fonctionnels et multifonctionnels, possédant un contenu élevé de connaissances, de nouvelles fonctionnalités et une performance améliorée, ainsi que sur les matériaux structurels à des fins d'innovation dans tous les secteurs industriels, y compris les industries de la création.";"";"H2020";"H2020-EU.2.1.3.";"";"";"2014-09-22 20:41:19";"664175" +"H2020-EU.2.1.4.1.";"pl";"H2020-EU.2.1.4.1.";"";"";"Wspieranie najnowocześniejszych biotechnologii jako przyszłych czynników stymulujących innowację";"Cutting-edge biotechnologies as future innovation driver";"

Wspieranie najnowocześniejszych biotechnologii jako przyszłych czynników stymulujących innowację

Rozwój powstających dziedzin technologii, takich jak biologia syntetyczna, bioinformatyka i biologia systemowa, niosących ze sobą wielką obietnicę opracowania innowacyjnych produktów i technologii oraz zupełnie nowatorskich zastosowań.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:48";"664191" +"H2020-EU.2.1.4.1.";"it";"H2020-EU.2.1.4.1.";"";"";"Rafforzare le biotecnologie d'avanguardia in quanto motore delle future innovazioni";"Cutting-edge biotechnologies as future innovation driver";"

Rafforzare le biotecnologie d'avanguardia in quanto motore delle future innovazioni

Sviluppo dei settori a tecnologia emergente come la biologia sintetica, la bioinformatica e la biologia dei sistemi, che risultano molto promettenti per tecnologie e prodotti innovativi e applicazioni del tutto nuove.";"";"H2020";"H2020-EU.2.1.4.";"";"";"2014-09-22 20:41:48";"664191" +"H2020-EU.2.2.2.";"es";"H2020-EU.2.2.2.";"";"";"Mecanismo de capital que proporciona financiación de capital para la I+i: ""Instrumentos de capital de la Unión para la investigación y la innovación""";"Equity facility";"

Mecanismo de capital que proporciona financiación de capital para la I+i: ""Instrumentos de capital de la Unión para la investigación y la innovación""

El objetivo es contribuir a superar las deficiencias del mercado de capital-riesgo europeo y proporcionar capital y cuasi capital para cubrir el desarrollo y las necesidades de financiación de las empresas innovadoras desde la fase de lanzamiento a la de crecimiento y expansión. Se hará hincapié en el apoyo a los objetivos de Horizonte 2020 y las políticas conexas.Los beneficiarios finales previstos serán potencialmente las empresas de todos los tamaños que acometan o se embarquen en actividades de innovación, con especial atención a las PYME y empresas de capitalización media innovadoras.El mecanismo de capital se centrará en los fondos de capital-riesgo y en los fondos de fondos para la fase inicial que facilitan capital-riesgo y cuasi capital (incluido capital intermedio) a empresas de cartera individual. El mecanismo contará asimismo con la posibilidad de efectuar inversiones en las fases de expansión y crecimiento en conjunción con el mecanismo de capital para el crecimiento del Programa COSME, para garantizar un apoyo continuado durante las fases de arranque y desarrollo de las empresas.El mecanismo de capital, que estará impulsado principalmente por la demanda, utilizará un planteamiento de cartera, según el cual los fondos de capital-riesgo y otros intermediarios comparables seleccionarán las empresas en las que se invierte.Se aplicará la asignación obligatoria para contribuir a la consecución de objetivos políticos concretos, basándose en la experiencia positiva del Programa Marco de Innovación y Competitividad (2007-2013) con la asignación de fondos para la ecoinnovación, en particular para alcanzar objetivos relacionados con los retos de la sociedad identificados.El apartado de arranque apoyará las fases de lanzamiento e inicial, haciendo posibles las inversiones de capital, entre otras, en organizaciones de transferencia de conocimientos y organismos similares mediante el apoyo a la transferencia de tecnología (inclusive la traslación al sector productivo de los resultados de la investigación y las invenciones generadas en el ámbito de la investigación pública, por ejemplo mediante pruebas de concepto), fondos de capital semilla, fondos semilla e iniciales transfronterizos, vehículos de coinversión para inversores providenciales, activos de propiedad intelectual, plataformas para el intercambio y comercio de derechos de propiedad intelectual y, para la etapa inicial, fondos de capital-riesgo y fondos de fondos que funcionen de modo transfronterizo e inviertan en fondos de capital-riesgo. Ello podría incluir el apoyo en la fase 3 del instrumento consagrado a las PYME supeditado al nivel de demanda.El apartado de crecimiento efectuará inversiones en las fases de expansión y crecimiento en conjunción con el mecanismo de capital para el crecimiento del Programa COSME, lo que incluye las inversiones en fondos de fondos que operan a través de las fronteras e invierten en fondos de capital-riesgo en los sectores público y privado, la mayor parte de los cuales tienen un punto focal temático que coadyuva a los objetivos de la estrategia Europa 2020.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:43";"664221" +"H2020-EU.2.2.2.";"de";"H2020-EU.2.2.2.";"";"";"Die Beteiligungskapital-Fazilität für FuI: ""Unionsinstrumente für die Beteiligungsfinanzierung von Forschung und Innovation""";"Equity facility";"

Die Beteiligungskapital-Fazilität für FuI: ""Unionsinstrumente für die Beteiligungsfinanzierung von Forschung und Innovation""

Angestrebt werden die Überwindung der Defizite des Risikokapitalmarkts der Union und die Bereitstellung von Beteiligungskapital und Quasi-Beteiligungskapital zur Deckung des Entwicklungs- und Finanzierungsbedarfs innovativer Unternehmen – von der Gründung bis zum Wachstum und zur Expansion. Schwerpunkt ist die Unterstützung der Ziele von Horizont 2020 und der einschlägigen Politik.Zielgruppe: Unternehmen jeder Größe, die auf dem Gebiet der Innovation tätig sind oder ihre Innovationstätigkeit aufnehmen, wobei innovativen KMU und Unternehmen mit mittlerer Kapitalausstattung besondere Aufmerksamkeit gilt.Die Beteiligungskapital-Fazilität konzentriert sich auf Frühphasen-Risikokapitalfonds und Dachfonds, mit denen einzelnen Portfolio-Unternehmen Risikokapital und Quasi-Beteiligungskapital (einschließlich Mezzanine-Kapital) zur Verfügung gestellt wird. Die Fazilität bietet auch die Möglichkeit für Investitionen in der Expansions- und Wachstumsphase in Verbindung mit der Beteiligungskapital-Fazilität für Wachstum im Rahmen von COSME, um eine kontinuierliche Unterstützung von der Gründung bis zur Expansion der Unternehmen zu gewährleisten.Die Beteiligungskapital-Fazilität, die vor allem nachfrageabhängig ist, stützt sich auf ein Portfolio-Konzept, bei dem Risikokapitalfonds und andere vergleichbare Intermediäre die für sie in Frage kommenden Unternehmen auswählen.In Anlehnung an die positiven Erfahrungen mit dem Programm für Wettbewerbsfähigkeit und Innovation (2007 bis 2013), in dem Mittel speziell für Öko-Innovationen, beispielsweise für die Erreichung von Zielen im Zusammenhang mit den festgestellten gesellschaftlichen Herausforderungen, bereitgestellt wurden, können Mittel speziell für die Unterstützung bestimmter politischer Ziele vorgesehen werden.Der Gründungsteil, mit dem die Gründungs- und die Frühphase unterstützt werden, soll Beteiligungskapitalinvestitionen u. a. in Organisationen für den Wissenstransfer und ähnliche Einrichtungen über Unterstützung für den Technologietransfer (einschließlich des Transfers von Forschungsergebnissen und Erfindungen aus dem Bereich der öffentlichen Forschung für den Produktionssektor, z. B. durch Konzepterprobung), in Gründungskapitalfonds, grenzüberschreitende Fonds für die Gründungs- und Frühphase, Business-Angel-Koinvestitionsinstrumente, Rechte an geistigem Eigentum, Plattformen für den Handel mit Rechten am geistigen Eigentum und in Risikokapitalfonds für die Frühphase sowie in grenzüberschreitend tätige und in Risikokapitalfonds investierende Dachfonds ermöglichen. Dies könnte – je nach Nachfrage – Unterstützung in der Phase 3 des KMU-Instruments umfassen.Der Wachstumsteil ermöglicht Investitionen in der Expansions- und Wachstumsphase in Verbindung mit der Beteiligungskapital-Fazilität für Wachstum im Rahmen von COSME, einschließlich Investitionen in grenzüberschreitend tätige Dachfonds des privaten sowie des öffentlichen Sektors, die in Risikokapitalfonds investieren und die überwiegend einen thematischen Schwerpunkt haben, der die Ziele der Strategie Europa 2020 unterstützt.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:43";"664221" +"H2020-EU.2.2.1.";"pl";"H2020-EU.2.2.1.";"";"";"Instrument dłużny zapewniający finansowanie dłużne badań naukowych i innowacji: „Instrument pożyczkowo-gwarancyjny Unii na rzecz badań naukowych i innowacji”";"Debt facility";"

Instrument dłużny zapewniający finansowanie dłużne badań naukowych i innowacji: „Instrument pożyczkowo-gwarancyjny Unii na rzecz badań naukowych i innowacji”

Celem jest poprawa dostępu do finansowania dłużnego (pożyczki, gwarancje, regwarancje i inne formy dłużnego finansowania ryzyka) dla podmiotów publicznych i prywatnych oraz dla partnerstw publiczno-prywatnych zaangażowanych w działania w zakresie badań naukowych i innowacji, które wymagają ryzykownych inwestycji, aby przynieść owoce. Działania koncentrują się na wspieraniu badań naukowych i innowacji o wysokim potencjale doskonałości.Zważywszy, że jednym z celów programu „Horyzont 2020” jest przyczynienie się do zmniejszenia luki między działalnością badawczo-rozwojową a innowacjami, sprzyjanie pojawianiu się na rynku nowych lub ulepszonych produktów i usług oraz uwzględnianie krytycznej roli fazy weryfikacji projektu w procesie transferu wiedzy, wprowadzone mogą zostać mechanizmy umożliwiające finansowanie fazy weryfikacji projektu, niezbędnej dla potwierdzenia znaczenia, roli i przyszłego innowacyjnego wpływu wyników badań lub wynalazków będących obiektem transferu.Docelowi beneficjenci końcowi to potencjalnie podmioty prawne dowolnej wielkości, które mogą pożyczać i zwracać środki pieniężne oraz, w szczególności, MŚP odznaczające się potencjałem wprowadzania innowacji i szybkiego wzrostu; średnie i duże przedsiębiorstwa; uniwersytety i instytucje badawcze; infrastruktura badawcza i innowacyjna; partnerstwa publiczno-prywatne oraz projekty specjalnego przeznaczenia.Finansowanie z instrumentu dłużnego obejmuje dwa główne składniki:(1)Składnik stymulowany zapotrzebowaniem, obejmujący pożyczki i gwarancje udzielane na zasadzie „kto pierwszy, ten lepszy”, przy szczególnym wsparciu dla beneficjentów takich jak MŚP i przedsiębiorstwa o średniej kapitalizacji. Ten składnik jest odpowiedzią na stabilny i nieprzerwany wzrost wolumenu pożyczek RSFF, stymulowany zapotrzebowaniem. W ramach okna dla MŚP wspiera się działania mające na celu poprawę dostępu do finansowania dla MŚP i innych podmiotów ukierunkowanych głównie na działalność w obszarze badań, rozwoju i innowacji. Mogą one obejmować wsparcie dla trzeciej fazy instrumentu MŚP z uwzględnieniem poziomu zapotrzebowania.(2)Składnik ukierunkowany, skupiający się na kierunkach polityki i kluczowych sektorach mających podstawowe znaczenie dla sprostania wyzwaniom społecznym, wzmocnienia wiodącej pozycji w przemyśle i konkurencyjności, wspierania zrównoważonego, niskoemisyjnego wzrostu gospodarczego sprzyjającego włączeniu społecznemu, a także zapewnienia środowiskowych i innych dóbr publicznych. Ten składnik pomaga Unii w działaniach związanych z aspektami sektorowych celów strategicznych, dotyczącymi badań naukowych i innowacji.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:40";"664219" +"H2020-EU.2.2.1.";"it";"H2020-EU.2.2.1.";"";"";"Lo strumento prestiti che fornisce finanziamenti in ambito R&I: ""Servizio di prestiti e garanzie dell'Unione per la ricerca e l'innovazione""";"Debt facility";"

Lo strumento prestiti che fornisce finanziamenti in ambito R&I: ""Servizio di prestiti e garanzie dell'Unione per la ricerca e l'innovazione""

La finalità è migliorare l'accesso al finanziamento tramite debito - prestiti, garanzie, controgaranzie e altre forme di debito e capitale di rischio - per le entità pubbliche e private e i partenariati pubblico-privato che esercitano attività di ricerca e innovazione che richiedono investimenti rischiosi per il loro svolgimento. L'obiettivo è sostenere la ricerca e l'innovazione con un forte potenziale d'eccellenza.Dato che uno degli obiettivi di Orizzonte 2020 è contribuire a ridurre il divario tra R&S e innovazione, favorendo l'ingresso nel mercato di prodotti e servizi nuovi o migliorati e tenendo conto del ruolo critico della fase di prova di concetto nel processo di trasferimento di conoscenza, possono essere introdotti meccanismi che permettano il finanziamento delle fasi di prova di concetto necessarie per confermare l'interesse, la pertinenza e l'impatto innovativo futuro dei risultati della ricerca o dell'invenzione oggetto del trasferimento.I beneficiari finali sono potenzialmente soggetti giuridici di tutte le dimensioni in grado di contrarre prestiti e rimborsare fondi e, in particolare, le PMI dotate del potenziale per svolgere attività innovative e crescere rapidamente, le imprese di dimensione intermedia (mid-caps) e le grandi imprese, le università e gli istituti di ricerca, le infrastrutture di ricerca e innovazione, i partenariati pubblico privato e i veicoli o i progetti per uso speciale.Il finanziamento dello strumento prestiti ha due componenti principali:(1)Un elemento basato sulla domanda, che fornisce prestiti e garanzie sulla base del principio ""primo arrivato, primo servito"" con un sostegno specifico per beneficiari quali le PMI e le mid-caps. Questa componente risponde alla progressiva e continua crescita del volume dei prestiti RSFF, che dipende dalla domanda. Nell'ambito della sezione PMI, sono sostenute le attività che mirano a migliorare l'accesso ai finanziamenti per le PMI e le altre entità promosse da attività innovative e/o di R&S. Ciò potrebbe includere il sostegno alla fase 3 dello strumento per le PMI subordinatamente al livello della domanda.(2)Un elemento mirato, concentrato sulle politiche e i settori chiave indispensabili per affrontare le sfide per la società, migliorare la leadership industriale e la competitività, promuovere la crescita sostenibile, inclusiva e a basse emissioni e fornire beni pubblici ambientali e di altro genere. Questo componente aiuta l'Unione ad affrontare gli aspetti relativi a ricerca e innovazione degli obiettivi strategici settoriali.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:40";"664219" +"H2020-EU.2.2.1.";"fr";"H2020-EU.2.2.1.";"";"";"Le mécanisme d'emprunt permettant le financement par l'emprunt des activités de recherche et d'innovation: «Service de prêt et de garantie de l'Union pour la recherche et l'innovation»";"Debt facility";"

Le mécanisme d'emprunt permettant le financement par l'emprunt des activités de recherche et d'innovation: «Service de prêt et de garantie de l'Union pour la recherche et l'innovation»

L'objectif est d'améliorer l'accès au financement par l'emprunt – prêts, garanties, contre-garanties et autres formes de financement par l'emprunt et de financement à risque – pour les entités publiques et privées et les partenariats public-privé menant des activités de recherche et d'innovation qui, pour porter leurs fruits, nécessitent des investissements à risque. L'accent est mis sur le soutien aux activités de recherche et d'innovation disposant d'un potentiel élevé d'excellence.Étant donné que l'un des objectifs d'Horizon 2020 est de contribuer à combler le fossé entre, d'une part, les activités de recherche et de développement et, d'autre part, l'innovation, en favorisant la mise sur le marché de produits et de services nouveaux ou améliorés et en tenant compte du rôle déterminant de la phase de validation des concepts dans le processus de transfert de connaissances, des mécanismes nécessaires au financement des phases de validation des concepts peuvent être introduits afin de confirmer l'importance, la pertinence et l'impact futur en termes d'innovation des résultats des recherches ou d'inventions faisant l'objet du transfert.Il convient, dans la mesure du possible, de cibler comme bénéficiaires finaux les entités juridiques de toutes tailles capables de rembourser les fonds empruntés, et notamment les PME disposant d'un potentiel d'innovation et de croissance rapide, les entreprises de taille intermédiaire et les grandes entreprises, les universités et les institutions de recherche les universités et instituts de recherche, les infrastructures de recherche et infrastructures d'innovation, partenariats public-privé; et les entités ou projets à vocation spécifique.Le financement par le mécanisme d'emprunt repose sur deux grands axes:(1)la demande: les prêts et les garanties sont accordés selon le principe du «premier arrivé, premier servi», un soutien particulier étant apporté aux bénéficiaires tels que les PME et les entreprises de taille intermédiaire. Cet axe doit permettre de faire face à l'augmentation constante et continue du volume de prêts accordés par le mécanisme de financement avec partage des risques, qui repose sur la demande. Le volet «PME» soutient les activités visant à améliorer l'accès au financement des PME et d'autres entités axées sur la recherche et le développement et/ou l'innovation. Dans ce cadre, l'instrument dédié aux PME pourrait aussi apporter une aide à la phase 3, en fonction du niveau de la demande.(2)les priorités sont ciblés en priorité les politiques et les secteurs clés dont la contribution est fondamentale pour relever les défis de société, renforcer la primauté industrielle et la compétitivité, promouvoir une croissance durable, inclusive et à faibles émissions de carbone et assurer la fourniture de biens environnementaux et autres biens publics. Cet axe doit aider l'Union à prendre en charge les volets de ses objectifs de politique sectorielle ayant trait à la recherche et à l'innovation.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:40";"664219" +"H2020-EU.2.2.1.";"es";"H2020-EU.2.2.1.";"";"";"Mecanismo de deuda que proporciona financiación de deuda para la I+i: ""Servicio de crédito y garantía de la Unión para la investigación y la innovación""";"Debt facility";"

Mecanismo de deuda que proporciona financiación de deuda para la I+i: ""Servicio de crédito y garantía de la Unión para la investigación y la innovación""

El objetivo es mejorar el acceso a la financiación de deuda -créditos, garantías, contragarantías y otras formas de financiación de deuda y riesgo- de las entidades públicas y privadas y las asociaciones público-privadas participantes en actividades de investigación e innovación que requieran inversiones arriesgadas para llegar a término. Se hará hincapié en apoyar la investigación y la innovación que tenga un elevado potencial de excelencia.Dado que uno de los objetivos de Horizonte 2020 es contribuir a estrechar la brecha existente entre la I+D y la innovación, favoreciendo la llegada al mercado de productos y servicios nuevos o mejorados, y teniendo en cuenta el papel crítico de la fase de prueba de concepto en el proceso de transferencia de conocimientos, se introducirán mecanismos que permitan la financiación de las fases de prueba de concepto, necesarias para validar la importancia, la pertinencia y el impacto innovador futuro de los resultados de la investigación o invención objeto de la transferencia.Los beneficiarios finales previstos serán potencialmente las entidades jurídicas de todos los tamaños que puedan pedir prestado dinero y reembolsarlo y, en particular, las PYME con potencial para innovar y crecer rápidamente; las empresas de capitalización media y las grandes empresas; las universidades y centros de investigación; las infraestructuras de investigación y las infraestructuras de innovación; las asociaciones público-privadas; y los vehículos o proyectos de propósito especial.La financiación del mecanismo de deuda tendrá dos componentes principales:(1)Uno orientado por la demanda, que facilitará créditos y garantías con arreglo al criterio del orden de llegada, con apoyo específico para beneficiarios como las PYME y las empresas de capitalización media. Este componente responderá al crecimiento constante y continuo observado en el volumen de préstamos del IFRC, que está impulsado por la demanda. En el apartado PYME, se prestará apoyo a actividades encaminadas a mejorar el acceso a la financiación para las PYME impulsadas por la I+D y/o la innovación. Ello podría incluir el apoyo en la fase 3 del instrumento consagrado a las PYME supeditado al nivel de demanda.(2)Otro focalizado, centrado en políticas y sectores fundamentales para afrontar los retos de la sociedad, potenciar el liderazgo industrial y la competitividad, apoyar el crecimiento inclusivo, sostenible y con baja emisión de carbono, y que proporciona bienes públicos medioambientales y de otro tipo. Este componente ayudará a la Unión a abordar los aspectos relacionados con la investigación y la innovación de los objetivos de la política sectorial.";"";"H2020";"H2020-EU.2.2.";"";"";"2014-09-22 20:42:40";"664219" diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/h2020_programme.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/h2020_programme.json.gz new file mode 100644 index 000000000..826d7cdfe Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/h2020_programme.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json deleted file mode 100644 index e8e04e8db..000000000 --- a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json +++ /dev/null @@ -1,277 +0,0 @@ -{"code":"H2020-EU.5.g.","title":"Take due and proportional precautions in research and innovation activities by anticipating and assessing potential environmental, health and safety impacts","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Take due and proportional precautions in research and innovation activities by anticipating and assessing potential environmental, health and safety impacts","classification_short":"Science with and for Society | Take due and proportional precautions in research and innovation activities by anticipating and assessing potential environmental, health and safety impacts"} -{"code":"H2020-EU.3.4.2.1.","title":"A substantial reduction of traffic congestion","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Better mobility, less congestion, more safety and security | A substantial reduction of traffic congestion","classification_short":"Societal Challenges | Transport | Mobility, safety and security | A substantial reduction of traffic congestion"} -{"code":"H2020-EU.3.4.5.4.","title":"ITD Airframe","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | ITD Airframe","classification_short":"Societal Challenges | Transport | CLEANSKY2 | ITD Airframe"} -{"code":"H2020-EU.3.3.8.1.","title":"Increase the electrical efficiency and the durability of the different fuel cells used for power production to levels which can compete with conventional technologies, while reducing costs","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | FCH2 (energy objectives) | Increase the electrical efficiency and the durability of the different fuel cells used for power production to levels which can compete with conventional technologies, while reducing costs","classification_short":"Societal Challenges | Energy | FCH2 (energy objectives) | Increase the electrical efficiency and the durability of the different fuel cells used for power production to levels which can compete with conventional technologies, while reducing costs"} -{"code":"H2020-EU.3.7.1.","title":"Fight crime, illegal trafficking and terrorism, including understanding and tackling terrorist ideas and beliefs","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Fight crime, illegal trafficking and terrorism, including understanding and tackling terrorist ideas and beliefs","classification_short":"Societal Challenges | Secure societies | Fight crime, illegal trafficking and terrorism, including understanding and tackling terrorist ideas and beliefs"} -{"code":"H2020-EU.3.4.1.1.","title":"Making aircraft, vehicles and vessels cleaner and quieter will improve environmental performance and reduce perceived noise and vibration","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Resource efficient transport that respects the environment | Making aircraft, vehicles and vessels cleaner and quieter will improve environmental performance and reduce perceived noise and vibration","classification_short":"Societal Challenges | Transport | Resource efficient transport that respects the environment | Making aircraft, vehicles and vessels cleaner and quieter will improve environmental performance and reduce perceived noise and vibration"} -{"code":"H2020-EU.1.4.3.","title":"Reinforcing European research infrastructure policy and international cooperation","shortTitle":"Research infrastructure policy and international cooperation","language":"en","classification":"Excellent science | Research Infrastructures | Reinforcing European research infrastructure policy and international cooperation","classification_short":"Excellent Science | Research Infrastructures | Research infrastructure policy and international cooperation"} -{"code":"H2020-EU.1.4.","title":"EXCELLENT SCIENCE - Research Infrastructures","shortTitle":"Research Infrastructures","language":"en","classification":"Excellent science | Research Infrastructures","classification_short":"Excellent Science | Research Infrastructures"} -{"code":"H2020-EU.3.4.6.1.","title":"Reduce the production cost of fuel cell systems to be used in transport applications, while increasing their lifetime to levels which can compete with conventional technologies","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | FCH2 (transport objectives) | Reduce the production cost of fuel cell systems to be used in transport applications, while increasing their lifetime to levels which can compete with conventional technologies","classification_short":"Societal Challenges | Transport | FCH2 (transport objectives) | Reduce the production cost of fuel cell systems to be used in transport applications, while increasing their lifetime to levels which can compete with conventional technologies"} -{"code":"H2020-EU.3.4.5.5.","title":"ITD Engines","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | ITD Engines","classification_short":"Societal Challenges | Transport | CLEANSKY2 | ITD Engines"} -{"code":"H2020-EU.2.1.1.7.3.","title":"Multi-disciplinary approaches for smart systems, supported by developments in holistic design and advanced manufacturing to realise self-reliant and adaptable smart systems having sophisticated interfaces and offering complex functionalities based on, for example, the seamless integration of sensing, actuating, processing, energy provision and networking","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | ECSEL | Multi-disciplinary approaches for smart systems, supported by developments in holistic design and advanced manufacturing to realise self-reliant and adaptable smart systems having sophisticated interfaces and offering complex functionalities based on, for example, the seamless integration of sensing, actuating, processing, energy provision and networking","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | ECSEL | Multi-disciplinary approaches for smart systems, supported by developments in holistic design and advanced manufacturing to realise self-reliant and adaptable smart systems having sophisticated interfaces and offering complex functionalities based on, for example, the seamless integration of sensing, actuating, processing, energy provision and networking"} -{"code":"H2020-EU.3.1.6.1.","title":"Promoting integrated care","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Health care provision and integrated care | Promoting integrated care","classification_short":"Societal Challenges | Health | Health care provision and integrated care | Promoting integrated care"} -{"code":"H2020-EU.3.7.6.","title":"Ensure privacy and freedom, including in the Internet and enhance the societal, legal and ethical understanding of all areas of security, risk and management","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Ensure privacy and freedom, including in the Internet and enhance the societal, legal and ethical understanding of all areas of security, risk and management","classification_short":"Societal Challenges | Secure societies | Ensure privacy and freedom, including in the Internet and enhance the societal, legal and ethical understanding of all areas of security, risk and management"} -{"code":"H2020-EU.3.4.2.3.","title":"Developing new concepts of freight transport and logistics","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Better mobility, less congestion, more safety and security | Developing new concepts of freight transport and logistics","classification_short":"Societal Challenges | Transport | Mobility, safety and security | Developing new concepts of freight transport and logistics"} -{"code":"H2020-EU.3.3.2.1.","title":"Develop the full potential of wind energy","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Low-cost, low-carbon energy supply | Develop the full potential of wind energy","classification_short":"Societal Challenges | Energy | Low-cost, low-carbon energy supply | Develop the full potential of wind energy"} -{"code":"H2020-EU.3.2.5.","title":"Cross-cutting marine and maritime research","shortTitle":"Cross-cutting marine and maritime research","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Cross-cutting marine and maritime research","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Cross-cutting marine and maritime research"} -{"code":"H2020-EU.3.4.7.","title":"SESAR JU","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | SESAR JU","classification_short":"Societal Challenges | Transport | SESAR JU"} -{"code":"H2020-EU.2.1.3.3.","title":"Management of materials components","shortTitle":"Management of materials components","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Management of materials components","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Management of materials components"} -{"code":"H2020-EU.3.3.3.","title":"Alternative fuels and mobile energy sources","shortTitle":"Alternative fuels and mobile energy sources","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Alternative fuels and mobile energy sources","classification_short":"Societal Challenges | Energy | Alternative fuels and mobile energy sources"} -{"code":"H2020-EU.7.","title":"THE EUROPEAN INSTITUTE OF INNOVATION AND TECHNOLOGY (EIT)","shortTitle":"European Institute of Innovation and Technology (EIT)","language":"en","classification":"THE EUROPEAN INSTITUTE OF INNOVATION AND TECHNOLOGY (EIT)","classification_short":"European Institute of Innovation and Technology (EIT)"} -{"code":"H2020-EU.3.5.4.1.","title":"Strengthen eco-innovative technologies, processes, services and products including exploring ways to reduce the quantities of raw materials in production and consumption, and overcoming barriers in this context and boost their market uptake","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Enabling the transition towards a green economy and society through eco-innovation | Strengthen eco-innovative technologies, processes, services and products including exploring ways to reduce the quantities of raw materials in production and consumption, and overcoming barriers in this context and boost their market uptake","classification_short":"Societal Challenges | Climate and environment | A green economy and society through eco-innovation | Strengthen eco-innovative technologies, processes, services and products including exploring ways to reduce the quantities of raw materials in production and consumption, and overcoming barriers in this context and boost their market uptake"} -{"code":"H2020-EU.3.1.4.","title":"Active ageing and self-management of health","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Active ageing and self-management of health","classification_short":"Societal Challenges | Health | Active ageing and self-management of health"} -{"code":"H2020-EU.1.","title":"Excellent science","shortTitle":"Excellent Science","language":"en","classification":"Excellent science","classification_short":"Excellent Science"} -{"code":"H2020-EU.3.5.6.1.","title":"Identifying resilience levels via observations, monitoring and modelling","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Cultural heritage | Identifying resilience levels via observations, monitoring and modelling","classification_short":"Societal Challenges | Climate and environment | Cultural heritage | Identifying resilience levels via observations, monitoring and modelling"} -{"code":"H2020-EU.3.2.4.3.","title":"Supporting market development for bio-based products and processes","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy | Supporting market development for bio-based products and processes","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based industries and supporting bio-economy | Supporting market development for bio-based products and processes"} -{"code":"H2020-EU.2.1.6.1.","title":"Enabling European competitiveness, non-dependence and innovation of the European space sector","shortTitle":"Competitiveness, non-dependence and innovation","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space | Enabling European competitiveness, non-dependence and innovation of the European space sector","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space | Competitiveness, non-dependence and innovation"} -{"code":"H2020-EU.4.b.","title":"Twinning of research institutions","shortTitle":"Twinning of research institutions","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION | Twinning of research institutions","classification_short":"Spreading excellence and widening participation | Twinning of research institutions"} -{"code":"H2020-EU.3.1.7.6.","title":"Psychiatric diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Psychiatric diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Psychiatric diseases"} -{"code":"H2020-EU.3.1.2.2.","title":"Improving diagnosis and prognosis","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Preventing disease | Improving diagnosis and prognosis","classification_short":"Societal Challenges | Health | Preventing disease | Improving diagnosis and prognosis"} -{"code":"H2020-EU.3.4.5.3.","title":"IADP Fast Rotorcraft","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | IADP Fast Rotorcraft","classification_short":"Societal Challenges | Transport | CLEANSKY2 | IADP Fast Rotorcraft"} -{"code":"H2020-EU.3.1.3.1.","title":"Treating disease, including developing regenerative medicine","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Treating and managing disease | Treating disease, including developing regenerative medicine","classification_short":"Societal Challenges | Health | Treating and managing disease | Treating disease, including developing regenerative medicine"} -{"code":"H2020-EU.3.4.3.3.","title":"Advanced production processes","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Global leadership for the European transport industry | Advanced production processes","classification_short":"Societal Challenges | Transport | Global leadership for the European transport industry | Advanced production processes"} -{"code":"H2020-EU.3.1.7.","title":"Innovative Medicines Initiative 2 (IMI2)","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2)","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2)"} -{"code":"H2020-EU.3.6.3.2.","title":"Research into European countries' and regions' history, literature, art, philosophy and religions and how these have informed contemporary European diversity","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Reflective societies - cultural heritage and European identity | Research into European countries' and regions' history, literature, art, philosophy and religions and how these have informed contemporary European diversity","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Reflective societies | Research into European countries' and regions' history, literature, art, philosophy and religions and how these have informed contemporary European diversity"} -{"code":"H2020-EU.3.5.1.2.","title":"Assess impacts, vulnerabilities and develop innovative cost-effective adaptation and risk prevention and management measures","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Fighting and adapting to climate change | Assess impacts, vulnerabilities and develop innovative cost-effective adaptation and risk prevention and management measures","classification_short":"Societal Challenges | Climate and environment | Fighting and adapting to climate change | Assess impacts, vulnerabilities and develop innovative cost-effective adaptation and risk prevention and management measures"} -{"code":"H2020-EU.3.6.1.","title":"Inclusive societies","shortTitle":"Inclusive societies","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Inclusive societies","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Inclusive societies"} -{"code":"H2020-EU.3.2.","title":"SOCIETAL CHALLENGES - Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy","shortTitle":"Food, agriculture, forestry, marine research and bioeconomy","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy"} -{"code":"H2020-EU.2.1.6.1.2.","title":"Boost innovation between space and non-space sectors","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space | Enabling European competitiveness, non-dependence and innovation of the European space sector | Boost innovation between space and non-space sectors","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space | Competitiveness, non-dependence and innovation | Boost innovation between space and non-space sectors"} -{"code":"H2020-EU.2.1.3.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Advanced materials","shortTitle":"Advanced materials","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials"} -{"code":"H2020-EU.2.1.2.3.","title":"Developing the societal dimension of nanotechnology","shortTitle":"Societal dimension of nanotechnology","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Nanotechnologies | Developing the societal dimension of nanotechnology","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Nanotechnologies | Societal dimension of nanotechnology"} -{"code":"H2020-EU.4.","title":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION","shortTitle":"Spreading excellence and widening participation","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION","classification_short":"Spreading excellence and widening participation"} -{"code":"H2020-EU.3.6.1.2.","title":"Trusted organisations, practices, services and policies that are necessary to build resilient, inclusive, participatory, open and creative societies in Europe, in particular taking into account migration, integration and demographic change","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Inclusive societies | Trusted organisations, practices, services and policies that are necessary to build resilient, inclusive, participatory, open and creative societies in Europe, in particular taking into account migration, integration and demographic change","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Inclusive societies | Trusted organisations, practices, services and policies that are necessary to build resilient, inclusive, participatory, open and creative societies in Europe, in particular taking into account migration, integration and demographic change"} -{"code":"H2020-EU.3.4.2.","title":"Better mobility, less congestion, more safety and security","shortTitle":"Mobility, safety and security","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Better mobility, less congestion, more safety and security","classification_short":"Societal Challenges | Transport | Mobility, safety and security"} -{"code":"H2020-EU.3.1.7.13.","title":"Other","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Other","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Other"} -{"code":"H2020-EU.3.3.3.3.","title":"New alternative fuels","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Alternative fuels and mobile energy sources | New alternative fuels","classification_short":"Societal Challenges | Energy | Alternative fuels and mobile energy sources | New alternative fuels"} -{"code":"H2020-EU.2.1.3.5.","title":"Materials for creative industries, including heritage","shortTitle":"Materials for creative industries, including heritage","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Materials for creative industries, including heritage","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Materials for creative industries, including heritage"} -{"code":"H2020-EU.3.3.3.2.","title":"Reducing time to market for hydrogen and fuel cells technologies","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Alternative fuels and mobile energy sources | Reducing time to market for hydrogen and fuel cells technologies","classification_short":"Societal Challenges | Energy | Alternative fuels and mobile energy sources | Reducing time to market for hydrogen and fuel cells technologies"} -{"code":"H2020-EU.5.d.","title":"Encourage citizens to engage in science through formal and informal science education, and promote the diffusion of science-based activities, namely in science centres and through other appropriate channels","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Encourage citizens to engage in science through formal and informal science education, and promote the diffusion of science-based activities, namely in science centres and through other appropriate channels","classification_short":"Science with and for Society | Encourage citizens to engage in science through formal and informal science education, and promote the diffusion of science-based activities, namely in science centres and through other appropriate channels"} -{"code":"H2020-EU.3.1.","title":"SOCIETAL CHALLENGES - Health, demographic change and well-being","shortTitle":"Health","language":"en","classification":"Societal challenges | Health, demographic change and well-being","classification_short":"Societal Challenges | Health"} -{"code":"H2020-EU.3.5.3.1.","title":"Improve the knowledge base on the availability of raw materials","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Ensuring the sustainable supply of non-energy and non-agricultural raw materials | Improve the knowledge base on the availability of raw materials","classification_short":"Societal Challenges | Climate and environment | Supply of non-energy and non-agricultural raw materials | Improve the knowledge base on the availability of raw materials"} -{"code":"H2020-EU.3.2.1.4.","title":"Sustainable forestry","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable agriculture and forestry | Sustainable forestry","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable agriculture and forestry | Sustainable forestry"} -{"code":"H2020-EU.3.3.","title":"SOCIETAL CHALLENGES - Secure, clean and efficient energy","shortTitle":"Energy","language":"en","classification":"Societal challenges | Secure, clean and efficient energy","classification_short":"Societal Challenges | Energy"} -{"code":"H2020-EU.3.4.8.1.","title":"Innovation Programme 1 (IP1): Cost-efficient and reliable trains","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU | Innovation Programme 1 (IP1): Cost-efficient and reliable trains","classification_short":"Societal Challenges | Transport | Shift2Rail JU | Innovation Programme 1 (IP1): Cost-efficient and reliable trains"} -{"code":"H2020-EU.2.3.2.1.","title":"Support for research intensive SMEs","shortTitle":"Support for research intensive SMEs","language":"en","classification":"Industrial leadership | Innovation In SMEs | Specific support | Support for research intensive SMEs","classification_short":"Industrial Leadership | Innovation in SMEs | Specific support | Support for research intensive SMEs"} -{"code":"H2020-EU.2.1.3.2.","title":"Materials development and transformation","shortTitle":"Materials development and transformation","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Materials development and transformation","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Materials development and transformation"} -{"code":"H2020-EU.1.4.1.3.","title":"Development, deployment and operation of ICT-based e-infrastructures","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Developing the European research infrastructures for 2020 and beyond | Development, deployment and operation of ICT-based e-infrastructures","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures for 2020 and beyond | Development, deployment and operation of ICT-based e-infrastructures"} -{"code":"H2020-EU.3.5.4.2.","title":"Support innovative policies and societal changes","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Enabling the transition towards a green economy and society through eco-innovation | Support innovative policies and societal changes","classification_short":"Societal Challenges | Climate and environment | A green economy and society through eco-innovation | Support innovative policies and societal changes"} -{"code":"H2020-EU.2.1.3.6.","title":"Metrology, characterisation, standardisation and quality control","shortTitle":"Metrology, characterisation, standardisation and quality control","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Metrology, characterisation, standardisation and quality control","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Metrology, characterisation, standardisation and quality control"} -{"code":"H2020-EU.3.4.5.8.","title":"ECO Transverse Area","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | ECO Transverse Area","classification_short":"Societal Challenges | Transport | CLEANSKY2 | ECO Transverse Area"} -{"code":"H2020-EU.5.f.","title":"Develop the governance for the advancement of responsible research and innovation by all stakeholders, which is sensitive to society needs and demands and promote an ethics framework for research and innovation","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Develop the governance for the advancement of responsible research and innovation by all stakeholders, which is sensitive to society needs and demands and promote an ethics framework for research and innovation","classification_short":"Science with and for Society | Develop the governance for the advancement of responsible research and innovation by all stakeholders, which is sensitive to society needs and demands and promote an ethics framework for research and innovation"} -{"code":"H2020-EU.5.h.","title":"Improving knowledge on science communication in order to improve the quality and effectiveness of interactions between scientists, general media and the public","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Improving knowledge on science communication in order to improve the quality and effectiveness of interactions between scientists, general media and the public","classification_short":"Science with and for Society | Improving knowledge on science communication in order to improve the quality and effectiveness of interactions between scientists, general media and the public"} -{"code":"H2020-EU.2.1.1.7.1.","title":"Design technologies, process and integration, equipment, materials and manufacturing for micro- and nanoelectronics while targeting miniaturisation, diversification and differentiation, heterogeneous integration","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | ECSEL | Design technologies, process and integration, equipment, materials and manufacturing for micro- and nanoelectronics while targeting miniaturisation, diversification and differentiation, heterogeneous integration","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | ECSEL | Design technologies, process and integration, equipment, materials and manufacturing for micro- and nanoelectronics while targeting miniaturisation, diversification and differentiation, heterogeneous integration"} -{"code":"H2020-EU.3.7.5.","title":"Increase Europe's resilience to crises and disasters","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Increase Europe's resilience to crises and disasters","classification_short":"Societal Challenges | Secure societies | Increase Europe's resilience to crises and disasters"} -{"code":"H2020-EU.1.4.2.2.","title":"Strengthening the human capital of research infrastructures","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Fostering the innovation potential of research infrastructures and their human resources | Strengthening the human capital of research infrastructures","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures and their human resources | Strengthening the human capital of research infrastructures"} -{"code":"H2020-EU.3.4.1.2.","title":"Developing smart equipment, infrastructures and services","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Resource efficient transport that respects the environment | Developing smart equipment, infrastructures and services","classification_short":"Societal Challenges | Transport | Resource efficient transport that respects the environment | Developing smart equipment, infrastructures and services"} -{"code":"H2020-EU.2.3.2.2.","title":"Enhancing the innovation capacity of SMEs","shortTitle":"Enhancing the innovation capacity of SMEs","language":"en","classification":"Industrial leadership | Innovation In SMEs | Specific support | Enhancing the innovation capacity of SMEs","classification_short":"Industrial Leadership | Innovation in SMEs | Specific support | Enhancing the innovation capacity of SMEs"} -{"code":"H2020-EU.1.3.5.","title":"Specific support and policy actions","shortTitle":"MSCA Specific support","language":"en","classification":"Excellent science | Marie Skłodowska-Curie Actions | Specific support and policy actions","classification_short":"Excellent Science | Marie-Sklodowska-Curie Actions | MSCA Specific support"} -{"code":"H2020-EU.3.2.3.3.","title":"Boosting marine and maritime innovation through biotechnology","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Unlocking the potential of aquatic living resources | Boosting marine and maritime innovation through biotechnology","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Potential of aquatic living resources | Boosting marine and maritime innovation through biotechnology"} -{"code":"H2020-EU.3.2.1.2.","title":"Providing ecosystems services and public goods","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable agriculture and forestry | Providing ecosystems services and public goods","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable agriculture and forestry | Providing ecosystems services and public goods"} -{"code":"H2020-EU.2.3.2.3.","title":"Supporting market-driven innovation","shortTitle":"Supporting market-driven innovation","language":"en","classification":"Industrial leadership | Innovation In SMEs | Specific support | Supporting market-driven innovation","classification_short":"Industrial Leadership | Innovation in SMEs | Specific support | Supporting market-driven innovation"} -{"code":"H2020-EU.5.a.","title":"Make scientific and technological careers attractive to young students, and forster sustainable interaction between schools, research institutions, industry and civil society organisations","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Make scientific and technological careers attractive to young students, and forster sustainable interaction between schools, research institutions, industry and civil society organisations","classification_short":"Science with and for Society | Make scientific and technological careers attractive to young students, and forster sustainable interaction between schools, research institutions, industry and civil society organisations"} -{"code":"H2020-EU.3.1.7.9.","title":"Ageing-associated diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Ageing-associated diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Ageing-associated diseases"} -{"code":"H2020-EU.2.2.1.","title":"The Debt facility providing debt finance for R&I: 'Union loan and guarantee service for research and innovation'","shortTitle":"Debt facility","language":"en","classification":"Industrial leadership | Access to risk finance | The Debt facility providing debt finance for R&I: 'Union loan and guarantee service for research and innovation'","classification_short":"Industrial Leadership | Access to risk finance | Debt facility"} -{"code":"H2020-Euratom-1.8.","title":"Ensure availability and use of research infrastructures of pan_european relevance","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Ensure availability and use of research infrastructures of pan_european relevance","classification_short":"Euratom | Indirect actions | Ensure availability and use of research infrastructures of pan_european relevance"} -{"code":"H2020-EU.3.2.2.1.","title":"Informed consumer choices","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet | Informed consumer choices","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet | Informed consumer choices"} -{"code":"H2020-EU.3.7.","title":"Secure societies - Protecting freedom and security of Europe and its citizens","shortTitle":"Secure societies","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens","classification_short":"Societal Challenges | Secure societies"} -{"code":"H2020-EU.1.3.4.","title":"Increasing structural impact by co-funding activities","shortTitle":"MSCA Co-funding","language":"en","classification":"Excellent science | Marie Skłodowska-Curie Actions | Increasing structural impact by co-funding activities","classification_short":"Excellent Science | Marie-Sklodowska-Curie Actions | MSCA Co-funding"} -{"code":"H2020-EU.2.1.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies","shortTitle":"Leadership in enabling and industrial technologies (LEIT)","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT)"} -{"code":"H2020-EU.2.1.3.4.","title":"Materials for a sustainable, resource-efficient and low-emission industry","shortTitle":"Materials for a resource-efficient and low-emission industry","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Materials for a sustainable, resource-efficient and low-emission industry","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Materials for a resource-efficient and low-emission industry"} -{"code":"H2020-EU.3.4.5.7.","title":"Small Air Transport (SAT) Transverse Area","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | Small Air Transport (SAT) Transverse Area","classification_short":"Societal Challenges | Transport | CLEANSKY2 | Small Air Transport (SAT) Transverse Area"} -{"code":"H2020-EU.3.4.8.3.","title":"Innovation Programme 3: Cost Efficient and Reliable High Capacity Infrastructure","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU | Innovation Programme 3: Cost Efficient and Reliable High Capacity Infrastructure","classification_short":"Societal Challenges | Transport | Shift2Rail JU | Innovation Programme 3: Cost Efficient and Reliable High Capacity Infrastructure"} -{"code":"H2020-Euratom-1.1.","title":"Support safe operation of nuclear systems","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Support safe operation of nuclear systems","classification_short":"Euratom | Indirect actions | Support safe operation of nuclear systems"} -{"code":"H2020-EU.2.3.1.","title":" Mainstreaming SME support, especially through a dedicated instrument","shortTitle":"Mainstreaming SME support","language":"en","classification":"Industrial leadership | Innovation In SMEs | Mainstreaming SME support, especially through a dedicated instrument","classification_short":"Industrial Leadership | Innovation in SMEs | Mainstreaming SME support"} -{"code":"H2020-EU.1.4.3.1.","title":"Reinforcing European policy for research infrastructures","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Reinforcing European research infrastructure policy and international cooperation | Reinforcing European policy for research infrastructures","classification_short":"Excellent Science | Research Infrastructures | Research infrastructure policy and international cooperation | Reinforcing European policy for research infrastructures"} -{"code":"H2020-Euratom-1.3.","title":"Support the development and sustainability of nuclear competences at Union level","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Support the development and sustainability of nuclear competences at Union level","classification_short":"Euratom | Indirect actions | Support the development and sustainability of nuclear competences at Union level"} -{"code":"H2020-EU.3.1.7.1.","title":"Antimicrobial resistance","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Antimicrobial resistance","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Antimicrobial resistance"} -{"code":"H2020-EU.3.7.4.","title":"Improve cyber security","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Improve cyber security","classification_short":"Societal Challenges | Secure societies | Improve cyber security"} -{"code":"H2020-EU.2.1.1.7.2.","title":"Processes, methods, tools and platforms, reference designs and architectures, for software and/or control-intensive embedded/cyber-physical systems, addressing seamless connectivity and interoperability, functional safety, high availability, and security for professional and consumer type applications, and connected services","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | ECSEL | Processes, methods, tools and platforms, reference designs and architectures, for software and/or control-intensive embedded/cyber-physical systems, addressing seamless connectivity and interoperability, functional safety, high availability, and security for professional and consumer type applications, and connected services","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | ECSEL | Processes, methods, tools and platforms, reference designs and architectures, for software and/or control-intensive embedded/cyber-physical systems, addressing seamless connectivity and interoperability, functional safety, high availability, and security for professional and consumer type applications, and connected services"} -{"code":"H2020-EU.3.5.4.","title":"Enabling the transition towards a green economy and society through eco-innovation","shortTitle":"A green economy and society through eco-innovation","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Enabling the transition towards a green economy and society through eco-innovation","classification_short":"Societal Challenges | Climate and environment | A green economy and society through eco-innovation"} -{"code":"H2020-EU.3.5.3.2.","title":"Promote the sustainable supply and use of raw materials, including mineral resources, from land and sea, covering exploration, extraction, processing, re-use, recycling and recovery","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Ensuring the sustainable supply of non-energy and non-agricultural raw materials | Promote the sustainable supply and use of raw materials, including mineral resources, from land and sea, covering exploration, extraction, processing, re-use, recycling and recovery","classification_short":"Societal Challenges | Climate and environment | Supply of non-energy and non-agricultural raw materials | Promote the sustainable supply and use of raw materials, including mineral resources, from land and sea, covering exploration, extraction, processing, re-use, recycling and recovery"} -{"code":"H2020-EU.3.4.5.10.","title":"Thematic Topics","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | Thematic Topics","classification_short":"Societal Challenges | Transport | CLEANSKY2 | Thematic Topics"} -{"code":"H2020-EU.3.1.5.1.","title":"Improving halth information and better use of health data","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Methods and data | Improving halth information and better use of health data","classification_short":"Societal Challenges | Health | Methods and data | Improving halth information and better use of health data"} -{"code":"H2020-EU.3.3.3.1.","title":"Make bio-energy more competitive and sustainable","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Alternative fuels and mobile energy sources | Make bio-energy more competitive and sustainable","classification_short":"Societal Challenges | Energy | Alternative fuels and mobile energy sources | Make bio-energy more competitive and sustainable"} -{"code":"H2020-EU.3.6.2.1.","title":"Strengthen the evidence base and support for the Innovation Union and ERA","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Innovative societies | Strengthen the evidence base and support for the Innovation Union and ERA","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Innovative societies | Strengthen the evidence base and support for the Innovation Union and ERA"} -{"code":"H2020-EU.3.1.7.12.","title":"Vaccine","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Vaccine","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Vaccine"} -{"code":"H2020-EU.3.5.4.3.","title":"Measure and assess progress towards a green economy","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Enabling the transition towards a green economy and society through eco-innovation | Measure and assess progress towards a green economy","classification_short":"Societal Challenges | Climate and environment | A green economy and society through eco-innovation | Measure and assess progress towards a green economy"} -{"code":"H2020-EU.3.4.8.5.","title":"Innovation Programme 5: Technologies for sustainable and attractive European rail freight","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU | Innovation Programme 5: Technologies for sustainable and attractive European rail freight","classification_short":"Societal Challenges | Transport | Shift2Rail JU | Innovation Programme 5: Technologies for sustainable and attractive European rail freight"} -{"code":"H2020-EU.3.5.4.4.","title":"Foster resource efficiency through digital systems","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Enabling the transition towards a green economy and society through eco-innovation | Foster resource efficiency through digital systems","classification_short":"Societal Challenges | Climate and environment | A green economy and society through eco-innovation | Foster resource efficiency through digital systems"} -{"code":"H2020-EU.3.3.8.3.","title":"Demonstrate on a large scale the feasibility of using hydrogen to support integration of renewable energy sources into the energy systems, including through its use as a competitive energy storage medium for electricity produced from renewable energy sources","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | FCH2 (energy objectives) | Demonstrate on a large scale the feasibility of using hydrogen to support integration of renewable energy sources into the energy systems, including through its use as a competitive energy storage medium for electricity produced from renewable energy sources","classification_short":"Societal Challenges | Energy | FCH2 (energy objectives) | Demonstrate on a large scale the feasibility of using hydrogen to support integration of renewable energy sources into the energy systems, including through its use as a competitive energy storage medium for electricity produced from renewable energy sources"} -{"code":"H2020-Euratom","title":"Euratom","shortTitle":"","language":"en","classification":"Euratom","classification_short":"Euratom"} -{"code":"H2020-EU.3.5.6.2.","title":"Providing for a better understanding on how communities perceive and respond to climate change and seismic and volcanic hazards","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Cultural heritage | Providing for a better understanding on how communities perceive and respond to climate change and seismic and volcanic hazards","classification_short":"Societal Challenges | Climate and environment | Cultural heritage | Providing for a better understanding on how communities perceive and respond to climate change and seismic and volcanic hazards"} -{"code":"H2020-EU.3.2.5.2.","title":"Develop the potential of marine resources through an integrated approach","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Cross-cutting marine and maritime research | Develop the potential of marine resources through an integrated approach","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Cross-cutting marine and maritime research | Develop the potential of marine resources through an integrated approach"} -{"code":"H2020-EU.2.1.1.5.","title":"Advanced interfaces and robots: Robotics and smart spaces","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | Advanced interfaces and robots: Robotics and smart spaces","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | Advanced interfaces and robots: Robotics and smart spaces"} -{"code":"H2020-EU.3.3.5.","title":"New knowledge and technologies","shortTitle":"New knowledge and technologies","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | New knowledge and technologies","classification_short":"Societal Challenges | Energy | New knowledge and technologies"} -{"code":"H2020-EU.1.2.2.","title":"FET Proactive","shortTitle":"FET Proactive","language":"en","classification":"Excellent science | Future and Emerging Technologies (FET) | FET Proactive","classification_short":"Excellent Science | Future and Emerging Technologies (FET) | FET Proactive"} -{"code":"H2020-EU.3.6.1.3.","title":"Europe's role as a global actor, notably regarding human rights and global justice","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Inclusive societies | Europe's role as a global actor, notably regarding human rights and global justice","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Inclusive societies | Europe's role as a global actor, notably regarding human rights and global justice"} -{"code":"H2020-EU.2.1.4.1.","title":"Boosting cutting-edge biotechnologies as a future innovation driver","shortTitle":"Cutting-edge biotechnologies as future innovation driver","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Biotechnology | Boosting cutting-edge biotechnologies as a future innovation driver","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Biotechnology | Cutting-edge biotechnologies as future innovation driver"} -{"code":"H2020-EU.3.1.3.","title":"Treating and managing disease","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Treating and managing disease","classification_short":"Societal Challenges | Health | Treating and managing disease"} -{"code":"H2020-EU.3.3.4.","title":"A single, smart European electricity grid","shortTitle":"A single, smart European electricity grid","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | A single, smart European electricity grid","classification_short":"Societal Challenges | Energy | A single, smart European electricity grid"} -{"code":"H2020-EU.3.2.6.","title":"Bio-based Industries Joint Technology Initiative (BBI-JTI)","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI)","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI)"} -{"code":"H2020-EU.1.3.2.","title":"Nurturing excellence by means of cross-border and cross-sector mobility","shortTitle":"MSCA Mobility","language":"en","classification":"Excellent science | Marie Skłodowska-Curie Actions | Nurturing excellence by means of cross-border and cross-sector mobility","classification_short":"Excellent Science | Marie-Sklodowska-Curie Actions | MSCA Mobility"} -{"code":"H2020-EU.2.1.3.7.","title":"Optimisation of the use of materials","shortTitle":"Optimisation of the use of materials","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Optimisation of the use of materials","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Optimisation of the use of materials"} -{"code":"H2020-EU.2.1.2.4.","title":"Efficient and sustainable synthesis and manufacturing of nanomaterials, components and systems","shortTitle":"Synthesis and manufacturing of nanomaterials, components and systems","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Nanotechnologies | Efficient and sustainable synthesis and manufacturing of nanomaterials, components and systems","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Nanotechnologies | Synthesis and manufacturing of nanomaterials, components and systems"} -{"code":"H2020-EU.1.4.1.","title":"Developing the European research infrastructures for 2020 and beyond","shortTitle":"Research infrastructures for 2020 and beyond","language":"en","classification":"Excellent science | Research Infrastructures | Developing the European research infrastructures for 2020 and beyond","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures for 2020 and beyond"} -{"code":"H2020-EU.3.1.1.1.","title":"Understanding the determinants of health, improving health promotion and disease prevention","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Understanding health, wellbeing and disease | Understanding the determinants of health, improving health promotion and disease prevention","classification_short":"Societal Challenges | Health | Understanding health, wellbeing and disease | Understanding the determinants of health, improving health promotion and disease prevention"} -{"code":"H2020-EU.5.c.","title":"Integrate society in science and innovation issues, policies and activities in order to integrate citizens' interests and values and to increase the quality, relevance, social acceptability and sustainability of research and innovation outcomes in various fields of activity from social innovation to areas such as biotechnology and nanotechnology","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Integrate society in science and innovation issues, policies and activities in order to integrate citizens' interests and values and to increase the quality, relevance, social acceptability and sustainability of research and innovation outcomes in various fields of activity from social innovation to areas such as biotechnology and nanotechnology","classification_short":"Science with and for Society | Integrate society in science and innovation issues, policies and activities in order to integrate citizens' interests and values and to increase the quality, relevance, social acceptability and sustainability of research and innovation outcomes in various fields of activity from social innovation to areas such as biotechnology and nanotechnology"} -{"code":"H2020-EU.5.","title":"SCIENCE WITH AND FOR SOCIETY","shortTitle":"Science with and for Society","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY","classification_short":"Science with and for Society"} -{"code":"H2020-EU.3.5.3.3.","title":"Find alternatives for critical raw materials","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Ensuring the sustainable supply of non-energy and non-agricultural raw materials | Find alternatives for critical raw materials","classification_short":"Societal Challenges | Climate and environment | Supply of non-energy and non-agricultural raw materials | Find alternatives for critical raw materials"} -{"code":"H2020-EU.3.2.3.1.","title":"Developing sustainable and environmentally-friendly fisheries","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Unlocking the potential of aquatic living resources | Developing sustainable and environmentally-friendly fisheries","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Potential of aquatic living resources | Developing sustainable and environmentally-friendly fisheries"} -{"code":"H2020-EU.2.1.2.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Nanotechnologies","shortTitle":"Nanotechnologies","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Nanotechnologies","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Nanotechnologies"} -{"code":"H2020-EU.3.4.3.2.","title":"On board, smart control systems","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Global leadership for the European transport industry | On board, smart control systems","classification_short":"Societal Challenges | Transport | Global leadership for the European transport industry | On board, smart control systems"} -{"code":"H2020-EU.3.2.4.1.","title":"Fostering the bio-economy for bio-based industries","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy | Fostering the bio-economy for bio-based industries","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based industries and supporting bio-economy | Fostering the bio-economy for bio-based industries"} -{"code":"H2020-EU.3.1.6.2.","title":"Optimising the efficiency and effectiveness of healthcare provision and reducing inequalities by evidence based decision making and dissemination of best practice, and innovative technologies and approaches","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Health care provision and integrated care | Optimising the efficiency and effectiveness of healthcare provision and reducing inequalities by evidence based decision making and dissemination of best practice, and innovative technologies and approaches","classification_short":"Societal Challenges | Health | Health care provision and integrated care | Optimising the efficiency and effectiveness of healthcare provision and reducing inequalities by evidence based decision making and dissemination of best practice, and innovative technologies and approaches"} -{"code":"H2020-EU.2.1.5.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Advanced manufacturing and processing","shortTitle":"Advanced manufacturing and processing","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced manufacturing and processing","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced manufacturing and processing"} -{"code":"H2020-EU.3.5.2.2.","title":"Developing integrated approaches to address water-related challenges and the transition to sustainable management and use of water resources and services","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Protection of the environment, sustainable management of natural resources, water, biodiversity and ecosystems | Developing integrated approaches to address water-related challenges and the transition to sustainable management and use of water resources and services","classification_short":"Societal Challenges | Climate and environment | Protection of the environment | Developing integrated approaches to address water-related challenges and the transition to sustainable management and use of water resources and services"} -{"code":"H2020-EU.3.1.7.3.","title":"Cardiovascular diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Cardiovascular diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Cardiovascular diseases"} -{"code":"H2020-EU.3.3.8.2.","title":"Increase the energy efficiency of production of hydrogen mainly from water electrolysis and renewable sources while reducing operating and capital costs, so that the combined system of the hydrogen production and the conversion using the fuel cell system can compete with the alternatives for electricity production available on the market","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | FCH2 (energy objectives) | Increase the energy efficiency of production of hydrogen mainly from water electrolysis and renewable sources while reducing operating and capital costs, so that the combined system of the hydrogen production and the conversion using the fuel cell system can compete with the alternatives for electricity production available on the market","classification_short":"Societal Challenges | Energy | FCH2 (energy objectives) | Increase the energy efficiency of production of hydrogen mainly from water electrolysis and renewable sources while reducing operating and capital costs, so that the combined system of the hydrogen production and the conversion using the fuel cell system can compete with the alternatives for electricity production available on the market"} -{"code":"H2020-EU.2.1.6.3.","title":"Enabling exploitation of space data","shortTitle":"Enabling exploitation of space data","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space | Enabling exploitation of space data","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space | Enabling exploitation of space data"} -{"code":"H2020-EU.2.1.2.5.","title":"Developing and standardisation of capacity-enhancing techniques, measuring methods and equipment","shortTitle":"Capacity-enhancing techniques, measuring methods and equipment","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Nanotechnologies | Developing and standardisation of capacity-enhancing techniques, measuring methods and equipment","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Nanotechnologies | Capacity-enhancing techniques, measuring methods and equipment"} -{"code":"H2020-EU.3.6.2.","title":"Innovative societies","shortTitle":"Innovative societies","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Innovative societies","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Innovative societies"} -{"code":"H2020-EU.3.1.2.1.","title":"Developing effective prevention and screening programmes and improving the assessment of disease susceptibility","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Preventing disease | Developing effective prevention and screening programmes and improving the assessment of disease susceptibility","classification_short":"Societal Challenges | Health | Preventing disease | Developing effective prevention and screening programmes and improving the assessment of disease susceptibility"} -{"code":"H2020-EU.3.6.1.4.","title":"The promotion of sustainable and inclusive environments through innovative spatial and urban planning and design","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Inclusive societies | The promotion of sustainable and inclusive environments through innovative spatial and urban planning and design","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Inclusive societies | The promotion of sustainable and inclusive environments through innovative spatial and urban planning and design"} -{"code":"H2020-EU.3.3.2.4.","title":"Develop geothermal, hydro, marine and other renewable energy options","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Low-cost, low-carbon energy supply | Develop geothermal, hydro, marine and other renewable energy options","classification_short":"Societal Challenges | Energy | Low-cost, low-carbon energy supply | Develop geothermal, hydro, marine and other renewable energy options"} -{"code":"H2020-EU.5.b.","title":"Promote gender equality in particular by supporting structural change in the organisation of research institutions and in the content and design of research activities","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Promote gender equality in particular by supporting structural change in the organisation of research institutions and in the content and design of research activities","classification_short":"Science with and for Society | Promote gender equality in particular by supporting structural change in the organisation of research institutions and in the content and design of research activities"} -{"code":"H2020-EU.1.3.3.","title":"Stimulating innovation by means of cross-fertilisation of knowledge","shortTitle":"MSCA Knowledge","language":"en","classification":"Excellent science | Marie Skłodowska-Curie Actions | Stimulating innovation by means of cross-fertilisation of knowledge","classification_short":"Excellent Science | Marie-Sklodowska-Curie Actions | MSCA Knowledge"} -{"code":"H2020-EU.3.1.4.2.","title":"Individual awareness and empowerment for self-management of health","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Active ageing and self-management of health | Individual awareness and empowerment for self-management of health","classification_short":"Societal Challenges | Health | Active ageing and self-management of health | Individual awareness and empowerment for self-management of health"} -{"code":"H2020-EU.3.1.7.8.","title":"Immune-mediated diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Immune-mediated diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Immune-mediated diseases"} -{"code":"H2020-EU.3.4.","title":"SOCIETAL CHALLENGES - Smart, Green And Integrated Transport","shortTitle":"Transport","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport","classification_short":"Societal Challenges | Transport"} -{"code":"H2020-EU.3.2.6.1.","title":"Sustainable and competitive bio-based industries and supporting the development of a European bio-economy","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI) | Sustainable and competitive bio-based industries and supporting the development of a European bio-economy","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI) | Sustainable and competitive bio-based industries and supporting the development of a European bio-economy"} -{"code":"H2020-EU.2.1.2.1.","title":"Developing next generation nanomaterials, nanodevices and nanosystems ","shortTitle":"Next generation nanomaterials, nanodevices and nanosystems","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Nanotechnologies | Developing next generation nanomaterials, nanodevices and nanosystems ","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Nanotechnologies | Next generation nanomaterials, nanodevices and nanosystems"} -{"code":"H2020-Euratom-1.5.","title":"Move toward demonstration of feasibility of fusion as a power source by exploiting existing and future fusion facilities","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Move toward demonstration of feasibility of fusion as a power source by exploiting existing and future fusion facilities","classification_short":"Euratom | Indirect actions | Move toward demonstration of feasibility of fusion as a power source by exploiting existing and future fusion facilities"} -{"code":"H2020-EU.3.5.","title":"SOCIETAL CHALLENGES - Climate action, Environment, Resource Efficiency and Raw Materials","shortTitle":"Climate and environment","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials","classification_short":"Societal Challenges | Climate and environment"} -{"code":"H2020-EU.2.1.1.6.","title":"Micro- and nanoelectronics and photonics: Key enabling technologies related to micro- and nanoelectronics and to photonics, covering also quantum technologies","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | Micro- and nanoelectronics and photonics: Key enabling technologies related to micro- and nanoelectronics and to photonics, covering also quantum technologies","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | Micro- and nanoelectronics and photonics: Key enabling technologies related to micro- and nanoelectronics and to photonics, covering also quantum technologies"} -{"code":"H2020-EU.3.4.2.4.","title":"Reducing accident rates, fatalities and casualties and improving security","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Better mobility, less congestion, more safety and security | Reducing accident rates, fatalities and casualties and improving security","classification_short":"Societal Challenges | Transport | Mobility, safety and security | Reducing accident rates, fatalities and casualties and improving security"} -{"code":"H2020-EU.3.6.2.2.","title":"Explore new forms of innovation, with special emphasis on social innovation and creativity and understanding how all forms of innovation are developed, succeed or fail","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Innovative societies | Explore new forms of innovation, with special emphasis on social innovation and creativity and understanding how all forms of innovation are developed, succeed or fail","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Innovative societies | Explore new forms of innovation, with special emphasis on social innovation and creativity and understanding how all forms of innovation are developed, succeed or fail"} -{"code":"H2020-EU.3.5.1.1.","title":"Improve the understanding of climate change and the provision of reliable climate projections","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Fighting and adapting to climate change | Improve the understanding of climate change and the provision of reliable climate projections","classification_short":"Societal Challenges | Climate and environment | Fighting and adapting to climate change | Improve the understanding of climate change and the provision of reliable climate projections"} -{"code":"H2020-EU.3.4.3.4.","title":"Exploring entirely new transport concepts","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Global leadership for the European transport industry | Exploring entirely new transport concepts","classification_short":"Societal Challenges | Transport | Global leadership for the European transport industry | Exploring entirely new transport concepts"} -{"code":"H2020-EU.3.5.2.1.","title":"Further our understanding of biodiversity and the functioning of ecosystems, their interactions with social systems and their role in sustaining the economy and human well-being","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Protection of the environment, sustainable management of natural resources, water, biodiversity and ecosystems | Further our understanding of biodiversity and the functioning of ecosystems, their interactions with social systems and their role in sustaining the economy and human well-being","classification_short":"Societal Challenges | Climate and environment | Protection of the environment | Further our understanding of biodiversity and the functioning of ecosystems, their interactions with social systems and their role in sustaining the economy and human well-being"} -{"code":"H2020-EU.3.2.2.3.","title":"A sustainable and competitive agri-food industry","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet | A sustainable and competitive agri-food industry","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet | A sustainable and competitive agri-food industry"} -{"code":"H2020-EU.1.4.1.1.","title":"Developing new world-class research infrastructures","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Developing the European research infrastructures for 2020 and beyond | Developing new world-class research infrastructures","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures for 2020 and beyond | Developing new world-class research infrastructures"} -{"code":"H2020-EU.3.1.2.3.","title":"Developing better preventive and therapeutic vaccines","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Preventing disease | Developing better preventive and therapeutic vaccines","classification_short":"Societal Challenges | Health | Preventing disease | Developing better preventive and therapeutic vaccines"} -{"code":"H2020-EU.1.4.3.2.","title":"Facilitate strategic international cooperation","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Reinforcing European research infrastructure policy and international cooperation | Facilitate strategic international cooperation","classification_short":"Excellent Science | Research Infrastructures | Research infrastructure policy and international cooperation | Facilitate strategic international cooperation"} -{"code":"H2020-EU.3.5.2.","title":"Protection of the environment, sustainable management of natural resources, water, biodiversity and ecosystems","shortTitle":"Protection of the environment","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Protection of the environment, sustainable management of natural resources, water, biodiversity and ecosystems","classification_short":"Societal Challenges | Climate and environment | Protection of the environment"} -{"code":"H2020-Euratom-1.9.","title":"European Fusion Development Agreement","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | European Fusion Development Agreement","classification_short":"Euratom | Indirect actions | European Fusion Development Agreement"} -{"code":"H2020-EU.3.2.1.1.","title":"Increasing production efficiency and coping with climate change, while ensuring sustainability and resilience","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable agriculture and forestry | Increasing production efficiency and coping with climate change, while ensuring sustainability and resilience","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable agriculture and forestry | Increasing production efficiency and coping with climate change, while ensuring sustainability and resilience"} -{"code":"H2020-EU.3.2.2.2.","title":"Healthy and safe foods and diets for all","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet | Healthy and safe foods and diets for all","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet | Healthy and safe foods and diets for all"} -{"code":"H2020-EU.2.1.4.2.","title":"Bio-technology based industrial products and processes","shortTitle":"Bio-technology based industrial products and processes","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Biotechnology | Bio-technology based industrial products and processes","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Biotechnology | Bio-technology based industrial products and processes"} -{"code":"H2020-EU.3.4.5.1.","title":"IADP Large Passenger Aircraft","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | IADP Large Passenger Aircraft","classification_short":"Societal Challenges | Transport | CLEANSKY2 | IADP Large Passenger Aircraft"} -{"code":"H2020-EU.3.1.1.3.","title":"Improving surveillance and preparedness","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Understanding health, wellbeing and disease | Improving surveillance and preparedness","classification_short":"Societal Challenges | Health | Understanding health, wellbeing and disease | Improving surveillance and preparedness"} -{"code":"H2020-EU.2.1.6.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Space","shortTitle":"Space","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space"} -{"code":"H2020-EU.3.1.5.2.","title":"Improving scientific tools and methods to support policy making and regulatory needs","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Methods and data | Improving scientific tools and methods to support policy making and regulatory needs","classification_short":"Societal Challenges | Health | Methods and data | Improving scientific tools and methods to support policy making and regulatory needs"} -{"code":"H2020-EU.3.","title":"Societal challenges","shortTitle":"Societal Challenges","language":"en","classification":"Societal challenges","classification_short":"Societal Challenges"} -{"code":"H2020-EU.1.3.","title":"EXCELLENT SCIENCE - Marie Skłodowska-Curie Actions","shortTitle":"Marie-Sklodowska-Curie Actions","language":"en","classification":"Excellent science | Marie Skłodowska-Curie Actions","classification_short":"Excellent Science | Marie-Sklodowska-Curie Actions"} -{"code":"H2020-EU.4.f.","title":"Strengthening the administrative and operational capacity of transnational networks of National Contact Points","shortTitle":"","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION | Strengthening the administrative and operational capacity of transnational networks of National Contact Points","classification_short":"Spreading excellence and widening participation | Strengthening the administrative and operational capacity of transnational networks of National Contact Points"} -{"code":"H2020-EU.1.2.","title":"EXCELLENT SCIENCE - Future and Emerging Technologies (FET)","shortTitle":"Future and Emerging Technologies (FET)","language":"en","classification":"Excellent science | Future and Emerging Technologies (FET)","classification_short":"Excellent Science | Future and Emerging Technologies (FET)"} -{"code":"H2020-EU.3.3.1.1.","title":"Bring to mass market technologies and services for a smart and efficient energy use","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Reducing energy consumption and carbon foorpint by smart and sustainable use | Bring to mass market technologies and services for a smart and efficient energy use","classification_short":"Societal Challenges | Energy | Reducing energy consumption and carbon footprint | Bring to mass market technologies and services for a smart and efficient energy use"} -{"code":"H2020-EU.3.3.2.2.","title":"Develop efficient, reliable and cost-competitive solar energy systems","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Low-cost, low-carbon energy supply | Develop efficient, reliable and cost-competitive solar energy systems","classification_short":"Societal Challenges | Energy | Low-cost, low-carbon energy supply | Develop efficient, reliable and cost-competitive solar energy systems"} -{"code":"H2020-EU.4.c.","title":"Establishing ‚ERA Chairs’","shortTitle":"ERA chairs","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION | Establishing ‚ERA Chairs’","classification_short":"Spreading excellence and widening participation | ERA chairs"} -{"code":"H2020-EU.3.4.5","title":"CLEANSKY2","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2","classification_short":"Societal Challenges | Transport | CLEANSKY2"} -{"code":"H2020-EU.3.4.5.2.","title":"IADP Regional Aircraft","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | IADP Regional Aircraft","classification_short":"Societal Challenges | Transport | CLEANSKY2 | IADP Regional Aircraft"} -{"code":"H2020-EU.3.5.1.","title":"Fighting and adapting to climate change","shortTitle":"Fighting and adapting to climate change","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Fighting and adapting to climate change","classification_short":"Societal Challenges | Climate and environment | Fighting and adapting to climate change"} -{"code":"H2020-EU.3.3.1.","title":"Reducing energy consumption and carbon foorpint by smart and sustainable use","shortTitle":"Reducing energy consumption and carbon footprint","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Reducing energy consumption and carbon foorpint by smart and sustainable use","classification_short":"Societal Challenges | Energy | Reducing energy consumption and carbon footprint"} -{"code":"H2020-EU.3.4.1.","title":"Resource efficient transport that respects the environment","shortTitle":"Resource efficient transport that respects the environment","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Resource efficient transport that respects the environment","classification_short":"Societal Challenges | Transport | Resource efficient transport that respects the environment"} -{"code":"H2020-EU.3.2.6.2.","title":"Fostering the bio-economy for bio-based industrie","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI) | Fostering the bio-economy for bio-based industrie","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI) | Fostering the bio-economy for bio-based industrie"} -{"code":"H2020-EU.3.4.7.1","title":"Exploratory Research","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | SESAR JU | Exploratory Research","classification_short":"Societal Challenges | Transport | SESAR JU | Exploratory Research"} -{"code":"H2020-EU.1.2.1.","title":"FET Open","shortTitle":"FET Open","language":"en","classification":"Excellent science | Future and Emerging Technologies (FET) | FET Open","classification_short":"Excellent Science | Future and Emerging Technologies (FET) | FET Open"} -{"code":"H2020-EU.3.4.3.1.","title":"Developing the next generation of transport means as the way to secure market share in the future","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Global leadership for the European transport industry | Developing the next generation of transport means as the way to secure market share in the future","classification_short":"Societal Challenges | Transport | Global leadership for the European transport industry | Developing the next generation of transport means as the way to secure market share in the future"} -{"code":"H2020-EU.3.2.4.","title":"Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy","shortTitle":"Bio-based industries and supporting bio-economy","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based industries and supporting bio-economy"} -{"code":"H2020-EC","title":"Horizon 2020 Framework Programme","shortTitle":"EC Treaty","language":"en","classification":"Horizon 2020 Framework Programme","classification_short":"EC Treaty"} -{"code":"H2020-EU.3.6.2.4.","title":"Promote coherent and effective cooperation with third countries","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Innovative societies | Promote coherent and effective cooperation with third countries","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Innovative societies | Promote coherent and effective cooperation with third countries"} -{"code":"H2020-EU.3.1.7.5.","title":"Neurodegenerative diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Neurodegenerative diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Neurodegenerative diseases"} -{"code":"H2020-EU.2.1.6.4.","title":"Enabling European research in support of international space partnerships","shortTitle":"Research in support of international space partnerships","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space | Enabling European research in support of international space partnerships","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space | Research in support of international space partnerships"} -{"code":"H2020-EU.2.1.5.1.","title":"Technologies for Factories of the Future","shortTitle":"Technologies for Factories of the Future","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced manufacturing and processing | Technologies for Factories of the Future","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced manufacturing and processing | Technologies for Factories of the Future"} -{"code":"H2020-EU.2.3.2.","title":"Specific support","shortTitle":"","language":"en","classification":"Industrial leadership | Innovation In SMEs | Specific support","classification_short":"Industrial Leadership | Innovation in SMEs | Specific support"} -{"code":"H2020-EU.1.4.2.","title":"Fostering the innovation potential of research infrastructures and their human resources","shortTitle":"Research infrastructures and their human resources","language":"en","classification":"Excellent science | Research Infrastructures | Fostering the innovation potential of research infrastructures and their human resources","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures and their human resources"} -{"code":"H2020-EU.3.3.1.2.","title":"Unlock the potential of efficient and renewable heating-cooling systems","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Reducing energy consumption and carbon foorpint by smart and sustainable use | Unlock the potential of efficient and renewable heating-cooling systems","classification_short":"Societal Challenges | Energy | Reducing energy consumption and carbon footprint | Unlock the potential of efficient and renewable heating-cooling systems"} -{"code":"H2020-EU.3.2.3.2.","title":"Developing competitive and environmentally-friendly European aquaculture","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Unlocking the potential of aquatic living resources | Developing competitive and environmentally-friendly European aquaculture","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Potential of aquatic living resources | Developing competitive and environmentally-friendly European aquaculture"} -{"code":"H2020-EU.3.2.1.3.","title":"Empowerment of rural areas, support to policies and rural innovation","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable agriculture and forestry | Empowerment of rural areas, support to policies and rural innovation","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable agriculture and forestry | Empowerment of rural areas, support to policies and rural innovation"} -{"code":"H2020-EU.3.2.5.3.","title":"Cross-cutting concepts and technologies enabling maritime growth","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Cross-cutting marine and maritime research | Cross-cutting concepts and technologies enabling maritime growth","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Cross-cutting marine and maritime research | Cross-cutting concepts and technologies enabling maritime growth"} -{"code":"H2020-EU.2.1.3.1.","title":"Cross-cutting and enabling materials technologies","shortTitle":"Cross-cutting and enabling materials technologies","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced materials | Cross-cutting and enabling materials technologies","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced materials | Cross-cutting and enabling materials technologies"} -{"code":"H2020-EU.3.1.1.2.","title":"Understanding disease","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Understanding health, wellbeing and disease | Understanding disease","classification_short":"Societal Challenges | Health | Understanding health, wellbeing and disease | Understanding disease"} -{"code":"H2020-Euratom-1.6.","title":"Lay the foundations for future fusion power plants by developing materials, technologies and conceptual design","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Lay the foundations for future fusion power plants by developing materials, technologies and conceptual design","classification_short":"Euratom | Indirect actions | Lay the foundations for future fusion power plants by developing materials, technologies and conceptual design"} -{"code":"H2020-EU.3.5.7.1.","title":"Reduce the use of the EU defined \"Critical raw materials\", for instance through low platinum or platinum free resources and through recycling or reducing or avoiding the use of rare earth elements","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | FCH2 (raw materials objective) | Reduce the use of the EU defined \"Critical raw materials\", for instance through low platinum or platinum free resources and through recycling or reducing or avoiding the use of rare earth elements","classification_short":"Societal Challenges | Climate and environment | FCH2 (raw materials objective) | Reduce the use of the EU defined \"Critical raw materials\", for instance through low platinum or platinum free resources and through recycling or reducing or avoiding the use of rare earth elements"} -{"code":"H2020-EU.2.2.","title":"INDUSTRIAL LEADERSHIP - Access to risk finance","shortTitle":"Access to risk finance","language":"en","classification":"Industrial leadership | Access to risk finance","classification_short":"Industrial Leadership | Access to risk finance"} -{"code":"H2020-EU.3.4.6.","title":"FCH2 (transport objectives)","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | FCH2 (transport objectives)","classification_short":"Societal Challenges | Transport | FCH2 (transport objectives)"} -{"code":"H2020-EU.4.d.","title":"A Policy Support Facility","shortTitle":"Policy Support Facility (PSF)","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION | A Policy Support Facility","classification_short":"Spreading excellence and widening participation | Policy Support Facility (PSF)"} -{"code":"H2020-EU.2.1.1.7.","title":"ECSEL","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | ECSEL","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | ECSEL"} -{"code":"H2020-EU.3.1.5.","title":"Methods and data","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Methods and data","classification_short":"Societal Challenges | Health | Methods and data"} -{"code":"H2020-EU.3.7.7.","title":"Enhance stadardisation and interoperability of systems, including for emergency purposes","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Enhance stadardisation and interoperability of systems, including for emergency purposes","classification_short":"Societal Challenges | Secure societies | Enhance stadardisation and interoperability of systems, including for emergency purposes"} -{"code":"H2020-Euratom-1.7.","title":"Promote innovation and industry competitiveness","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Promote innovation and industry competitiveness","classification_short":"Euratom | Indirect actions | Promote innovation and industry competitiveness"} -{"code":"H2020-EU.2.1.5.3.","title":"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries","shortTitle":"Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced manufacturing and processing | Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced manufacturing and processing | Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries"} -{"code":"H2020-EU.2.1.4.3.","title":"Innovative and competitive platform technologies","shortTitle":"Innovative and competitive platform technologies","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Biotechnology | Innovative and competitive platform technologies","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Biotechnology | Innovative and competitive platform technologies"} -{"code":"H2020-EU.1.2.3.","title":"FET Flagships","shortTitle":"FET Flagships","language":"en","classification":"Excellent science | Future and Emerging Technologies (FET) | FET Flagships","classification_short":"Excellent Science | Future and Emerging Technologies (FET) | FET Flagships"} -{"code":"H2020-EU.3.6.3.","title":"Reflective societies - cultural heritage and European identity","shortTitle":"Reflective societies","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Reflective societies - cultural heritage and European identity","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Reflective societies"} -{"code":"H2020-EU.3.6.3.3.","title":"Research on Europe's role in the world, on the mutual influence and ties between the world regions, and a view from outside on European cultures","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Reflective societies - cultural heritage and European identity | Research on Europe's role in the world, on the mutual influence and ties between the world regions, and a view from outside on European cultures","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Reflective societies | Research on Europe's role in the world, on the mutual influence and ties between the world regions, and a view from outside on European cultures"} -{"code":"H2020-EU.3.2.4.2.","title":"Developing integrated biorefineries","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive bio-based industries and supporting the development of a European bioeconomy | Developing integrated biorefineries","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based industries and supporting bio-economy | Developing integrated biorefineries"} -{"code":"H2020-EU.2.1.6.1.1.","title":"Safeguard and further develop a competitive, sustainable and entrepreneurial space industry and research community and strengthen European non-dependence in space systems","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space | Enabling European competitiveness, non-dependence and innovation of the European space sector | Safeguard and further develop a competitive, sustainable and entrepreneurial space industry and research community and strengthen European non-dependence in space systems","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space | Competitiveness, non-dependence and innovation | Safeguard and further develop a competitive, sustainable and entrepreneurial space industry and research community and strengthen European non-dependence in space systems"} -{"code":"H2020-EU.3.1.3.2.","title":"Transferring knowledge to clinical practice and scalable innovation actions","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Treating and managing disease | Transferring knowledge to clinical practice and scalable innovation actions","classification_short":"Societal Challenges | Health | Treating and managing disease | Transferring knowledge to clinical practice and scalable innovation actions"} -{"code":"H2020-EU.2.","title":"Industrial leadership","shortTitle":"Industrial Leadership","language":"en","classification":"Industrial leadership","classification_short":"Industrial Leadership"} -{"code":"H2020-EU.3.4.1.3.","title":"Improving transport and mobility in urban areas","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Resource efficient transport that respects the environment | Improving transport and mobility in urban areas","classification_short":"Societal Challenges | Transport | Resource efficient transport that respects the environment | Improving transport and mobility in urban areas"} -{"code":"H2020-EU.4.e.","title":"Supporting access to international networks for excellent researchers and innovators who lack sufficient involvement in European and international networks","shortTitle":"","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION | Supporting access to international networks for excellent researchers and innovators who lack sufficient involvement in European and international networks","classification_short":"Spreading excellence and widening participation | Supporting access to international networks for excellent researchers and innovators who lack sufficient involvement in European and international networks"} -{"code":"H2020-EU.3.2.1.","title":"Sustainable agriculture and forestry","shortTitle":"Sustainable agriculture and forestry","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable agriculture and forestry","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable agriculture and forestry"} -{"code":"H2020-EU.3.1.7.7.","title":"Respiratory diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Respiratory diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Respiratory diseases"} -{"code":"H2020-EU.3.4.8.6.","title":"Cross-cutting themes and activities (CCA)","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU | Cross-cutting themes and activities (CCA)","classification_short":"Societal Challenges | Transport | Shift2Rail JU | Cross-cutting themes and activities (CCA)"} -{"code":"H2020-EU.3.4.8.4.","title":"Innovation Programme 4: IT Solutions for attractive railway services","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU | Innovation Programme 4: IT Solutions for attractive railway services","classification_short":"Societal Challenges | Transport | Shift2Rail JU | Innovation Programme 4: IT Solutions for attractive railway services"} -{"code":"H2020-EU.3.2.2.","title":"Sustainable and competitive agri-food sector for a safe and healthy diet","shortTitle":"Sustainable and competitive agri-food sector for a safe and healthy diet","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Sustainable and competitive agri-food sector for a safe and healthy diet"} -{"code":"H2020-EU.3.4.3.","title":"Global leadership for the European transport industry","shortTitle":"Global leadership for the European transport industry","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Global leadership for the European transport industry","classification_short":"Societal Challenges | Transport | Global leadership for the European transport industry"} -{"code":"H2020-EU.1.4.2.1.","title":"Exploiting the innovation potential of research infrastructures","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Fostering the innovation potential of research infrastructures and their human resources | Exploiting the innovation potential of research infrastructures","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures and their human resources | Exploiting the innovation potential of research infrastructures"} -{"code":"H2020-EU.3.3.2.3.","title":"Develop competitive and environmentally safe technologies for CO2 capture, transport, storage and re-use","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Low-cost, low-carbon energy supply | Develop competitive and environmentally safe technologies for CO2 capture, transport, storage and re-use","classification_short":"Societal Challenges | Energy | Low-cost, low-carbon energy supply | Develop competitive and environmentally safe technologies for CO2 capture, transport, storage and re-use"} -{"code":"H2020-EU.3.6.3.1.","title":"Study European heritage, memory, identity, integration and cultural interaction and translation, including its representations in cultural and scientific collections, archives and museums, to better inform and understand the present by richer interpretations of the past","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Reflective societies - cultural heritage and European identity | Study European heritage, memory, identity, integration and cultural interaction and translation, including its representations in cultural and scientific collections, archives and museums, to better inform and understand the present by richer interpretations of the past","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Reflective societies | Study European heritage, memory, identity, integration and cultural interaction and translation, including its representations in cultural and scientific collections, archives and museums, to better inform and understand the present by richer interpretations of the past"} -{"code":"H2020-EU.2.1.2.2.","title":"Ensuring the safe and sustainable development and application of nanotechnologies","shortTitle":"Safe and sustainable nanotechnologies","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Nanotechnologies | Ensuring the safe and sustainable development and application of nanotechnologies","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Nanotechnologies | Safe and sustainable nanotechnologies"} -{"code":"H2020-EU.3.1.6.","title":"Health care provision and integrated care","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Health care provision and integrated care","classification_short":"Societal Challenges | Health | Health care provision and integrated care"} -{"code":"H2020-EU.3.4.5.9.","title":"Technology Evaluator","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | Technology Evaluator","classification_short":"Societal Challenges | Transport | CLEANSKY2 | Technology Evaluator"} -{"code":"H2020-EU.3.6.","title":"SOCIETAL CHALLENGES - Europe In A Changing World - Inclusive, Innovative And Reflective Societies","shortTitle":"Inclusive, innovative and reflective societies","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies"} -{"code":"H2020-EU.3.4.8.","title":"Shift2Rail JU","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU","classification_short":"Societal Challenges | Transport | Shift2Rail JU"} -{"code":"H2020-EU.3.2.6.3.","title":"Sustainable biorefineries","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI) | Sustainable biorefineries","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Bio-based Industries Joint Technology Initiative (BBI-JTI) | Sustainable biorefineries"} -{"code":"H2020-EU.4.a.","title":"Teaming of excellent research institutions and low performing RDI regions","shortTitle":"Teaming of research institutions and low performing regions","language":"en","classification":"SPREADING EXCELLENCE AND WIDENING PARTICIPATION | Teaming of excellent research institutions and low performing RDI regions","classification_short":"Spreading excellence and widening participation | Teaming of research institutions and low performing regions"} -{"code":"H2020-EU.3.1.7.4.","title":"Diabetes","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Diabetes","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Diabetes"} -{"code":"H2020-EU.3.7.2.","title":"Protect and improve the resilience of critical infrastructures, supply chains and tranport modes","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Protect and improve the resilience of critical infrastructures, supply chains and tranport modes","classification_short":"Societal Challenges | Secure societies | Protect and improve the resilience of critical infrastructures, supply chains and tranport modes"} -{"code":"H2020-EU.3.1.2.","title":"Preventing disease","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Preventing disease","classification_short":"Societal Challenges | Health | Preventing disease"} -{"code":"H2020-EU.3.5.3.4.","title":"Improve societal awareness and skills on raw materials","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Ensuring the sustainable supply of non-energy and non-agricultural raw materials | Improve societal awareness and skills on raw materials","classification_short":"Societal Challenges | Climate and environment | Supply of non-energy and non-agricultural raw materials | Improve societal awareness and skills on raw materials"} -{"code":"H2020-EU.3.3.7.","title":"Market uptake of energy innovation - building on Intelligent Energy Europe","shortTitle":"Market uptake of energy innovation","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Market uptake of energy innovation - building on Intelligent Energy Europe","classification_short":"Societal Challenges | Energy | Market uptake of energy innovation"} -{"code":"H2020-EU.2.3.","title":"INDUSTRIAL LEADERSHIP - Innovation In SMEs","shortTitle":"Innovation in SMEs","language":"en","classification":"Industrial leadership | Innovation In SMEs","classification_short":"Industrial Leadership | Innovation in SMEs"} -{"code":"H2020-EU.2.1.1.3.","title":"Future Internet: Software, hardware, Infrastructures, technologies and services","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | Future Internet: Software, hardware, Infrastructures, technologies and services","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | Future Internet: Software, hardware, Infrastructures, technologies and services"} -{"code":"H2020-EU.3.1.5.3.","title":"Using in-silico medicine for improving disease management and prediction","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Methods and data | Using in-silico medicine for improving disease management and prediction","classification_short":"Societal Challenges | Health | Methods and data | Using in-silico medicine for improving disease management and prediction"} -{"code":"H2020-EU.3.6.1.1.","title":"The mechanisms to promote smart, sustainable and inclusive growth","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Inclusive societies | The mechanisms to promote smart, sustainable and inclusive growth","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Inclusive societies | The mechanisms to promote smart, sustainable and inclusive growth"} -{"code":"H2020-EU.1.3.1.","title":"Fostering new skills by means of excellent initial training of researchers","shortTitle":"MCSA Initial training","language":"en","classification":"Excellent science | Marie Skłodowska-Curie Actions | Fostering new skills by means of excellent initial training of researchers","classification_short":"Excellent Science | Marie-Sklodowska-Curie Actions | MCSA Initial training"} -{"code":"H2020-EU.3.6.2.3.","title":"Make use of the innovative, creative and productive potential of all generations","shortTitle":"","language":"en","classification":"Societal challenges | Europe In A Changing World - Inclusive, Innovative And Reflective Societies | Innovative societies | Make use of the innovative, creative and productive potential of all generations","classification_short":"Societal Challenges | Inclusive, innovative and reflective societies | Innovative societies | Make use of the innovative, creative and productive potential of all generations"} -{"code":"H2020-EU.3.5.1.3.","title":"Support mitigation policies, including studies that focus on impact from other sectoral policies","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Fighting and adapting to climate change | Support mitigation policies, including studies that focus on impact from other sectoral policies","classification_short":"Societal Challenges | Climate and environment | Fighting and adapting to climate change | Support mitigation policies, including studies that focus on impact from other sectoral policies"} -{"code":"H2020-EU.3.3.1.3.","title":"Foster European Smart cities and Communities","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Reducing energy consumption and carbon foorpint by smart and sustainable use | Foster European Smart cities and Communities","classification_short":"Societal Challenges | Energy | Reducing energy consumption and carbon footprint | Foster European Smart cities and Communities"} -{"code":"H2020-EU.3.1.1.","title":"Understanding health, wellbeing and disease","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Understanding health, wellbeing and disease","classification_short":"Societal Challenges | Health | Understanding health, wellbeing and disease"} -{"code":"H2020-Euratom-1.","title":"Indirect actions","shortTitle":"","language":"en","classification":"Euratom | Indirect actions","classification_short":"Euratom | Indirect actions"} -{"code":"H2020-EU.3.5.7.","title":"FCH2 (raw materials objective)","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | FCH2 (raw materials objective)","classification_short":"Societal Challenges | Climate and environment | FCH2 (raw materials objective)"} -{"code":"H2020-EU.3.7.3.","title":"Strengthen security through border management","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Strengthen security through border management","classification_short":"Societal Challenges | Secure societies | Strengthen security through border management"} -{"code":"H2020-EU.2.1.1.2.","title":"Next generation computing: Advanced and secure computing systems and technologies, including cloud computing","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | Next generation computing: Advanced and secure computing systems and technologies, including cloud computing","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | Next generation computing: Advanced and secure computing systems and technologies, including cloud computing"} -{"code":"H2020-EU.3.5.5.","title":"Developing comprehensive and sustained global environmental observation and information systems","shortTitle":"Environmental observation and information systems","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Developing comprehensive and sustained global environmental observation and information systems","classification_short":"Societal Challenges | Climate and environment | Environmental observation and information systems"} -{"code":"H2020-EU.3.1.7.10.","title":"Cancer","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Cancer","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Cancer"} -{"code":"H2020-EU.3.4.8.2.","title":"Innovation Programme 2: Advanced traffic management and control systems","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Shift2Rail JU | Innovation Programme 2: Advanced traffic management and control systems","classification_short":"Societal Challenges | Transport | Shift2Rail JU | Innovation Programme 2: Advanced traffic management and control systems"} -{"code":"H2020-EU.5.e.","title":"Develop the accessibility and the use of the results of publicly-funded research","shortTitle":"","language":"en","classification":"SCIENCE WITH AND FOR SOCIETY | Develop the accessibility and the use of the results of publicly-funded research","classification_short":"Science with and for Society | Develop the accessibility and the use of the results of publicly-funded research"} -{"code":"H2020-EU.3.4.4.","title":"Socio-economic and behavioural research and forward looking activities for policy making","shortTitle":"Socio-economic and behavioural research","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Socio-economic and behavioural research and forward looking activities for policy making","classification_short":"Societal Challenges | Transport | Socio-economic and behavioural research"} -{"code":"H2020-EU.3.3.2.","title":"Low-cost, low-carbon energy supply","shortTitle":"Low-cost, low-carbon energy supply","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Low-cost, low-carbon energy supply","classification_short":"Societal Challenges | Energy | Low-cost, low-carbon energy supply"} -{"code":"H2020-EU.3.4.2.2.","title":"Substantial improvements in the mobility of people and freight","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | Better mobility, less congestion, more safety and security | Substantial improvements in the mobility of people and freight","classification_short":"Societal Challenges | Transport | Mobility, safety and security | Substantial improvements in the mobility of people and freight"} -{"code":"H2020-EU.3.5.6.","title":"Cultural heritage","shortTitle":"Cultural heritage","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Cultural heritage","classification_short":"Societal Challenges | Climate and environment | Cultural heritage"} -{"code":"H2020-EU.3.5.3.","title":"Ensuring the sustainable supply of non-energy and non-agricultural raw materials","shortTitle":"Supply of non-energy and non-agricultural raw materials","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Ensuring the sustainable supply of non-energy and non-agricultural raw materials","classification_short":"Societal Challenges | Climate and environment | Supply of non-energy and non-agricultural raw materials"} -{"code":"H2020-EU.2.1.5.2.","title":"Technologies enabling energy-efficient systems and energy-efficient buildings with a low environmental impact","shortTitle":"Technologies enabling energy-efficient systems and buildings","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced manufacturing and processing | Technologies enabling energy-efficient systems and energy-efficient buildings with a low environmental impact","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced manufacturing and processing | Technologies enabling energy-efficient systems and buildings"} -{"code":"H2020-EU.1.4.1.2.","title":"Integrating and opening existing national and regional research infrastructures of European interest","shortTitle":"","language":"en","classification":"Excellent science | Research Infrastructures | Developing the European research infrastructures for 2020 and beyond | Integrating and opening existing national and regional research infrastructures of European interest","classification_short":"Excellent Science | Research Infrastructures | Research infrastructures for 2020 and beyond | Integrating and opening existing national and regional research infrastructures of European interest"} -{"code":"H2020-EU.3.7.8.","title":"Support the Union's external security policies including through conflict prevention and peace-building","shortTitle":"","language":"en","classification":"Societal challenges | Secure societies - Protecting freedom and security of Europe and its citizens | Support the Union's external security policies including through conflict prevention and peace-building","classification_short":"Societal Challenges | Secure societies | Support the Union's external security policies including through conflict prevention and peace-building"} -{"code":"H2020-EU.2.1.1.1.","title":"A new generation of components and systems: Engineering of advanced embedded and energy and resource efficient components and systems","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | A new generation of components and systems: Engineering of advanced embedded and energy and resource efficient components and systems","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | A new generation of components and systems: Engineering of advanced embedded and energy and resource efficient components and systems"} -{"code":"H2020-EU.1.1.","title":"EXCELLENT SCIENCE - European Research Council (ERC)","shortTitle":"European Research Council (ERC)","language":"en","classification":"Excellent science | European Research Council (ERC)","classification_short":"Excellent Science | European Research Council (ERC)"} -{"code":"H2020-EU.3.4.5.6.","title":"ITD Systems","shortTitle":"","language":"en","classification":"Societal challenges | Smart, Green And Integrated Transport | CLEANSKY2 | ITD Systems","classification_short":"Societal Challenges | Transport | CLEANSKY2 | ITD Systems"} -{"code":"H2020-EU.6.","title":"NON-NUCLEAR DIRECT ACTIONS OF THE JOINT RESEARCH CENTRE (JRC)","shortTitle":"Joint Research Centre (JRC) non-nuclear direct actions","language":"en","classification":"NON-NUCLEAR DIRECT ACTIONS OF THE JOINT RESEARCH CENTRE (JRC)","classification_short":"Joint Research Centre (JRC) non-nuclear direct actions"} -{"code":"H2020-EU.3.2.5.1.","title":"Climate change impact on marine ecosystems and maritime economy","shortTitle":"","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Cross-cutting marine and maritime research | Climate change impact on marine ecosystems and maritime economy","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Cross-cutting marine and maritime research | Climate change impact on marine ecosystems and maritime economy"} -{"code":"H2020-Euratom-1.2.","title":"Contribute to the development of solutions for the management of ultimate nuclear waste","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Contribute to the development of solutions for the management of ultimate nuclear waste","classification_short":"Euratom | Indirect actions | Contribute to the development of solutions for the management of ultimate nuclear waste"} -{"code":"H2020-EU.3.1.7.11.","title":"Rare/Orphan Diseases","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Rare/Orphan Diseases","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Rare/Orphan Diseases"} -{"code":"H2020-EU.3.1.4.1.","title":"Active ageing, independent and assisted living","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Active ageing and self-management of health | Active ageing, independent and assisted living","classification_short":"Societal Challenges | Health | Active ageing and self-management of health | Active ageing, independent and assisted living"} -{"code":"H2020-Euratom-1.4.","title":"Foster radiation protection","shortTitle":"","language":"en","classification":"Euratom | Indirect actions | Foster radiation protection","classification_short":"Euratom | Indirect actions | Foster radiation protection"} -{"code":"H2020-EU.2.2.2.","title":"The Equity facility providing equity finance for R&I: 'Union equity instruments for research and innovation'","shortTitle":"Equity facility","language":"en","classification":"Industrial leadership | Access to risk finance | The Equity facility providing equity finance for R&I: 'Union equity instruments for research and innovation'","classification_short":"Industrial Leadership | Access to risk finance | Equity facility"} -{"code":"H2020-EU.3.3.8.","title":"FCH2 (energy objectives)","shortTitle":"","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | FCH2 (energy objectives)","classification_short":"Societal Challenges | Energy | FCH2 (energy objectives)"} -{"code":"H2020-EU.3.2.3.","title":"Unlocking the potential of aquatic living resources","shortTitle":"Potential of aquatic living resources","language":"en","classification":"Societal challenges | Food security, sustainable agriculture and forestry, marine, maritime and inland water research, and the bioeconomy | Unlocking the potential of aquatic living resources","classification_short":"Societal Challenges | Food, agriculture, forestry, marine research and bioeconomy | Potential of aquatic living resources"} -{"code":"H2020-EU.3.5.2.3.","title":"Provide knowledge and tools for effective decision making and public engagement","shortTitle":"","language":"en","classification":"Societal challenges | Climate action, Environment, Resource Efficiency and Raw Materials | Protection of the environment, sustainable management of natural resources, water, biodiversity and ecosystems | Provide knowledge and tools for effective decision making and public engagement","classification_short":"Societal Challenges | Climate and environment | Protection of the environment | Provide knowledge and tools for effective decision making and public engagement"} -{"code":"H2020-EU.3.3.6.","title":"Robust decision making and public engagement","shortTitle":"Robust decision making and public engagement","language":"en","classification":"Societal challenges | Secure, clean and efficient energy | Robust decision making and public engagement","classification_short":"Societal Challenges | Energy | Robust decision making and public engagement"} -{"code":"H2020-EU.3.1.7.2.","title":"Osteoarthritis","shortTitle":"","language":"en","classification":"Societal challenges | Health, demographic change and well-being | Innovative Medicines Initiative 2 (IMI2) | Osteoarthritis","classification_short":"Societal Challenges | Health | Innovative Medicines Initiative 2 (IMI2) | Osteoarthritis"} -{"code":"H2020-EU.2.1.1.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies - Information and Communication Technologies (ICT)","shortTitle":"Information and Communication Technologies","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT)","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies"} -{"code":"H2020-EU.2.1.6.2.","title":"Enabling advances in space technology","shortTitle":"Enabling advances in space technology","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Space | Enabling advances in space technology","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Space | Enabling advances in space technology"} -{"code":"H2020-EU.2.1.1.4.","title":"Content technologies and information management: ICT for digital content, cultural and creative industries","shortTitle":"","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Information and Communication Technologies (ICT) | Content technologies and information management: ICT for digital content, cultural and creative industries","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Information and Communication Technologies | Content technologies and information management: ICT for digital content, cultural and creative industries"} -{"code":"H2020-EU.2.1.5.4.","title":"New sustainable business models","shortTitle":"New sustainable business models","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Advanced manufacturing and processing | New sustainable business models","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Advanced manufacturing and processing | New sustainable business models"} -{"code":"H2020-EU.2.1.4.","title":"INDUSTRIAL LEADERSHIP - Leadership in enabling and industrial technologies – Biotechnology","shortTitle":"Biotechnology","language":"en","classification":"Industrial leadership | Leadership in enabling and industrial technologies | Biotechnology","classification_short":"Industrial Leadership | Leadership in enabling and industrial technologies (LEIT) | Biotechnology"} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json.gz new file mode 100644 index 000000000..2ce7c72f2 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/preparedProgramme_whole.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_h2020_programme.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_h2020_programme.json.gz new file mode 100644 index 000000000..986cf2a89 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_h2020_programme.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json deleted file mode 100644 index ca2c0f165..000000000 --- a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json +++ /dev/null @@ -1,17 +0,0 @@ -{"id":"894593","programme":"H2020-EU.3.4.7.","topics":"SESAR-ER4-31-2019"} -{"id":"897004","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"896300","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"892890","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"886828","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"886776","programme":"H2020-EU.2.1.4.","topics":"BBI-2019-SO3-D4"} -{"id":"886776","programme":"H2020-EU.3.2.6.","topics":"BBI-2019-SO3-D4"} -{"id":"895426","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"898218","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"893787","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"896189","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"891624","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"887259","programme":"H2020-EU.2.1.4.","topics":"BBI-2019-SO3-D3"} -{"id":"887259","programme":"H2020-EU.3.2.6.","topics":"BBI-2019-SO3-D3"} -{"id":"892834","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"895716","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"883730","programme":"H2020-EU.1.1.","topics":"ERC-2019-ADG"} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json.gz new file mode 100644 index 000000000..93aa69b90 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/prepared_projects.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/programme.csv b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/programme.csv deleted file mode 100644 index 6a9c855a0..000000000 --- a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/programme.csv +++ /dev/null @@ -1,25 +0,0 @@ -rcn;code;title;shortTitle;language -664331;H2020-EU.3.3.2.;Un approvisionnement en électricité à faible coût et à faibles émissions de carbone;Low-cost, low-carbon energy supply;fr -664355;H2020-EU.3.3.7.;Absorción por el mercado de la innovación energética - explotación del Programa Energía Inteligente - Europa Europe;Market uptake of energy innovation;es -664323;H2020-EU.3.3.1.;Ridurre il consumo di energia e le emissioni di carbonio grazie all'uso intelligente e sostenibile;Reducing energy consumption and carbon footprint;it -664233;H2020-EU.2.3.2.3.;Wsparcie innowacji rynkowych;Supporting market-driven innovation;pl -664199;H2020-EU.2.1.5.1.;Tecnologías para las fábricas del futuro;Technologies for Factories of the Future;es -664235;H2020-EU.3.;PRIORITÉ «Défis de société»;Societal Challenges;fr -664355;H2020-EU.3.3.7.;"Assorbimento di mercato dell'innovazione energetica - iniziative fondate sul programma ""Energia intelligente - Europa""";Market uptake of energy innovation;it -664355;H2020-EU.3.3.7.;"Markteinführung von Energieinnovationen – Aufbau auf ""Intelligente Energie – Europa";Market uptake of energy innovation;de -664235;H2020-EU.3.;"PRIORIDAD ""Retos de la sociedad""";Societal Challenges;es -664231;H2020-EU.2.3.2.2.;Mejorar la capacidad de innovación de las PYME;Enhancing the innovation capacity of SMEs;es -664223;H2020-EU.2.3.;LIDERAZGO INDUSTRIAL - Innovación en la pequeña y mediana empresa;Innovation in SMEs;es -664323;H2020-EU.3.3.1.;Réduire la consommation d'énergie et l'empreinte carbone en utilisant l'énergie de manière intelligente et durable;Reducing energy consumption and carbon footprint;fr -664323;H2020-EU.3.3.1.;Reducir el consumo de energía y la huella de carbono mediante un uso inteligente y sostenible;Reducing energy consumption and carbon footprint;es -664215;H2020-EU.2.1.6.4.;Beitrag der europäischen Forschung zu internationalen Weltraumpartnerschaften;Research in support of international space partnerships;de -664213;H2020-EU.2.1.6.3.;Permettere lo sfruttamento dei dati spaziali;;it -664213;H2020-EU.2.1.6.3.;Permettre l'exploitation des données spatiales;Enabling exploitation of space data;fr -664231;H2020-EU.2.3.2.2.;Zwiększenie zdolności MŚP pod względem innowacji;Enhancing the innovation capacity of SMEs;pl -664231;H2020-EU.2.3.2.2.;Rafforzare la capacità di innovazione delle PMI;Enhancing the innovation capacity of SMEs;it -664213;H2020-EU.2.1.6.3.;Grundlagen für die Nutzung von Weltraumdaten;Enabling exploitation of space data;de -664211;H2020-EU.2.1.6.2.;Favorecer los avances en las tecnologías espaciales;Enabling advances in space technology;es -664209;H2020-EU.2.1.6.1.;Assurer la compétitivité et l'indépendance de l'Europe et promouvoir l'innovation dans le secteur spatial européen;Competitiveness, non-dependence and innovation;fr -664231;H2020-EU.2.3.2.2.;Renforcement de la capacité d'innovation des PME;Enhancing the innovation capacity of SMEs;fr -664203;H2020-EU.2.1.5.3.;Tecnologías sostenibles, eficientes en su utilización de recursos y de baja emisión de carbono en las industrias de transformación de gran consumo energético;Sustainable, resource-efficient and low-carbon technologies in energy-intensive process industries;es -664103;H2020-EU.1.2.1.;FET Open;FET Open;es \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/programme.csv.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/programme.csv.gz new file mode 100644 index 000000000..6fab87a02 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/programme.csv.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects.json b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects.json new file mode 100644 index 000000000..b695fc4d5 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects.json @@ -0,0 +1,399 @@ +[{"acronym": "GiSTDS", + "contentUpdateDate": "2022-10-08 18:28:27", + "ecMaxContribution": 203149.44, + "ecSignatureDate": "2020-03-16", + "endDate": "2022-11-30", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-SE", + "grantDoi": "10.3030/886988", + "id": 894593, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2019", + "nature": "", + "objective": "Coordination of different players in active distribution systems by increasing the penetration of distributed energy resources and rapid advances on the aggregators, microgrids and prosumers with private territory individuals establishes new challenges in control and management systems from the owners’ point of views. Undertaking digitalization of future distribution systems, GiSTDS introduces an edge computing framework based on GridEye, the core production of DEPsys, which provides real time visibility and monitoring. Relevant drawbacks in the distribution system management platforms in handling the scalability of players, look ahead preventive management systems regarding contingency condition and lack of physical boundaries for third party entities (aggregators) will be addressed by GiSTDS. The main novelties of this project in comparison to the GridEye are: 1) Developed P2P trading module provides automated double auction negotiation in real time fashion which enables all private entities with and without specific physical boundaries to participate in local and flexible electricity markets. 2) Modification of GridEye’s modules to address the scalability and resilient operation in both the normal and contingency conditions. 3) To present a look ahead energy managements schemes for the operators, GiSTDS will be equipped to the forecasting module based on auto-regressive with exogenous variables (ARX) and machine learning techniques such as long short term memory (LSTM) and recursive neural network (RNN). Therefore, GiSTDS based on modified and developed modules explores comprehensive distributed framework for control, monitoring and operation of energy systems with multiple dispersed players in different scales. The edge computing solutions in GiSTDS eectively digitalis energy systems and creates major opportunities in terms of avoiding big data concerns and getting a bottom-up monitoring approach for the network supervision.", + "rcn": 227870, + "startDate": "2020-12-01", + "status": "TERMINATED", + "subCall": "H2020-MSCA-IF-2019", + "title": "GridEye Scalable Transactive Distribution Systems", + "topics": "MSCA-IF-2019", + "totalCost": 203149.44 +},{ + "acronym": "REAL", + "contentUpdateDate": "2022-04-27 21:10:20", + "ecMaxContribution": 1498830, + "ecSignatureDate": "2020-09-29", + "endDate": "2026-03-31", + "frameworkProgramme": "H2020", + "fundingScheme": "ERC-STG", + "grantDoi": "10.3030/947908", + "id": 897004, + "legalBasis": "H2020-EU.1.1.", + "masterCall": "ERC-2020-STG", + "nature": "", + "objective": "In the last decade, machine learning (ML) has become a fundamental tool with a growing impact in many disciplines, from science to industry. However, nowadays, the scenario is changing: data are exponentially growing compared to the computational resources (post Moore's law era), and ML algorithms are becoming crucial building blocks in complex systems for decision making, engineering, science. Current machine learning is not suitable for the new scenario, both from a theoretical and a practical viewpoint: (a) the lack of cost-effectiveness of the algorithms impacts directly the economic/energetic costs of large scale ML, making it barely affordable by universities or research institutes; (b) the lack of reliability of the predictions affects critically the safety of the systems where ML is employed. To deal with the challenges posed by the new scenario, REAL will lay the foundations of a solid theoretical and algorithmic framework for reliable and cost-effective large scale machine learning on modern computational architectures. In particular, REAL will extend the classical ML framework to provide algorithms with two additional guarantees: (a) the predictions will be reliable, i.e., endowed with explicit bounds on their uncertainty guaranteed by the theory; (b) the algorithms will be cost-effective, i.e., they will be naturally adaptive to the new architectures and will provably achieve the desired reliability and accuracy level, by using minimum possible computational resources. The algorithms resulting from REAL will be released as open-source libraries for distributed and multi-GPU settings, and their effectiveness will be extensively tested on key benchmarks from computer vision, natural language processing, audio processing, and bioinformatics. The methods and the techniques developed in this project will help machine learning to take the next step and become a safe, effective, and fundamental tool in science and engineering for large scale data problems.", + "rcn": 231448, + "startDate": "2021-04-01", + "status": "SIGNED", + "subCall": "ERC-2020-STG", + "title": "Reliable and cost-effective large scale machine learning", + "topics": "ERC-2020-STG", + "totalCost": 1498830 +},{ + "acronym": "CARL-PdM", + "contentUpdateDate": "2022-08-09 09:09:33", + "ecMaxContribution": 50000, + "ecSignatureDate": "2017-07-13", + "endDate": "2018-01-31", + "frameworkProgramme": "H2020", + "fundingScheme": "SME-1", + "grantDoi": "10.3030/781123", + "id": 896300, + "legalBasis": "H2020-EU.2.1.1.", + "masterCall": "H2020-SMEInst-2016-2017", + "nature": "", + "objective": "\"\"\"Industry 4.0 preaches a complete revolution of industrial process and promises huge efficiency gains by a complete virtualization of the factory, numerical design tools, automation of the logistics and the routing of the parts, smart machines, 3D printing, cyber-physical systems, predictive maintenance and control of the whole factory by an intelligent system. \nIn the next 10 years, industry 4.0 is expected to change the way we operate our factories and to create 1250 Billion € of additional value added in Europe.\nAlso , according to ARC Advisory Group, the predictive maintenance market is estimated to grow from 1,404.3M€ in 2016 to 4,904.0M€ by 2021.\nCARL-PdM is a innovative IIoT data powered predictive maintenance platform encompass the core of \"\"Industry 4.0\"\" with a new maintenance paradigm : maintenance is a production function whose aim should be to optimize production output and quality.\nWe will leverage the IoT revolution to achieve these goal.\nThis software solution, CARL-PdM, provides many core capabilities in industrial scenarios, including edge analytics who provide a way to pre-process the data so that only the pertinent information is sent to the predictive layer (Auto Classification and Machine learning).\nThe predictive layer will categorize data into abstract class which represent technical assets behavior. It is a reliable and reproducible approach.\nCompetitive advantages: \n- Reduce failure by 50%, maintenance cost by 30%, production stops by 70%, energetic consumption by 20%, Time To Repair by 30%\n- Increase production flexibility\n- System agnostic to machines\n- Machine-learning algorithm that compares the fault prediction and sensor data with historical data, predicting best maintenance activity regarding to production and quality objectives \n\nThe solution will be implemented at a global scale, starting in European markets: France, Italy, Belgium for early market uptake and testing; and then the biggest EU markets (Germany, UK, Poland and Spain).\n\"", + "rcn": 211479, + "startDate": "2017-08-01", + "status": "CLOSED", + "subCall": "H2020-SMEINST-1-2016-2017", + "title": "Next Generation Holistic Predictive Maintenance Software", + "topics": "SMEInst-01-2016-2017", + "totalCost": 71429 +},{ + "acronym": "OPTIMAL", + "contentUpdateDate": "2022-11-02 12:00:16", + "ecMaxContribution": 772800, + "ecSignatureDate": "2020-12-01", + "endDate": "2025-12-31", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-RISE", + "grantDoi": "10.3030/101007963", + "id": 892890, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-RISE-2020", + "nature": "", + "objective": "The proposed project is to develop and maintain long term collaborations between Europe and China towards CO2 neutral Olefin production. We will realize this objective by carrying out joint research in big data and artificial intelligence (AI) for ethylene plants integrated with carbon capture and CO2 utilisation. Specifically this requires a universal set of skills such as pilot scale experimental study, process modelling and analysis, optimisation, catalysis and reaction kinetics that will be strengthened by the individual mobility of researchers between Europe and China. There are 12 partners involved in OPTIMAL with 3 industrial partners. These partners are world leading in their respective research areas. OPTIMAL is planned to start from Aug. 2021 and will continue for 48 months. There will be 28 experienced and 35 early stage researchers participating in OPTIMAL with exchange visits of 262 person months. The funding of €772,800 will be requested from European Commission to support these planned secondments. The European beneficiaries are experts at catalysis, CO2 utilisation, intensified carbon capture, reaction mechanism and kinetics & CFD studies, hybrid modelling, molecular simulation and dynamic optimisation, whilst the Chinese partners are experts at exergy analysis, process control and optimisation, solvent-based carbon capture & data-driven model development, deep reinforced learning based model free control, intelligent predictive control, physics-based reduced order model development, soft exergy sensor development and optimisation under uncertainty. Transfer of knowledge will take place through these exchange visits. We will generate at least 25 Journal publications and 25 Conference papers. 2 Special Issues will be established in leading journals such as Applied Energy. 2 Workshops and 2 Special Sessions in major international conferences will also be organised to disseminate project results.", + "rcn": 232682, + "startDate": "2021-08-01", + "status": "SIGNED", + "subCall": "H2020-MSCA-RISE-2020", + "title": "Smart and CO2 neutral Olefin Production by arTificial Intelligence and MAchine Learning", + "topics": "MSCA-RISE-2020", + "totalCost": 1205200 +},{ + "acronym": "e-DNA BotStop", + "contentUpdateDate": "2022-08-15 14:18:25", + "ecMaxContribution": 50000, + "ecSignatureDate": "2019-04-11", + "endDate": "2019-10-31", + "frameworkProgramme": "H2020", + "fundingScheme": "SME-1", + "grantDoi": "10.3030/854460", + "id": 886828, + "legalBasis": "H2020-EU.2.3.", + "masterCall": "H2020-EIC-SMEInst-2018-2020", + "nature": "", + "objective": "In the last decade there has been an explosion in Online Travel Agents (OTAs) worldwide. OTAs undertake the mammoth task of undercutting the flight prices of major airlines through the use of Bots (an internet Bot, also known as web robot, WWW robot or simply bot, is a software application that runs automated tasks (scripts) over the Internet.). Bots are used to scrape airlines for valuable data to benchmark aggregate flight costs, which drives down prices for the consumer.\n\nWhilst beneficial to consumers, scraping harms travel companies because:\n•\tBots can engage with a websites’ server hardware and cause website traffic to run slower, in some cases causing server downtime and Direct Denial of Service (DDoS)\n•\tLong term Search Engine Optimization (SEO) damage; distorting analytical marketing metrics.\n•\tDiverting customers to purchase products via third party resellers, limiting chances for up-sell and cross sell opportunities. \n\nThis problem is tackled by anti-scrape approaches. However, current anti-scrape/booking bot solutions are only capable of distinguishing between human traffic and bot traffic through supervised algorithms that do not work to the degree of efficacy required. \n\n\nOur proposed solution is BotStop an algorithmic approach to identifying Bots and scrapers and to policing malicious application traffic. eDNA will provide a solution which reintroduces transparency into the process of purchasing flights and will streamline customer website experience to ensure a more stress-free experience", + "rcn": 223866, + "startDate": "2019-05-01", + "status": "CLOSED", + "subCall": "H2020-SMEInst-2018-2020-1", + "title": "e-DNA BotStop", + "topics": "EIC-SMEInst-2018-2020", + "totalCost": 71429 +},{ + "acronym": "NAUTIC", + "contentUpdateDate": "2022-08-25 21:32:49", + "ecMaxContribution": 184707.84, + "ecSignatureDate": "2021-04-27", + "endDate": "2023-09-30", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-ST", + "grantDoi": "10.3030/101033666", + "id": 8867767, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2020", + "nature": "", + "objective": "Bringing a new drug to the European market takes at least 10 years and 2.5 BEUR of R&D effort. Computational methods significantly shorten this journey but they require knowledge of the structure and interactions of the involved biomolecules - most often proteins. In recent years, a tremendous progress has been made in the field of a single protein 3D structure prediction. However, predicting protein assemblies -the most crucial step - still remains very challenging. The aim of this IF project is to revolutionise protein complexes prediction methods. This will be achieved first by developing novel, effective and fast approaches for the calculation of the vibrational entropy, key to protein-protein docking mechanisms. Then, in an innovative and multi-disciplinary approach, the Experienced Researcher (ER) aims to combine advanced physics-based models with machine learning methods using data from structural and sequence databases. Finally, this project will link all the pieces together and release them in the form of a web-server in order to allow the community to benefit from the results of this research.\nThe ER will carry out the fellowship in the Centre National de la Recherche Scientifique - CNRS in Grenoble, France. CNRS carries out research in all scientific fields of knowledge and the Supervisor is a renowned expert in data science, computing, and software engineering. Through a well-thought two-way knowledge transfer and training plan, this project will benefit both the host institution and the ER in terms of scientific knowledge, network and open the path for new applications to potentially exploit at the European or global level. The project will also place the ER as a highly visible researcher in the field and ideally set her as a valuable resource for European industrial actors.", + "rcn": 235804, + "startDate": "2021-07-01", + "status": "TERMINATED", + "subCall": "H2020-MSCA-IF-2020", + "title": "Novel computational avenues in protein-protein docking", + "topics": "MSCA-IF-2020", + "totalCost": 184707.84 +},{ + "acronym": "EnzVolNet", + "contentUpdateDate": "2022-08-15 12:50:20", + "ecMaxContribution": 158121.6, + "ecSignatureDate": "2017-02-14", + "endDate": "2019-04-30", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-ST", + "grantDoi": "10.3030/753045", + "id": 101003374, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2016", + "nature": "", + "objective": "Natural enzymes have evolved to perform their functions under complex selective pressures, being capable of accelerating reactions by several orders of magnitude. In particular, heteromeric enzyme complexes catalyze an enormous array of useful reactions that are often allosterically regulated by different protein partners. Unfortunately, the underlying physical principles of this regulation are still under debate, which makes the alteration of enzyme structure towards useful isolated subunits a tremendous challenge for modern chemical biology. Exploitation of isolated enzyme subunits, however, is advantageous for biosynthetic applications as it reduces the metabolic stress on the host cell and greatly simplifies efforts to engineer specific properties of the enzyme. Current approaches to alter natural enzyme complexes are based on the evaluation of thousands of variants, which make them economically unviable and the resulting catalytic efficiencies lag far behind their natural counterparts. The revolutionary nature of EnzVolNet relies on the application of conformational network models (e.g Markov State Models) to extract the essential functional protein dynamics and key conformational states, reducing the complexity of the enzyme design paradigm and completely reformulating previous computational design approaches. Initial mutations are extracted from costly random mutagenesis experiments and chemoinformatic tools are used to identify beneficial mutations leading to more proficient enzymes. This new strategy will be applied to develop stand-alone enzymes from heteromeric protein complexes, with advantageous biosynthetic properties and improve activity and substrate scope. Experimental evaluation of our computational predictions will finally elucidate the potential of the present approach for mimicking Nature’s rules of evolution.", + "rcn": 208408, + "startDate": "2017-05-01", + "status": "CLOSED", + "subCall": "H2020-MSCA-IF-2016", + "title": "COMPUTATIONAL EVOLUTION OF ENZYME VARIANTS THROUGH CONFORMATIONAL NETWORKS", + "topics": "MSCA-IF-2016", + "totalCost": 158121.6 +},{ + "acronym": "FASTPARSE", + "contentUpdateDate": "2022-08-18 09:56:14", + "ecMaxContribution": 1481747, + "ecSignatureDate": "2016-12-08", + "endDate": "2022-07-31", + "frameworkProgramme": "H2020", + "fundingScheme": "ERC-STG", + "grantDoi": "10.3030/714150", + "id": 886776, + "legalBasis": "H2020-EU.1.1.", + "masterCall": "ERC-2016-STG", + "nature": "", + "objective": "The popularization of information technology and the Internet has resulted in an unprecedented growth in the scale at which individuals and institutions generate, communicate and access information. In this context, the effective leveraging of the vast amounts of available data to discover and address people's needs is a fundamental problem of modern societies.\n\nSince most of this circulating information is in the form of written or spoken human language, natural language processing (NLP) technologies are a key asset for this crucial goal. NLP can be used to break language barriers (machine translation), find required information (search engines, question answering), monitor public opinion (opinion mining), or digest large amounts of unstructured text into more convenient forms (information extraction, summarization), among other applications.\n\nThese and other NLP technologies rely on accurate syntactic parsing to extract or analyze the meaning of sentences. Unfortunately, current state-of-the-art parsing algorithms have high computational costs, processing less than a hundred sentences per second on standard hardware. While this is acceptable for working on small sets of documents, it is clearly prohibitive for large-scale processing, and thus constitutes a major roadblock for the widespread application of NLP.\n\nThe goal of this project is to eliminate this bottleneck by developing fast parsers that are suitable for web-scale processing. To do so, FASTPARSE will improve the speed of parsers on several fronts: by avoiding redundant calculations through the reuse of intermediate results from previous sentences; by applying a cognitively-inspired model to compress and recode linguistic information; and by exploiting regularities in human language to find patterns that the parsers can take for granted, avoiding their explicit calculation. The joint application of these techniques will result in much faster parsers that can power all kinds of web-scale NLP applications.", + "rcn": 206936, + "startDate": "2017-02-01", + "status": "SIGNED", + "subCall": "ERC-2016-STG", + "title": "Fast Natural Language Parsing for Large-Scale NLP", + "topics": "ERC-2016-STG", + "totalCost": 1481747 +},{ + "acronym": "StarLink", + "contentUpdateDate": "2022-08-10 09:42:53", + "ecMaxContribution": 50000, + "ecSignatureDate": "2018-05-04", + "endDate": "2018-08-31", + "frameworkProgramme": "H2020", + "fundingScheme": "SME-1", + "grantDoi": "10.3030/815698", + "id": 815698, + "legalBasis": "H2020-EU.2.3.", + "masterCall": "H2020-EIC-SMEInst-2018-2020", + "nature": "", + "objective": "Vacuum pumps are used in thousands of industrial applications, playing a vital role in food processing, semiconductors, chemicals, pharmaceuticals and many other manufacturing and assembly processes. However, today’s pumps are currently unable to provide any type of insights that could help users anticipate a pump malfunction, plan maintenance procedures or setting the adjustments. Pump malfunctions or breakdowns, due to unplanned maintenance or improper settings, cost millions of euros in lost revenues every year as production and logistic lines lie idle waiting for pumps to be fixed, and when they are not optimized their productivity decrease or their energy consumption go up. \n\nBut now, DVP, a vacuum pump manufacturer, has developed the solution to these challenges through StarLink, the world’s first intelligent vacuum pump system. StarLink is a patent-pending system that uses data analytics and machine learning to identify pump malfunctions before they happen, propose actions to be taken, and automatically adjust the operation parameters if the problem relates to the setting. This will reduce pump downtime-related costs by 30%, increase their productivity by 50% and make easier the operation manager tasks. \n\nThe combination of our deep knowledge of vacuum pumps needs with the machine learning expertise of the university of Ferrara will create the most intelligent device to improve the competitiveness of European companies. Additionally, StarLink will contribute to DVP’s growth in terms of employees and product portfolio since we will be able to offer a wider range of products and services related to vacuum pumps, which will allow us to enter new markets and sell more units. By 2023, it will generate €3M in yearly revenue with net profits of €2M to our company.", + "rcn": 217721, + "startDate": "2018-05-01", + "status": "CLOSED", + "subCall": "H2020-SMEInst-2018-2020-1", + "title": "StarLink: The World's First Intelligent Vacuum Pump System", + "topics": "EIC-SMEInst-2018-2020", + "totalCost": 71429 +},{ + "acronym": "ARMOUR", + "contentUpdateDate": "2022-08-18 16:42:12", + "ecMaxContribution": 191149.44, + "ecSignatureDate": "2020-03-16", + "endDate": "2022-10-14", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-SE", + "grantDoi": "10.3030/890844", + "id": 890844, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2019", + "nature": "", + "objective": "General awareness about the smart grid technologies has improved in the last decade due to various energy liberalization actions taken by the European Union. However, the lack of well-developed technologies, has been main cause of slow acceptance of smart grids. This calls for the identification of unexplored research areas in smart grids. Positive outcomes of the research can help in laying down new and well-defined standards for the smart grids and associated intelligent technologies. A convenient and easily integrable product can also help in encouraging various distribution system operators to accept the new technologies. Massive amount of data is already being collected from the distribution networks using smart meters. Rapid advancements in machine learning research have opened up new avenues for data utilization in smart grid. \nForerunners like DEPsys (a smart grid technology company based in Switzerland), have now simplified the distribution system data for further analysis and research. A critical concern raised by DEPsys customers, is their inability to trace the source of power quality issues in the distribution network, which in-turn leads to both energy and economic losses over time. This project builds up on existing infrastructure of DEPsys and aims to be an AMROUR (by improving robustness) for distribution networks against power quality events. The main objectives are: (i) leveraging machine learning for condition monitoring and tracing power quality events, and (ii) to develop a smart grid technology which assists the distribution system operators in prevention and diagnosis of power quality events.", + "rcn": 227886, + "startDate": "2020-10-15", + "status": "SIGNED", + "subCall": "H2020-MSCA-IF-2019", + "title": "smARt Monitoring Of distribUtion netwoRks for robust power quality", + "topics": "MSCA-IF-2019", + "totalCost": 191149.44 +},{ + "acronym": "Target5LO", + "contentUpdateDate": "2022-08-16 11:09:20", + "ecMaxContribution": 195454.8, + "ecSignatureDate": "2018-03-19", + "endDate": "2020-02-29", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-CAR", + "grantDoi": "10.3030/792495", + "id": 792495, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2017", + "nature": "", + "objective": "Drug efficacy is cornerstone for successful drug discovery programs. Considering that, on average, FDA-approved drugs modulate dozens of off-targets it remains imperative to find strategies to overcome adverse drug reactions correlated with pernicious polypharmacology. In fact, several chemical entities displaying promising anticancer are discontinued from drug development pipelines due to narrow therapeutic windows in pre-clinical models. Here, we propose the development of antibody-drug conjugates exploring the unique bioactivity profile of the naphthoquinone natural product-lapachone (Lp) against acute myeloid leukemia (AML), an unmet medical need. Using a machine learning method, we disclosed Lp as an allosteric modulator of 5-lipoxygenase (5-LO), correlated its anticancer activity with 5-LO expression in blood cancers and showed its efficacy in a disseminated mouse model of AML.\n\nIn this project, a comprehensive investigation of novel means for the targeted delivery of Lp to leukaemia cells is sought after, considering both the promising bioactivity profile but also the significant toxicity in untargeted dosage forms. We apply state-of-the-art synthetic medicinal chemistry to design and access cleavable linkers, and site-specifically conjugate Lp to an anti-IL7R antibody, a validated biomarker in AML and other leukaemia’s. We aim at employing biophysical and chemical biology approaches to validate quantitative and fast release of Lp with accurate spatiotemporal control in in vitro disease models. Finally, we will validate the deployment of the constructs through preclinical in vivo models of AML. We foresee broad applicability of the developed technology, which may have profound implications in drug discovery. Upon successful completion of this research program, we hope to yield a new targeted drug to treat AML patients with improved efficacy and reduced side-effects.", + "rcn": 215065, + "startDate": "2018-03-01", + "status": "CLOSED", + "subCall": "H2020-MSCA-IF-2017", + "title": "Targeting 5-lipoxygenase in the context of Acute Myeloid Leukemia", + "topics": "MSCA-IF-2017", + "totalCost": 195454.8 +},{ + "acronym": "Smart Library", + "contentUpdateDate": "2022-08-11 19:59:53", + "ecMaxContribution": 1200000, + "ecSignatureDate": "2017-02-26", + "endDate": "2018-12-31", + "frameworkProgramme": "H2020", + "fundingScheme": "SME-2", + "grantDoi": "10.3030/756826", + "id": 756826, + "legalBasis": "H2020-EU.3.6.", + "masterCall": "H2020-SMEInst-2016-2017", + "nature": "", + "objective": "Children today are natives of technology, having frequent access to digital devices both at home and at school. Digital devices are today even more used than TV. Worryingly, the offering of high quality educational apps is very limited and expensive. Parents and educators are concerned about this and are actively searching for better alternatives.\n\nTo help resolve these issues, Smile and Learn places technology at the service of education with the mission of helping children 2 to 12 years old learn while having fun using digital devices. Like the north American educational philosopher John Dewey, we believe that “if we teach today’s students as we taught yesterday’s, we rob them of tomorrow.” Our vision is to become the global leader in Edutainment (Entertainment plus Education). To do so we have developed the Smart Digital Library, a single platform of interactive games and stories that, as of today, provides access to up to 30 individual proprietary apps (100 apps by end 2018). The “Library” can be used at home, on the go or at school and provides “smart” recommendations to children, their parents and educators.\n\nIn August 2016, Smile and Learn successfully completed phase I of SME Instrument, finalizing our first release of the Smart Library rolled out in real production environments both at pilot schools (today more than 100 schools use the Library, including 10 special education schools) and with families (+7,000 active users) in different markets, including the US, Spain, the UK, France, Mexico and Colombia, with very positive feedback. We already have more than 30,000 users worldwide with no marketing expenditure.\n\nWe are now moving forward to make the Smart Library a global state-of-the-art product in the edutainment industry by scaling it up and rolling out a powerful dissemination plan, that we expect to conduct with the support of Phase 2 H2020", + "rcn": 208757, + "startDate": "2017-03-01", + "status": "CLOSED", + "subCall": "H2020-SMEINST-2-2016-2017", + "title": "Smart Library of Edutainment: technology and gamification at the service of Education", + "topics": "SMEInst-12-2016-2017", + "totalCost": 1827500 +},{ + "acronym": "PALGLAC", + "contentUpdateDate": "2022-08-25 10:28:12", + "ecMaxContribution": 2425298.75, + "ecSignatureDate": "2018-05-14", + "endDate": "2024-09-30", + "frameworkProgramme": "H2020", + "fundingScheme": "ERC-ADG", + "grantDoi": "10.3030/787263", + "id": 787263, + "legalBasis": "H2020-EU.1.1.", + "masterCall": "ERC-2017-ADG", + "nature": "", + "objective": "Ice sheets regulate Earth’s climate by reflecting sunlight away, enabling suitable temperatures for human habitation. Warming is reducing these ice masses and raising sea level. Glaciologists predict ice loss using computational ice sheet models which interact with climate and oceans, but with caveats that highlight processes are inadequately encapsulated. Weather forecasting made a leap in skill by comparing modelled forecasts with actual outcomes to improve physical realism of their models. This project sets out an ambitious programme to adopt this data-modelling approach in ice sheet modelling. Given their longer timescales (100-1000s years) we will use geological and geomorphological records of former ice sheets to provide the evidence; the rapidly growing field of palaeoglaciology.\n\nFocussing on the most numerous and spatially-extensive records of palaeo ice sheet activity - glacial landforms - the project aims to revolutionise understanding of past, present and future ice sheets. Our mapping campaign (Work-Package 1), including by machine learning techniques (WP2), should vastly increase the evidence-base. Resolution of how subglacial landforms are generated and how hydrological networks develop (WP3) would be major breakthroughs leading to possible inversions to information on ice thickness or velocity, and with key implications for ice flow models and hydrological effects on ice dynamics. By pioneering techniques and coding for combining ice sheet models with landform data (WP4) we will improve knowledge of the role of palaeo-ice sheets in Earth system change. Trialling of numerical models in these data-rich environments will highlight deficiencies in process-formulations, leading to better models. Applying our coding to combine landforms and geochronology to optimise modelling (WP4) of the retreat of the Greenland and Antarctic ice sheets since the last glacial will provide ‘spin up’ glaciological conditions for models that forecast sea level rise.", + "rcn": 216167, + "startDate": "2018-10-01", + "status": "SIGNED", + "subCall": "ERC-2017-ADG", + "title": "Palaeoglaciological advances to understand Earth’s ice sheets by landform analysis", + "topics": "ERC-2017-ADG", + "totalCost": 2425298.75 +},{ + "acronym": "Konetik eLCV", + "contentUpdateDate": "2022-08-10 09:21:56", + "ecMaxContribution": 50000, + "ecSignatureDate": "2018-11-29", + "endDate": "2019-01-31", + "frameworkProgramme": "H2020", + "fundingScheme": "SME-1", + "grantDoi": "10.3030/837614", + "id": 837614, + "legalBasis": "H2020-EU.2.3.", + "masterCall": "H2020-EIC-SMEInst-2018-2020", + "nature": "", + "objective": "Light Commercial vehicle fleets are important for the EV adoption A LCV is a business tool, so the utilisation rate and ensuring business continuity are key. Integrating and managing electric LCV is challenging due to the limited driving range and charging infrastructure.\n\nIn this project, our aim is to make a feasibility study of developing the first AI based charging assistant for Light Commercial Vehicle fleets. As part of the project aim is to research into the technical feasibility of analyzing vehicle charging data from the electric LCVs and combine that with consumption data from public, home and office chargers to ensure business continuity of eLCV fleets and save money on charging and reducing idle time.\n\nAccording to the IEA, EV/HEVs stock is projected to reach 200 Million units by 2030. The total EV/HEV market is expected to grow up 233EUR bn by 2021 growing at a 40.65%\n\nThe project will allow us to facilitate the market spread of eLCVs with the first machine learning based smart charging assistant tool based on our unique algorithm that combines advanced energy management and telematics. This will imply to disrupt into the European and international market by saving significant money on eLCV charging and reducing downtimes for our client while generating 5,1 M€ profit until 2022 and a generation of 42 new direct jobs on the company level for Konetik.\n\nKonetik is a telematics company focusing on products helping the widespread of electric vehicles. Konetik serves 300+ companies 3 energy utilities already engaged (NKM, ENGIE, EnBW) regarding a pilot program. Selected as one of the top 100 Berlin based startups", + "rcn": 219747, + "startDate": "2018-11-01", + "status": "CLOSED", + "subCall": "H2020-SMEInst-2018-2020-1", + "title": "Artificial Intelligence based Smart Charging Assistant for Electric Light Commercial Vehicle Fleets", + "topics": "EIC-SMEInst-2018-2020", + "totalCost": 71429 +},{ + "acronym": "INSENSION", + "contentUpdateDate": "2022-09-04 01:10:17", + "ecMaxContribution": 2255875, + "ecSignatureDate": "2017-11-07", + "endDate": "2021-10-31", + "frameworkProgramme": "H2020", + "fundingScheme": "RIA", + "grantDoi": "10.3030/780819", + "id": 780819, + "legalBasis": "H2020-EU.2.1.1.", + "masterCall": "H2020-ICT-2016-2017", + "nature": "", + "objective": "The INSENSION project will create an ICT platform that enables persons with profound and multiple learning disabilities (PMLD) to use digital applications and services that can enhance the quality of their lives, increase their ability to self-determination and enrich their lives. The target end users of the proposed solution are capable of using only nonconventional, nonsymbolic means of interaction with their environment. Therefore, the platform aims to provide technological means for seamless, and adaptable recognition of a range of highly individual nonsymbolic behavioral signals of people with PMLD to detect behavioral patterns happening in the context of specific situations. These patterns are translated into the affective ‘intents’ of the end user (their approval or disapproval to the given situation) and allow to communicate them to assistive services. This way an individual with PMLD gains a possibility to seamlessly influence their living environment, through new means of communication with other people, changing conditions of their environment or use new types of assistive digital applications. The project employs recent advances in a range of ICT disciplines equipping the proposed assistive ICT platform with natural behavior recognition mechanisms based on gesture, facial expression and vocalization recognition technologies. This is complemented by novel techniques of artificial intelligence and state-of-the-art Internet of Things models. The research and development of the project is conducted within the inclusive design paradigm, with individual with PMLD and their caregivers directly participating in the R+D process throughout the whole duration of the project. This process links a highly interdisciplinary team of experts of ICT specialists and researchers and practitioners of disability studies and care, with due participation of an assistive technology industry representatives.", + "rcn": 213171, + "startDate": "2018-01-01", + "status": "SIGNED", + "subCall": "H2020-ICT-2017-1", + "title": "Personalized intelligent platform enabling interaction with digital services to individuals with profound and multiple learning disabilities", + "topics": "ICT-23-2017", + "totalCost": 2255875 +},{ + "acronym": "MANET", + "contentUpdateDate": "2022-06-13 17:36:10", + "ecMaxContribution": 171473.28, + "ecSignatureDate": "2021-04-30", + "endDate": "2024-06-30", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-ST", + "grantDoi": "10.3030/101033173", + "id": 101033173, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2020", + "nature": "", + "objective": "Curbing greenhouse gas emissions is a challenge of the utmost importance for our society future and requires urgent decisions on the implementation of clear-cut climate economic policies. Integrated Assessment Models (IAMs) allow to explore alternative energy scenarios in the next 30-70 years. They are key to support the design of climate policies as they highlight the nexus between climate modelling, social science, and energy systems. However, the use of IAMs to inform climate policies does not come free of controversial aspects. Primarily, the inherent uncertainty of IAMs long-term outputs has created several difficulties for the integration of the modelling insights in the policy design. Modelling outputs diverge across IAMs models quite dramatically when they are asked for example to quantify the uptake of key technologies for the decarbonisation, such as renewables and carbon capture and storage. Uncertainty in IAMs descends from lack of knowledge of the future and from IAMs incomplete representations of the future. Uncertainty cannot be removed, but reduced, understood, and conveyed appropriately to policy makers to avoid that different projections cause delayed actions. \nThis project aims to fill this gap providing a methodology which defines the sources of uncertainty, either due to IAMs inputs or IAMs structure, and quantify their relative importance. The methodology will be embodied in an emulator of IAMs, MANET (the eMulAtor of iNtegratAd assEssmenT models) formulated using machine learning techniques to reproduce IAMs outputs. The project will provide a proof of concept of MANET focusing on the uptake of key decarbonisation technologies. The emulator will provide a simplified version of the IAM outputs as a response surface of the model to any variation of the inputs. MANET will be a flexible tool for policy makers and scientists for a direct comparison of IAMs with no limitation of the solution domain.", + "rcn": 235834, + "startDate": "2022-07-01", + "status": "SIGNED", + "subCall": "H2020-MSCA-IF-2020", + "title": "Climate economic policies: assessing values and costs of uncertainty in energy scenarios", + "topics": "MSCA-IF-2020", + "totalCost": 171473.28 +},{ + "acronym": "PRINTOUT", + "contentUpdateDate": "2022-11-12 14:18:08", + "ecMaxContribution": 183473.28, + "ecSignatureDate": "2020-04-21", + "endDate": "2022-06-14", + "frameworkProgramme": "H2020", + "fundingScheme": "MSCA-IF-EF-ST", + "grantDoi": "10.3030/892757", + "id": 892757, + "legalBasis": "H2020-EU.1.3.", + "masterCall": "H2020-MSCA-IF-2019", + "nature": "", + "objective": "With the extensive range of document generation devices nowadays, the establishment of computational techniques to find manipulation, detect illegal copies and link documents to their source are useful because (i) finding manipulation can help to detect fake news and manipulated documents; (ii) exposing illegal copies can avoid frauds and copyright violation; and (iii) indicating the owner of an illegal document can provide strong arguments to the prosecution of a suspect. Different machine learning techniques have been proposed in the scientific literature to act in these problems, but many of them are limited as: (i) there is a lack of methodology, which may require different experts to solve different problems; (ii) the limited range of known elements being considered for multi-class classification problems such as source attribution, which do not consider unknown classes in a real-world testing; and (iii) they don’t consider adversarial attacks from an experienced forger. In this research project, we propose to address these problems on two fronts: resilient characterization and classification. In the characterization front, we intend to use multi-analysis approaches. Proposed by the candidate in his Ph.D. research, it is a methodology to fuse/ensemble machine learning approaches by considering several investigative scenarios, creating robust classifiers that minimize the risk of attacks. Additionally, we aim at proposing the use of open-set classifiers, which are trained to avoid misclassification of classes not included in the classifier training. We envision solutions to several printed document forensics applications with this setup: source attribution, forgery of documents and illegal copies detection. All the approaches we aim at creating in this project will be done in partnership with a document authentication company, which will provide real-world datasets and new applications.", + "rcn": 229161, + "startDate": "2020-06-15", + "status": "CLOSED", + "subCall": "H2020-MSCA-IF-2019", + "title": "Printed Documents Authentication", + "topics": "MSCA-IF-2019", + "totalCost": 183473.28 +},{ + "acronym": "SKIDLESS", + "contentUpdateDate": "2022-08-16 00:57:32", + "ecMaxContribution": 50000, + "ecSignatureDate": "2019-01-21", + "endDate": "2019-07-31", + "frameworkProgramme": "H2020", + "fundingScheme": "SME-1", + "grantDoi": "10.3030/855496", + "id": 855496, + "legalBasis": "H2020-EU.2.3.", + "masterCall": "H2020-EIC-SMEInst-2018-2020", + "nature": "", + "objective": "When we drive, our safety is protected by a set of technologies that silently watch over the car’s behaviour, intervening to\nminimise the risk of accidents. The Electronic Stability Control (ESC) is by far the most impactful safety technology in cars,\nhaving reduced by around 40% the number of fatal accidents caused by the vehicle’s loss of control. Although effective, any\nESC on the market suffer from one significant flaw: it cannot directly measure the sideslip angle, which is the key indicator of\nskidding, namely the situation when the car deviates from the driver’s intended direction. The result is that present ESC can\ndetect up to 80% of skidding events, thus still leaving room for improvements that can save lives. To address this issue and\ncatch a huge market opportunity, Modelway has developed a machine learning technology able to accurately estimate the\nvehicle’s sideslip angle in real time. And without adding any new sensor to the car. The key to obtain this result is the\nproprietary and patented Direct Virtual Sensor technology, which can be embedded in standard ESC units to further improve\nthe vehicle’s capacity to detect a skidding event. The DVS technology has been prototyped and extensive tests have been\ncarried out with car manufacturers and their Tier-1 suppliers, showing that the performances are already in line with the\nexpectations of a highly regulated industry as automotive. Now the development roadmap focuses on understanding the\nfeasibility of the integration of the DVS technology in commercial ESC units (Phase 1), to enable a co-development effort\nwith global ESC manufacturers (e.g. Bosch, Magneti Marelli) leading to a pre-commercial validation test-bed (Phase 2). In\nterms of business potential, with around 100 million cars sold each year globally and around 50 in Europe and the US where\nthe use of ESC is mandatory since 2014, we target more than 4 million DSV installed in cars by 2025, leading to more than\n28 M€ of revenues.", + "rcn": 220470, + "startDate": "2019-02-01", + "status": "CLOSED", + "subCall": "H2020-SMEInst-2018-2020-1", + "title": "Enhancing car safety through accurate and real time side-slip angle assessment", + "topics": "EIC-SMEInst-2018-2020", + "totalCost": 71429 +},{ + "acronym": "Z-Fact0r", + "contentUpdateDate": "2022-08-18 09:44:24", + "ecMaxContribution": 4206252.88, + "ecSignatureDate": "2016-08-09", + "endDate": "2020-03-31", + "frameworkProgramme": "H2020", + "fundingScheme": "IA", + "grantDoi": "10.3030/723906", + "id": 723906, + "legalBasis": "H2020-EU.2.1.5.", + "masterCall": "H2020-IND-CE-2016-17", + "nature": "", + "objective": "Manufacturing represents approximately 21 % of the EU’s GDP and 20 % of its employment, providing more than 30 million jobs in 230 000 enterprises, mostly SMEs. Moreover, each job in industry is considered to be linked to two more in related services. European manufacturing is also a dominant element in international trade, leading the world in areas such as automotive, machinery and agricultural engineering. Already threatened by both the lower-wage economies and other high-tech rivals, the situation of EU companies was even made more difficult by the downturn.\nThe Z-Fact0r consortium has conducted an extensive state-of-the-art research (see section 1.4) and realised that although a number of activities (see section 1.3) have been trying to address the need for zero-defect manufacturing, still there is a vast business opportunity for innovative, high-ROI (Return on Investment) solutions to ensure, better quality and higher productivity in the European manufacturing industries.\nThe Z-Fact0r solution comprises the introduction of five (5) multi-stage production-based strategies targeting (i) the early detection of the defect (Z-DETECT), (ii) the prediction of the defect generation (Z-PREDICT), (iii) the prevention of defect generation by recalibrating the production line (multi-stage), as well as defect propagation in later stages of the production (Z-PREVENT), (iv) the reworking/remanufacturing of the product, if this is possible, using additive and subtractive manufacturing techniques (Z-REPAIR) and (v) the management of the aforementioned strategies through event modelling, KPI (key performance indicators) monitoring and real-time decision support (Z-MANAGE).\nTo do that we have brought together a total of thirteen (13) EU-based partners, representing both industry and academia, having ample experience in cutting-edge technologies and active presence in the EU manufacturing.", + "rcn": 205465, + "startDate": "2016-10-01", + "status": "CLOSED", + "subCall": "H2020-FOF-2016", + "title": "Zero-defect manufacturing strategies towards on-line production management for European factories", + "topics": "FOF-03-2016", + "totalCost": 6063018.75 +}] \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_nld.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_nld.json.gz new file mode 100644 index 000000000..2b3763833 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_nld.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_subset.json b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_subset.json deleted file mode 100644 index ae1b7cb82..000000000 --- a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_subset.json +++ /dev/null @@ -1,16 +0,0 @@ -{"id":"894593","programme":"H2020-EU.3.4.7.","topics":"SESAR-ER4-31-2019"} -{"id":"897004","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"896300","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"892890","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"886828","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"886776","programme":"H2020-EU.2.1.4.;H2020-EU.3.2.6.","topics":"BBI-2019-SO3-D4"} -{"id":"895426","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"898218","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"893787","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"896189","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"891624","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"887259","programme":"H2020-EU.2.1.4.;H2020-EU.3.2.6.","topics":"BBI-2019-SO3-D3"} -{"id":"892834","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"895716","programme":"H2020-EU.1.3.2.","topics":"MSCA-IF-2019"} -{"id":"954782","programme":"H2020-EU.3.;H2020-EU.2.3.;H2020-EU.2.1.","topics":"EIC-SMEInst-2018-2020"} -{"id":"101003374","programme":"H2020-EU.4.","topics":"WF-02-2019"} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_subset.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_subset.json.gz new file mode 100644 index 000000000..ae747c19c Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/projects_subset.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topic.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topic.json.gz deleted file mode 100644 index 623c92427..000000000 Binary files a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topic.json.gz and /dev/null differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topics.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topics.json.gz new file mode 100644 index 000000000..4e23045f2 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topics.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topics_nld.json.gz b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topics_nld.json.gz new file mode 100644 index 000000000..f401c3f40 Binary files /dev/null and b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/project/topics_nld.json.gz differ diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/datasourceDb b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/datasourceDb new file mode 100644 index 000000000..efbb4cfbd --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/datasourceDb @@ -0,0 +1,9 @@ +{"id":"d1__________::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":5} +{"id":"d11_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} +{"id":"d11_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} +{"id":"d11_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} +{"id":"d12_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":6} +{"id":"d12_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} +{"id":"d12_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} +{"id":"d13_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":10} +{"id":"d13_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/datasourceDb_old b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/datasourceDb_old new file mode 100644 index 000000000..7337ba3e2 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/datasourceDb_old @@ -0,0 +1,12 @@ +{"id":"d1__________::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":4} +{"id":"d1__________::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":1} +{"id":"d11_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} +{"id":"d11_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} +{"id":"d11_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} +{"id":"d12_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":3} +{"id":"d12_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":0,"views":3} +{"id":"d12_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} +{"id":"d12_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} +{"id":"d13_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":8} +{"id":"d13_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":0,"views":2} +{"id":"d13_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/projectDb b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/projectDb new file mode 100644 index 000000000..0b8cd1d70 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/projectDb @@ -0,0 +1,9 @@ +{"id":"f1__________::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":5} +{"id":"f11_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} +{"id":"f11_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} +{"id":"f11_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} +{"id":"f12_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":6} +{"id":"f12_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} +{"id":"f12_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} +{"id":"f13_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":10} +{"id":"f13_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/projectDb_old b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/projectDb_old new file mode 100644 index 000000000..0ecab2a82 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/projectDb_old @@ -0,0 +1,12 @@ +{"id":"f1__________::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":4} +{"id":"f1__________::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":1} +{"id":"f11_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} +{"id":"f11_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} +{"id":"f11_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} +{"id":"f12_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":3} +{"id":"f12_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":0,"views":3} +{"id":"f12_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} +{"id":"f12_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} +{"id":"f13_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":8} +{"id":"f13_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":0,"views":2} +{"id":"f13_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usageDb b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usageDb new file mode 100644 index 000000000..495ae0fc5 --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usageDb @@ -0,0 +1,9 @@ +{"id":"dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":5} +{"id":"doi_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} +{"id":"doi_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} +{"id":"doi_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} +{"id":"doi_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":6} +{"id":"doi_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} +{"id":"doi_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} +{"id":"doi_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":10} +{"id":"doi_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usageDb_old b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usageDb_old new file mode 100644 index 000000000..eb3290eda --- /dev/null +++ b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usageDb_old @@ -0,0 +1,12 @@ +{"id":"dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":4} +{"id":"dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":1} +{"id":"doi_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} +{"id":"doi_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} +{"id":"doi_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} +{"id":"doi_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":3} +{"id":"doi_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":0,"views":3} +{"id":"doi_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} +{"id":"doi_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} +{"id":"doi_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":8} +{"id":"doi_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":0,"views":2} +{"id":"doi_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usagestatsdb b/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usagestatsdb deleted file mode 100644 index fee74f697..000000000 --- a/dhp-workflows/dhp-aggregation/src/test/resources/eu/dnetlib/dhp/actionmanager/usagestats/usagestatsdb +++ /dev/null @@ -1,12 +0,0 @@ -{"result_id":"dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":4} -{"result_id":"dedup_wf_001::53575dc69e9ace947e02d47ecd54a7a6","downloads":0,"views":1} -{"result_id":"doi_________::17eda2ff77407538fbe5d3d719b9d1c0","downloads":0,"views":1} -{"result_id":"doi_________::1d4dc08605fd0a2be1105d30c63bfea1","downloads":1,"views":3} -{"result_id":"doi_________::2e3527822854ca9816f6dfea5bff61a8","downloads":1,"views":1} -{"result_id":"doi_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":2,"views":3} -{"result_id":"doi_________::3085e4c6e051378ca6157fe7f0430c1f","downloads":0,"views":3} -{"result_id":"doi_________::33f710e6dd30cc5e67e35b371ddc33cf","downloads":0,"views":1} -{"result_id":"doi_________::39738ebf10654732dd3a7af9f24655f8","downloads":1,"views":3} -{"result_id":"doi_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":1,"views":8} -{"result_id":"doi_________::3c3b65f07c1a06c7894397eda1d11bbf","downloads":0,"views":2} -{"result_id":"doi_________::4938a71a884dd481d329657aa543b850","downloads":0,"views":3} \ No newline at end of file diff --git a/dhp-workflows/dhp-broker-events/src/main/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtils.java b/dhp-workflows/dhp-broker-events/src/main/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtils.java index cf3562193..4792a7719 100644 --- a/dhp-workflows/dhp-broker-events/src/main/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtils.java +++ b/dhp-workflows/dhp-broker-events/src/main/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtils.java @@ -37,12 +37,24 @@ public class SubscriptionUtils { } public static boolean verifyDateRange(final long date, final String min, final String max) { + + long from = 0; + long to = Long.MAX_VALUE; + try { - return date >= DateUtils.parseDate(min, "yyyy-MM-dd").getTime() - && date < DateUtils.parseDate(max, "yyyy-MM-dd").getTime() + ONE_DAY; + from = min != null ? DateUtils.parseDate(min, "yyyy-MM-dd").getTime() : 0; } catch (final ParseException e) { - return false; + from = 0; } + + try { + to = max != null ? DateUtils.parseDate(max, "yyyy-MM-dd").getTime() + ONE_DAY : Long.MAX_VALUE; + } catch (final ParseException e) { + to = Long.MAX_VALUE; + } + + return date >= from && date < to; + } public static boolean verifyExact(final String s1, final String s2) { diff --git a/dhp-workflows/dhp-broker-events/src/test/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtilsTest.java b/dhp-workflows/dhp-broker-events/src/test/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtilsTest.java index d93390e4a..63b49d362 100644 --- a/dhp-workflows/dhp-broker-events/src/test/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtilsTest.java +++ b/dhp-workflows/dhp-broker-events/src/test/java/eu/dnetlib/dhp/broker/oa/util/SubscriptionUtilsTest.java @@ -41,6 +41,18 @@ public class SubscriptionUtilsTest { assertTrue(SubscriptionUtils.verifyDateRange(date, "2010-01-01", "2011-01-01")); assertFalse(SubscriptionUtils.verifyDateRange(date, "2020-01-01", "2021-01-01")); + + assertTrue(SubscriptionUtils.verifyDateRange(date, "2010-01-01", "NULL")); + assertTrue(SubscriptionUtils.verifyDateRange(date, "2010-01-01", null)); + assertTrue(SubscriptionUtils.verifyDateRange(date, "NULL", "2011-01-01")); + assertTrue(SubscriptionUtils.verifyDateRange(date, null, "2011-01-01")); + assertTrue(SubscriptionUtils.verifyDateRange(date, "NULL", "NULL")); + assertTrue(SubscriptionUtils.verifyDateRange(date, null, null)); + + assertFalse(SubscriptionUtils.verifyDateRange(date, "2020-01-01", null)); + assertFalse(SubscriptionUtils.verifyDateRange(date, "2020-01-01", "NULL")); + assertFalse(SubscriptionUtils.verifyDateRange(date, null, "2005-01-01")); + assertFalse(SubscriptionUtils.verifyDateRange(date, "NULL", "2005-01-01")); } @Test diff --git a/dhp-workflows/dhp-dedup-openaire/src/main/java/eu/dnetlib/dhp/oa/dedup/RelationAggregator.java b/dhp-workflows/dhp-dedup-openaire/src/main/java/eu/dnetlib/dhp/oa/dedup/RelationAggregator.java index 4b77ba0ca..0a565c152 100644 --- a/dhp-workflows/dhp-dedup-openaire/src/main/java/eu/dnetlib/dhp/oa/dedup/RelationAggregator.java +++ b/dhp-workflows/dhp-dedup-openaire/src/main/java/eu/dnetlib/dhp/oa/dedup/RelationAggregator.java @@ -42,7 +42,7 @@ public class RelationAggregator extends Aggregator return b; } - return MergeUtils.mergeRelation(b, a); + return MergeUtils.merge(b, a); } @Override diff --git a/dhp-workflows/dhp-doiboost/src/main/java/eu/dnetlib/doiboost/orcidnodoi/oaf/PublicationToOaf.java b/dhp-workflows/dhp-doiboost/src/main/java/eu/dnetlib/doiboost/orcidnodoi/oaf/PublicationToOaf.java index ba7c7dd01..74905b4ca 100644 --- a/dhp-workflows/dhp-doiboost/src/main/java/eu/dnetlib/doiboost/orcidnodoi/oaf/PublicationToOaf.java +++ b/dhp-workflows/dhp-doiboost/src/main/java/eu/dnetlib/doiboost/orcidnodoi/oaf/PublicationToOaf.java @@ -24,6 +24,8 @@ import eu.dnetlib.dhp.utils.DHPUtils; import eu.dnetlib.doiboost.orcidnodoi.util.DumpToActionsUtility; import eu.dnetlib.doiboost.orcidnodoi.util.Pair; +import javax.jws.WebParam; + /** * This class converts an orcid publication from json format to oaf */ @@ -128,16 +130,15 @@ public class PublicationToOaf implements Serializable { Publication publication = new Publication(); - final DataInfo dataInfo = new DataInfo(); + final EntityDataInfo dataInfo = new EntityDataInfo(); dataInfo.setDeletedbyinference(false); dataInfo.setInferred(false); - dataInfo.setTrust("0.9"); + dataInfo.setTrust(.9f); dataInfo .setProvenanceaction( - mapQualifier( + OafMapperUtils.qualifier( ModelConstants.SYSIMPORT_ORCID_NO_DOI, ModelConstants.SYSIMPORT_ORCID_NO_DOI, - ModelConstants.DNET_PROVENANCE_ACTIONS, ModelConstants.DNET_PROVENANCE_ACTIONS)); publication.setDataInfo(dataInfo); @@ -159,20 +160,14 @@ public class PublicationToOaf implements Serializable { .getExternalReference() .add( convertExtRef( - extId, classid, classname, ModelConstants.DNET_PID_TYPES, - ModelConstants.DNET_PID_TYPES)); + extId, classid, classname, ModelConstants.DNET_PID_TYPES)); } }); // Adding source final String source = getStringValue(rootElement, "sourceName"); if (StringUtils.isNotBlank(source)) { - Field sourceField = mapStringField(source, null); - if (sourceField == null) { - publication.setSource(null); - } else { - publication.setSource(Arrays.asList(sourceField)); - } + publication.setSource(Arrays.asList(source)); } // Adding titles @@ -193,7 +188,7 @@ public class PublicationToOaf implements Serializable { .setTitle( titles .stream() - .map(t -> mapStructuredProperty(t, ModelConstants.MAIN_TITLE_QUALIFIER, null)) + .map(t -> mapStructuredProperty(t, ModelConstants.MAIN_TITLE_QUALIFIER)) .filter(Objects::nonNull) .collect(Collectors.toList())); // Adding identifier @@ -220,8 +215,8 @@ public class PublicationToOaf implements Serializable { if (StringUtils.isNotBlank(type)) { publication .setResourcetype( - mapQualifier( - type, type, ModelConstants.DNET_DATA_CITE_RESOURCE, ModelConstants.DNET_DATA_CITE_RESOURCE)); + OafMapperUtils.qualifier( + type, type, ModelConstants.DNET_DATA_CITE_RESOURCE)); Map publicationType = typologiesMapping.get(type); if ((publicationType == null || publicationType.isEmpty()) && errorsInvalidType != null) { @@ -260,7 +255,7 @@ public class PublicationToOaf implements Serializable { final String pubDate = getPublicationDate(rootElement, "publicationDates"); if (StringUtils.isNotBlank(pubDate)) { - instance.setDateofacceptance(mapStringField(pubDate, null)); + instance.setDateofacceptance(pubDate); } instance.setCollectedfrom(createCollectedFrom()); @@ -270,15 +265,13 @@ public class PublicationToOaf implements Serializable { .setAccessright( OafMapperUtils .accessRight( - ModelConstants.UNKNOWN, "Unknown", ModelConstants.DNET_ACCESS_MODES, - ModelConstants.DNET_ACCESS_MODES)); + ModelConstants.UNKNOWN, "Unknown", ModelConstants.DNET_ACCESS_MODES)); // Adding type instance .setInstancetype( - mapQualifier( - cobjValue, typeValue, ModelConstants.DNET_PUBLICATION_RESOURCE, - ModelConstants.DNET_PUBLICATION_RESOURCE)); + OafMapperUtils.qualifier( + cobjValue, typeValue, ModelConstants.DNET_PUBLICATION_RESOURCE)); publication.setInstance(Arrays.asList(instance)); } else { @@ -313,12 +306,7 @@ public class PublicationToOaf implements Serializable { return null; } } - String classValue = getDefaultResulttype(cobjValue); - publication - .setResulttype( - mapQualifier( - classValue, classValue, ModelConstants.DNET_RESULT_TYPOLOGIES, - ModelConstants.DNET_RESULT_TYPOLOGIES)); + publication.setResulttype(getDefaultResulttype(cobjValue)); if (enrichedPublications != null) { enrichedPublications.add(1); } @@ -422,16 +410,15 @@ public class PublicationToOaf implements Serializable { final String pubDate = getPublicationDate(rootElement, "publication_date"); if (StringUtils.isNotBlank(pubDate)) { if (addToDateOfAcceptance) { - publication.setDateofacceptance(mapStringField(pubDate, null)); + publication.setDateofacceptance(pubDate); } - Qualifier q = mapQualifier( - dictionaryKey, dictionaryKey, ModelConstants.DNET_DATACITE_DATE, ModelConstants.DNET_DATACITE_DATE); + Qualifier q = OafMapperUtils.qualifier(dictionaryKey, dictionaryKey, ModelConstants.DNET_DATACITE_DATE); publication .setRelevantdate( Arrays .asList(pubDate) .stream() - .map(r -> mapStructuredProperty(r, q, null)) + .map(r -> mapStructuredProperty(r, q)) .filter(Objects::nonNull) .collect(Collectors.toList())); } @@ -511,44 +498,22 @@ public class PublicationToOaf implements Serializable { return true; } - private Qualifier mapQualifier(String classId, String className, String schemeId, String schemeName) { - final Qualifier qualifier = new Qualifier(); - qualifier.setClassid(classId); - qualifier.setClassname(className); - qualifier.setSchemeid(schemeId); - qualifier.setSchemename(schemeName); - return qualifier; - } - - private ExternalReference convertExtRef(String extId, String classId, String className, String schemeId, - String schemeName) { + private ExternalReference convertExtRef(String extId, String classId, String className, String schemeId) { ExternalReference ex = new ExternalReference(); ex.setRefidentifier(extId); - ex.setQualifier(mapQualifier(classId, className, schemeId, schemeName)); + ex.setQualifier(OafMapperUtils.qualifier(classId, className, schemeId)); return ex; } - private StructuredProperty mapStructuredProperty(String value, Qualifier qualifier, DataInfo dataInfo) { + private StructuredProperty mapStructuredProperty(String value, Qualifier qualifier) { if (value == null || StringUtils.isBlank(value)) { return null; } - final StructuredProperty structuredProperty = new StructuredProperty(); - structuredProperty.setValue(value); - structuredProperty.setQualifier(qualifier); - structuredProperty.setDataInfo(dataInfo); - return structuredProperty; - } - - private Field mapStringField(String value, DataInfo dataInfo) { - if (value == null || StringUtils.isBlank(value)) { - return null; - } - - final Field stringField = new Field<>(); - stringField.setValue(value); - stringField.setDataInfo(dataInfo); - return stringField; + final StructuredProperty sp = new StructuredProperty(); + sp.setValue(value); + sp.setQualifier(qualifier); + return sp; } private KeyValue createCollectedFrom() { @@ -562,27 +527,19 @@ public class PublicationToOaf implements Serializable { return ModelConstants.UNKNOWN_REPOSITORY; } - private StructuredProperty mapAuthorId(String orcidId) { - final StructuredProperty sp = new StructuredProperty(); - sp.setValue(orcidId); - final Qualifier q = new Qualifier(); - q.setClassid(ModelConstants.ORCID); - q.setClassname(ModelConstants.ORCID_CLASSNAME); - q.setSchemeid(ModelConstants.DNET_PID_TYPES); - q.setSchemename(ModelConstants.DNET_PID_TYPES); - sp.setQualifier(q); - final DataInfo dataInfo = new DataInfo(); - dataInfo.setDeletedbyinference(false); - dataInfo.setInferred(false); - dataInfo.setTrust("0.91"); - dataInfo - .setProvenanceaction( - mapQualifier( - ModelConstants.SYSIMPORT_CROSSWALK_ENTITYREGISTRY, - ModelConstants.HARVESTED, - ModelConstants.DNET_PROVENANCE_ACTIONS, - ModelConstants.DNET_PROVENANCE_ACTIONS)); - sp.setDataInfo(dataInfo); - return sp; + private AuthorPid mapAuthorId(String orcidId) { + return OafMapperUtils.authorPid( + orcidId, + OafMapperUtils.qualifier( + ModelConstants.ORCID, + ModelConstants.ORCID_CLASSNAME, + ModelConstants.DNET_PID_TYPES), + OafMapperUtils.dataInfo(.91f, + null, + false, + OafMapperUtils.qualifier( + ModelConstants.SYSIMPORT_CROSSWALK_ENTITYREGISTRY, + ModelConstants.HARVESTED, + ModelConstants.DNET_PROVENANCE_ACTIONS))); } } diff --git a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/DoiBoostMappingUtil.scala b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/DoiBoostMappingUtil.scala index 98f0962f3..65284272a 100644 --- a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/DoiBoostMappingUtil.scala +++ b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/DoiBoostMappingUtil.scala @@ -210,7 +210,6 @@ object DoiBoostMappingUtil { OafMapperUtils.accessRight( ModelConstants.ACCESS_RIGHT_OPEN, "Open Access", - ModelConstants.DNET_ACCESS_MODES, ModelConstants.DNET_ACCESS_MODES ) } @@ -219,7 +218,6 @@ object DoiBoostMappingUtil { OafMapperUtils.accessRight( "RESTRICTED", "Restricted", - ModelConstants.DNET_ACCESS_MODES, ModelConstants.DNET_ACCESS_MODES ) } @@ -228,7 +226,6 @@ object DoiBoostMappingUtil { OafMapperUtils.accessRight( ModelConstants.UNKNOWN, ModelConstants.NOT_AVAILABLE, - ModelConstants.DNET_ACCESS_MODES, ModelConstants.DNET_ACCESS_MODES ) } @@ -237,7 +234,6 @@ object DoiBoostMappingUtil { OafMapperUtils.accessRight( "EMBARGO", "Embargo", - ModelConstants.DNET_ACCESS_MODES, ModelConstants.DNET_ACCESS_MODES ) } @@ -246,11 +242,39 @@ object DoiBoostMappingUtil { OafMapperUtils.accessRight( "CLOSED", "Closed Access", - ModelConstants.DNET_ACCESS_MODES, ModelConstants.DNET_ACCESS_MODES ) } + val entityDataInfo = generateEntityDataInfo() + + def generateEntityDataInfo(): EntityDataInfo = { + OafMapperUtils.dataInfo( + false, + false, + .9f, + null, + false, + OafMapperUtils.qualifier( + ModelConstants.SYSIMPORT_ACTIONSET, + ModelConstants.SYSIMPORT_ACTIONSET, + ModelConstants.DNET_PROVENANCE_ACTIONS + )) + } + + val dataInfo = generateDataInfo() + def generateDataInfo(): DataInfo = { + OafMapperUtils.dataInfo( + .9f, + null, + false, + OafMapperUtils.qualifier( + ModelConstants.SYSIMPORT_ACTIONSET, + ModelConstants.SYSIMPORT_ACTIONSET, + ModelConstants.DNET_PROVENANCE_ACTIONS + )) + } + def extractInstance(r: Result): Option[Instance] = { r.getInstance() .asScala @@ -303,10 +327,6 @@ object DoiBoostMappingUtil { s"10|${b}::${DHPUtils.md5(a)}" } - def generateDataInfo(): DataInfo = { - generateDataInfo(0.9F) - } - def filterPublication(publication: Publication): Boolean = { //Case empty publication @@ -373,23 +393,6 @@ object DoiBoostMappingUtil { true } - def generateDataInfo(trust: Float): DataInfo = { - val di = new EntityDataInfo - di.setDeletedbyinference(false) - di.setInferred(false) - di.setInvisible(false) - di.setTrust(trust) - di.setProvenanceaction( - OafMapperUtils.qualifier( - ModelConstants.SYSIMPORT_ACTIONSET, - ModelConstants.SYSIMPORT_ACTIONSET, - ModelConstants.DNET_PROVENANCE_ACTIONS - - ) - ) - di - } - def createSubject(value: String, classId: String, schemeId: String): Subject = { val s = new Subject s.setQualifier(OafMapperUtils.qualifier(classId, classId, schemeId)) @@ -433,7 +436,7 @@ object DoiBoostMappingUtil { sp } - + val collectedFrom = createCrossrefCollectedFrom() def createCrossrefCollectedFrom(): KeyValue = { val cf = new KeyValue diff --git a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/SparkGenerateDoiBoost.scala b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/SparkGenerateDoiBoost.scala index 3315fc41d..8f62cc604 100644 --- a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/SparkGenerateDoiBoost.scala +++ b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/SparkGenerateDoiBoost.scala @@ -3,17 +3,19 @@ package eu.dnetlib.doiboost import eu.dnetlib.dhp.application.ArgumentApplicationParser import eu.dnetlib.dhp.oa.merge.AuthorMerger import eu.dnetlib.dhp.schema.common.ModelConstants +import eu.dnetlib.dhp.schema.oaf.utils.{MergeUtils, OafMapperUtils} import eu.dnetlib.dhp.schema.oaf.{Organization, Publication, Relation, Dataset => OafDataset} import eu.dnetlib.doiboost.mag.ConversionUtil +import eu.dnetlib.doiboost.DoiBoostMappingUtil._ import org.apache.commons.io.IOUtils import org.apache.spark.SparkConf -import org.apache.spark.sql.expressions.Aggregator import org.apache.spark.sql.functions.col import org.apache.spark.sql._ import org.json4s.DefaultFormats import org.json4s.JsonAST.{JField, JObject, JString} import org.json4s.jackson.JsonMethods.parse import org.slf4j.{Logger, LoggerFactory} + import scala.collection.JavaConverters._ object SparkGenerateDoiBoost { @@ -74,11 +76,11 @@ object SparkGenerateDoiBoost { spark.read.load(s"$workingDirPath/uwPublication").as[Publication].map(p => (p.getId, p)) def applyMerge(item: ((String, Publication), (String, Publication))): Publication = { - val crossrefPub = item._1._2 + var crossrefPub = item._1._2 if (item._2 != null) { val otherPub = item._2._2 if (otherPub != null) { - crossrefPub.mergeFrom(otherPub) + crossrefPub = MergeUtils.merge(crossrefPub, otherPub) crossrefPub.setAuthor(AuthorMerger.mergeAuthor(crossrefPub.getAuthor, otherPub.getAuthor)) } } @@ -117,16 +119,16 @@ object SparkGenerateDoiBoost { val doiBoostPublication: Dataset[(String, Publication)] = spark.read .load(s"$workingDirPath/doiBoostPublication") .as[Publication] - .filter(p => DoiBoostMappingUtil.filterPublication(p)) - .map(DoiBoostMappingUtil.toISSNPair)(tupleForJoinEncoder) + .filter(p => filterPublication(p)) + .map(toISSNPair)(tupleForJoinEncoder) val hostedByDataset: Dataset[(String, HostedByItemType)] = spark.createDataset( - spark.sparkContext.textFile(hostedByMapPath).map(DoiBoostMappingUtil.toHostedByItem) + spark.sparkContext.textFile(hostedByMapPath).map(toHostedByItem) ) doiBoostPublication .joinWith(hostedByDataset, doiBoostPublication("_1").equalTo(hostedByDataset("_1")), "left") - .map(DoiBoostMappingUtil.fixPublication) + .map(fixPublication) .map(p => (p.getId, p)) .groupByKey(_._1) .reduceGroups((left, right) => { @@ -138,10 +140,9 @@ object SparkGenerateDoiBoost { else { // Here Left and Right are not null // So we have to merge - val b1 = left._2 + var b1 = left._2 val b2 = right._2 - b1.mergeFrom(b2) - b1.mergeOAFDataInfo(b2) + b1 = MergeUtils.mergeProject(b1, b2) val authors = AuthorMerger.mergeAuthor(b1.getAuthor, b2.getAuthor) b1.setAuthor(authors) if (b2.getId != null && b2.getId.nonEmpty) @@ -198,24 +199,16 @@ object SparkGenerateDoiBoost { val affId: String = if (affiliation.GridId.isDefined) s"unresolved::grid::${affiliation.GridId.get.toLowerCase}" - else DoiBoostMappingUtil.generateMAGAffiliationId(affiliation.AffiliationId.toString) + else generateMAGAffiliationId(affiliation.AffiliationId.toString) val r: Relation = new Relation r.setSource(pub.getId) r.setTarget(affId) r.setRelType(ModelConstants.RESULT_ORGANIZATION) r.setRelClass(ModelConstants.HAS_AUTHOR_INSTITUTION) r.setSubRelType(ModelConstants.AFFILIATION) - r.setDataInfo(pub.getDataInfo) - r.setCollectedfrom(List(DoiBoostMappingUtil.createMAGCollectedFrom()).asJava) - val r1: Relation = new Relation - r1.setTarget(pub.getId) - r1.setSource(affId) - r1.setRelType(ModelConstants.RESULT_ORGANIZATION) - r1.setRelClass(ModelConstants.IS_AUTHOR_INSTITUTION_OF) - r1.setSubRelType(ModelConstants.AFFILIATION) - r1.setDataInfo(pub.getDataInfo) - r1.setCollectedfrom(List(DoiBoostMappingUtil.createMAGCollectedFrom()).asJava) - List(r, r1) + r.setProvenance(OafMapperUtils.getProvenance(pub.getCollectedfrom, dataInfo)) + + List(r) })(mapEncoderRel) .write .mode(SaveMode.Overwrite) @@ -265,14 +258,14 @@ object SparkGenerateDoiBoost { val affiliation = item._2 if (affiliation.GridId.isEmpty) { val o = new Organization - o.setCollectedfrom(List(DoiBoostMappingUtil.createMAGCollectedFrom()).asJava) - o.setDataInfo(DoiBoostMappingUtil.generateDataInfo()) - o.setId(DoiBoostMappingUtil.generateMAGAffiliationId(affiliation.AffiliationId.toString)) + o.setCollectedfrom(List(createMAGCollectedFrom()).asJava) + o.setDataInfo(entityDataInfo) + o.setId(generateMAGAffiliationId(affiliation.AffiliationId.toString)) o.setOriginalId(List(affiliation.AffiliationId.toString).asJava) if (affiliation.DisplayName.nonEmpty) - o.setLegalname(DoiBoostMappingUtil.asField(affiliation.DisplayName.get)) + o.setLegalname(affiliation.DisplayName.get) if (affiliation.OfficialPage.isDefined) - o.setWebsiteurl(DoiBoostMappingUtil.asField(affiliation.OfficialPage.get)) + o.setWebsiteurl(affiliation.OfficialPage.get) o.setCountry(ModelConstants.UNKNOWN_COUNTRY) o } else diff --git a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/crossref/Crossref2Oaf.scala b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/crossref/Crossref2Oaf.scala index 7fb10863f..b49cb19ba 100644 --- a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/crossref/Crossref2Oaf.scala +++ b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/crossref/Crossref2Oaf.scala @@ -1,8 +1,9 @@ package eu.dnetlib.doiboost.crossref +import com.google.common.collect.Lists import eu.dnetlib.dhp.schema.common.ModelConstants import eu.dnetlib.dhp.schema.oaf._ -import eu.dnetlib.dhp.schema.oaf.utils.{GraphCleaningFunctions, IdentifierFactory, OafMapperUtils} +import eu.dnetlib.dhp.schema.oaf.utils.{GraphCleaningFunctions, IdentifierFactory, OafMapperUtils, PidType} import eu.dnetlib.dhp.utils.DHPUtils import eu.dnetlib.doiboost.DoiBoostMappingUtil import eu.dnetlib.doiboost.DoiBoostMappingUtil._ @@ -105,17 +106,17 @@ case object Crossref2Oaf { result.setOriginalId(originalIds) // Add DataInfo - result.setDataInfo(generateDataInfo()) + result.setDataInfo(entityDataInfo) result.setLastupdatetimestamp((json \ "indexed" \ "timestamp").extract[Long]) result.setDateofcollection((json \ "indexed" \ "date-time").extract[String]) - result.setCollectedfrom(List(createCrossrefCollectedFrom()).asJava) + result.setCollectedfrom(List(collectedFrom).asJava) // Publisher ( Name of work's publisher mapped into Result/Publisher) val publisher = (json \ "publisher").extractOrElse[String](null) if (publisher != null && publisher.nonEmpty) - result.setPublisher(asField(publisher)) + result.setPublisher(OafMapperUtils.publisher(publisher)) // TITLE val mainTitles = @@ -140,13 +141,13 @@ case object Crossref2Oaf { // DESCRIPTION val descriptionList = - for { JString(description) <- json \ "abstract" } yield asField(description) + for { JString(description) <- json \ "abstract" } yield description result.setDescription(descriptionList.asJava) // Source val sourceList = for { JString(source) <- json \ "source" if source != null && source.nonEmpty - } yield asField(source) + } yield source result.setSource(sourceList.asJava) //RELEVANT DATE Mapping @@ -186,9 +187,9 @@ case object Crossref2Oaf { (json \ "issued" \ "date-parts").extract[List[List[Int]]] ) if (StringUtils.isNotBlank(issuedDate)) { - result.setDateofacceptance(asField(issuedDate)) + result.setDateofacceptance(issuedDate) } else { - result.setDateofacceptance(asField(createdDate.getValue)) + result.setDateofacceptance(createdDate.getValue) } result.setRelevantdate( List(createdDate, postedDate, acceptedDate, publishedOnlineDate, publishedPrintDate) @@ -223,8 +224,8 @@ case object Crossref2Oaf { JObject(license) <- json \ "license" JField("URL", JString(lic)) <- license JField("content-version", JString(content_version)) <- license - } yield (asField(lic), content_version) - val l = license.filter(d => StringUtils.isNotBlank(d._1.getValue)) + } yield (OafMapperUtils.license(lic), content_version) + val l = license.filter(d => StringUtils.isNotBlank(d._1.getUrl)) if (l.nonEmpty) { if (l exists (d => d._2.equals("vor"))) { for (d <- l) { @@ -247,20 +248,18 @@ case object Crossref2Oaf { OafMapperUtils.qualifier( "0001", "peerReviewed", - ModelConstants.DNET_REVIEW_LEVELS, ModelConstants.DNET_REVIEW_LEVELS ) ) } instance.setAccessright( - decideAccessRight(instance.getLicense, result.getDateofacceptance.getValue) + decideAccessRight(instance.getLicense.getUrl, result.getDateofacceptance) ) instance.setInstancetype( OafMapperUtils.qualifier( cobjCategory.substring(0, 4), cobjCategory.substring(5), - ModelConstants.DNET_PUBLICATION_RESOURCE, ModelConstants.DNET_PUBLICATION_RESOURCE ) ) @@ -268,16 +267,15 @@ case object Crossref2Oaf { OafMapperUtils.qualifier( cobjCategory.substring(0, 4), cobjCategory.substring(5), - ModelConstants.DNET_PUBLICATION_RESOURCE, ModelConstants.DNET_PUBLICATION_RESOURCE ) ) - instance.setCollectedfrom(createCrossrefCollectedFrom()) + instance.setCollectedfrom(collectedFrom) if (StringUtils.isNotBlank(issuedDate)) { - instance.setDateofacceptance(asField(issuedDate)) + instance.setDateofacceptance(issuedDate) } else { - instance.setDateofacceptance(asField(createdDate.getValue)) + instance.setDateofacceptance(createdDate.getValue) } val s: List[String] = List("https://doi.org/" + doi) // val links: List[String] = ((for {JString(url) <- json \ "link" \ "URL"} yield url) ::: List(s)).filter(p => p != null && p.toLowerCase().contains(doi.toLowerCase())).distinct @@ -318,11 +316,10 @@ case object Crossref2Oaf { if (StringUtils.isNotBlank(orcid)) a.setPid( List( - createSP( + OafMapperUtils.authorPid( orcid, - ModelConstants.ORCID_PENDING, - ModelConstants.DNET_PID_TYPES, - generateDataInfo() + OafMapperUtils.qualifier(ModelConstants.ORCID_PENDING, ModelConstants.ORCID_PENDING, ModelConstants.DNET_PID_TYPES), + dataInfo ) ).asJava ) @@ -358,10 +355,7 @@ case object Crossref2Oaf { if (funderList.nonEmpty) { resultList = resultList ::: mappingFunderToRelations( funderList, - result.getId, - createCrossrefCollectedFrom(), - result.getDataInfo, - result.getLastupdatetimestamp + result.getId ) } @@ -370,16 +364,41 @@ case object Crossref2Oaf { case dataset: Dataset => convertDataset(dataset) } + val doisReference: List[String] = for { + JObject(reference_json) <- json \ "reference" + JField("DOI", JString(doi_json)) <- reference_json + } yield doi_json + + if (doisReference != null && doisReference.nonEmpty) { + val citation_relations: List[Relation] = generateCitationRelations(doisReference, result) + resultList = resultList ::: citation_relations + } resultList = resultList ::: List(result) resultList } + private def createCiteRelation(sourceId: String, targetPid: String, targetPidType: String): List[Relation] = { + + val targetId = IdentifierFactory.idFromPid("50", targetPidType, targetPid, true) + + val rel = new Relation + rel.setSource(sourceId) + rel.setTarget(targetId) + rel.setRelType(ModelConstants.RESULT_RESULT) + rel.setRelClass(ModelConstants.CITES) + rel.setSubRelType(ModelConstants.CITATION) + rel.setProvenance(Lists.newArrayList(OafMapperUtils.getProvenance(collectedFrom, dataInfo))) + + List(rel) + } + + def generateCitationRelations(dois: List[String], result: Result): List[Relation] = { + dois.flatMap(doi => createCiteRelation(result.getId, doi, PidType.doi.toString)) + } + def mappingFunderToRelations( funders: List[mappingFunder], - sourceId: String, - cf: KeyValue, - di: DataInfo, - ts: Long + sourceId: String ): List[Relation] = { val queue = new mutable.Queue[Relation] @@ -389,7 +408,6 @@ case object Crossref2Oaf { val tmp2 = StringUtils.substringBefore(tmp1, "/") logger.debug(s"From $award to $tmp2") tmp2 - } def extractECAward(award: String): String = { @@ -407,11 +425,9 @@ case object Crossref2Oaf { r.setRelType(ModelConstants.RESULT_PROJECT) r.setRelClass(relClass) r.setSubRelType(ModelConstants.OUTCOME) - r.setCollectedfrom(List(cf).asJava) - r.setDataInfo(di) - r.setLastupdatetimestamp(ts) - r + r.setProvenance(Lists.newArrayList(OafMapperUtils.getProvenance(collectedFrom, dataInfo))) + r } def generateSimpleRelationFromAward( @@ -446,6 +462,7 @@ case object Crossref2Oaf { case "10.13039/501100000781" => generateSimpleRelationFromAward(funder, "corda_______", extractECAward) generateSimpleRelationFromAward(funder, "corda__h2020", extractECAward) + generateSimpleRelationFromAward(funder, "corda_____he", extractECAward) case "10.13039/100000001" => generateSimpleRelationFromAward(funder, "nsf_________", a => a) case "10.13039/501100001665" => generateSimpleRelationFromAward(funder, "anr_________", a => a) case "10.13039/501100002341" => generateSimpleRelationFromAward(funder, "aka_________", a => a) @@ -464,6 +481,13 @@ case object Crossref2Oaf { val targetId = getProjectId("cihr________", "1e5e62235d094afd01cd56e65112fc63") queue += generateRelation(sourceId, targetId, ModelConstants.IS_PRODUCED_BY) queue += generateRelation(targetId, sourceId, ModelConstants.PRODUCES) + + case "10.13039/100020031" => + val targetId = getProjectId("tara________", "1e5e62235d094afd01cd56e65112fc63") + queue += generateRelation(sourceId, targetId, ModelConstants.IS_PRODUCED_BY) + queue += generateRelation(targetId, sourceId, ModelConstants.PRODUCES) + + case "10.13039/501100005416" => generateSimpleRelationFromAward(funder, "rcn_________", a => a) case "10.13039/501100002848" => generateSimpleRelationFromAward(funder, "conicytf____", a => a) case "10.13039/501100003448" => generateSimpleRelationFromAward(funder, "gsrt________", extractECAward) case "10.13039/501100010198" => generateSimpleRelationFromAward(funder, "sgov________", a => a) @@ -487,6 +511,34 @@ case object Crossref2Oaf { val targetId = getProjectId("wt__________", "1e5e62235d094afd01cd56e65112fc63") queue += generateRelation(sourceId, targetId, ModelConstants.IS_PRODUCED_BY) queue += generateRelation(targetId, sourceId, ModelConstants.PRODUCES) + //ASAP + case "10.13039/100018231" => generateSimpleRelationFromAward(funder, "asap________", a => a) + //CHIST-ERA + case "10.13039/501100001942" => + val targetId = getProjectId("chistera____", "1e5e62235d094afd01cd56e65112fc63") + queue += generateRelation(sourceId, targetId, ModelConstants.IS_PRODUCED_BY) + queue += generateRelation(targetId, sourceId, ModelConstants.PRODUCES) + //HE + case "10.13039/100018693" | "10.13039/100018694" | "10.13039/100019188" | "10.13039/100019180" | + "10.13039/100018695" | "10.13039/100019185" | "10.13039/100019186" | "10.13039/100019187" => + generateSimpleRelationFromAward(funder, "corda_____he", extractECAward) + //FCT + case "10.13039/501100001871" => + generateSimpleRelationFromAward(funder, "fct_________", a => a) + //NHMRC + case "10.13039/501100000925" => + generateSimpleRelationFromAward(funder, "nhmrc_______", a => a) + //NIH + case "10.13039/100000002" => + generateSimpleRelationFromAward(funder, "nih_________", a => a) + //NWO + case "10.13039/501100003246" => + generateSimpleRelationFromAward(funder, "nwo_________", a => a) + //UKRI + case "10.13039/100014013" | "10.13039/501100000267" | "10.13039/501100000268" | "10.13039/501100000269" | + "10.13039/501100000266" | "10.13039/501100006041" | "10.13039/501100000265" | "10.13039/501100000270" | + "10.13039/501100013589" | "10.13039/501100000271" => + generateSimpleRelationFromAward(funder, "ukri________", a => a) case _ => logger.debug("no match for " + funder.DOI.get) @@ -499,10 +551,11 @@ case object Crossref2Oaf { case "European Union's" => generateSimpleRelationFromAward(funder, "corda__h2020", extractECAward) generateSimpleRelationFromAward(funder, "corda_______", extractECAward) + generateSimpleRelationFromAward(funder, "corda_____he", extractECAward) case "The French National Research Agency (ANR)" | "The French National Research Agency" => generateSimpleRelationFromAward(funder, "anr_________", a => a) case "CONICYT, Programa de Formación de Capital Humano Avanzado" => - generateSimpleRelationFromAward(funder, "conicytf____", extractECAward) + generateSimpleRelationFromAward(funder, "conicytf____", a => a) case "Wellcome Trust Masters Fellowship" => generateSimpleRelationFromAward(funder, "wt__________", a => a) val targetId = getProjectId("wt__________", "1e5e62235d094afd01cd56e65112fc63") @@ -531,11 +584,11 @@ case object Crossref2Oaf { if (ISBN.nonEmpty && containerTitles.nonEmpty) { val source = s"${containerTitles.head} ISBN: ${ISBN.head}" if (publication.getSource != null) { - val l: List[Field[String]] = publication.getSource.asScala.toList - val ll: List[Field[String]] = l ::: List(asField(source)) + val l: List[String] = publication.getSource.asScala.toList + val ll: List[String] = l ::: List(source) publication.setSource(ll.asJava) } else - publication.setSource(List(asField(source)).asJava) + publication.setSource(List(source).asJava) } } else { // Mapping Journal diff --git a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/mag/MagDataModel.scala b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/mag/MagDataModel.scala index 9a0b0d845..2b61d6cff 100644 --- a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/mag/MagDataModel.scala +++ b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/mag/MagDataModel.scala @@ -1,7 +1,7 @@ package eu.dnetlib.doiboost.mag import eu.dnetlib.dhp.schema.common.ModelConstants -import eu.dnetlib.dhp.schema.oaf.utils.IdentifierFactory +import eu.dnetlib.dhp.schema.oaf.utils.{IdentifierFactory, MergeUtils, OafMapperUtils} import eu.dnetlib.dhp.schema.oaf.{Instance, Journal, Publication, StructuredProperty, Subject} import eu.dnetlib.doiboost.DoiBoostMappingUtil import eu.dnetlib.doiboost.DoiBoostMappingUtil._ @@ -142,8 +142,7 @@ case object ConversionUtil { def mergePublication(a: Publication, b: Publication): Publication = { if ((a != null) && (b != null)) { - a.mergeFrom(b) - a + MergeUtils.merge(a, b) } else { if (a == null) b else a } @@ -172,7 +171,7 @@ case object ConversionUtil { val pub = inputItem._1._2 val abst = inputItem._2 if (abst != null) { - pub.setDescription(List(asField(abst.IndexedAbstract)).asJava) + pub.setDescription(List(abst.IndexedAbstract).asJava) } pub @@ -215,10 +214,8 @@ case object ConversionUtil { s.DisplayName, classid, className, - ModelConstants.DNET_SUBJECT_TYPOLOGIES, ModelConstants.DNET_SUBJECT_TYPOLOGIES ) - val di = DoiBoostMappingUtil.generateDataInfo(s.Score.toString) var resList: List[Subject] = List(s1) if (s.MainType.isDefined) { val maintp = s.MainType.get @@ -226,20 +223,18 @@ case object ConversionUtil { s.MainType.get, classid, className, - ModelConstants.DNET_SUBJECT_TYPOLOGIES, ModelConstants.DNET_SUBJECT_TYPOLOGIES ) - s2.setDataInfo(di) + s2.setDataInfo(dataInfo) resList = resList ::: List(s2) if (maintp.contains(".")) { val s3 = createSubject( maintp.split("\\.").head, classid, className, - ModelConstants.DNET_SUBJECT_TYPOLOGIES, ModelConstants.DNET_SUBJECT_TYPOLOGIES ) - s3.setDataInfo(di) + s3.setDataInfo(dataInfo) resList = resList ::: List(s3) } } @@ -250,36 +245,6 @@ case object ConversionUtil { publication } - def addInstances(a: (Publication, MagUrl)): Publication = { - val pub = a._1 - val urls = a._2 - - val i = new Instance - - if (urls != null) { - - val l: List[String] = urls.instances - .filter(k => k.SourceUrl.nonEmpty) - .map(k => k.SourceUrl) ::: List( - s"https://academic.microsoft.com/#/detail/${extractMagIdentifier(pub.getOriginalId.asScala)}" - ) - - i.setUrl(l.asJava) - } else - i.setUrl( - List( - s"https://academic.microsoft.com/#/detail/${extractMagIdentifier(pub.getOriginalId.asScala)}" - ).asJava - ) - - // Ticket #6281 added pid to Instance - i.setPid(pub.getPid) - - i.setCollectedfrom(createMAGCollectedFrom()) - pub.setInstance(List(i).asJava) - pub - } - def transformPaperAbstract(input: MagPaperAbstract): MagPaperAbstract = { MagPaperAbstract(input.PaperId, convertInvertedIndexString(input.IndexedAbstract)) } @@ -306,21 +271,23 @@ case object ConversionUtil { createSP(paper.OriginalTitle, "alternative title", ModelConstants.DNET_DATACITE_TITLE) pub.setTitle(List(mainTitles, originalTitles).asJava) - pub.setSource(List(asField(paper.BookTitle)).asJava) + pub.setSource(List(paper.BookTitle).asJava) val authorsOAF = authors.authors.map { f: MagAuthorAffiliation => val a: eu.dnetlib.dhp.schema.oaf.Author = new eu.dnetlib.dhp.schema.oaf.Author a.setRank(f.sequenceNumber) if (f.author.DisplayName.isDefined) a.setFullname(f.author.DisplayName.get) - if (f.affiliation != null) - a.setAffiliation(List(asField(f.affiliation)).asJava) a.setPid( List( - createSP( + OafMapperUtils.authorPid( s"https://academic.microsoft.com/#/detail/${f.author.AuthorId}", - "URL", - ModelConstants.DNET_PID_TYPES + OafMapperUtils.qualifier( + "URL", + "URL", + ModelConstants.DNET_PID_TYPES + ), + dataInfo ) ).asJava ) @@ -329,9 +296,10 @@ case object ConversionUtil { pub.setAuthor(authorsOAF.asJava) if (paper.Date != null && paper.Date.isDefined) { - pub.setDateofacceptance(asField(paper.Date.get.toString.substring(0, 10))) + pub.setDateofacceptance(paper.Date.get.toString.substring(0, 10)) } - pub.setPublisher(asField(paper.Publisher)) + + pub.setPublisher(OafMapperUtils.publisher(paper.Publisher)) if (journal != null && journal.DisplayName.isDefined) { val j = new Journal @@ -340,7 +308,7 @@ case object ConversionUtil { j.setSp(paper.FirstPage) j.setEp(paper.LastPage) if (journal.Publisher.isDefined) - pub.setPublisher(asField(journal.Publisher.get)) + pub.setPublisher(OafMapperUtils.publisher(journal.Publisher.get)) if (journal.Issn.isDefined) j.setIssnPrinted(journal.Issn.get) j.setVol(paper.Volume) @@ -348,71 +316,10 @@ case object ConversionUtil { pub.setJournal(j) } pub.setCollectedfrom(List(createMAGCollectedFrom()).asJava) - pub.setDataInfo(generateDataInfo()) + pub.setDataInfo(generateEntityDataInfo()) pub } - def createOAF( - inputParams: ((MagPapers, MagPaperWithAuthorList), MagPaperAbstract) - ): Publication = { - - val paper = inputParams._1._1 - val authors = inputParams._1._2 - val description = inputParams._2 - - val pub = new Publication - pub.setPid(List(createSP(paper.Doi, "doi", ModelConstants.DNET_PID_TYPES)).asJava) - pub.setOriginalId(List(paper.PaperId.toString, paper.Doi).asJava) - - //IMPORTANT - //The old method result.setId(generateIdentifier(result, doi)) - //will be replaced using IdentifierFactory - - pub.setId(IdentifierFactory.createDOIBoostIdentifier(pub)) - - val mainTitles = createSP(paper.PaperTitle, "main title", ModelConstants.DNET_DATACITE_TITLE) - val originalTitles = - createSP(paper.OriginalTitle, "alternative title", ModelConstants.DNET_DATACITE_TITLE) - pub.setTitle(List(mainTitles, originalTitles).asJava) - - pub.setSource(List(asField(paper.BookTitle)).asJava) - - if (description != null) { - pub.setDescription(List(asField(description.IndexedAbstract)).asJava) - } - - val authorsOAF = authors.authors.map { f: MagAuthorAffiliation => - val a: eu.dnetlib.dhp.schema.oaf.Author = new eu.dnetlib.dhp.schema.oaf.Author - - a.setFullname(f.author.DisplayName.get) - - if (f.affiliation != null) - a.setAffiliation(List(asField(f.affiliation)).asJava) - - a.setPid( - List( - createSP( - s"https://academic.microsoft.com/#/detail/${f.author.AuthorId}", - "URL", - ModelConstants.DNET_PID_TYPES - ) - ).asJava - ) - - a - - } - - if (paper.Date != null) { - pub.setDateofacceptance(asField(paper.Date.toString.substring(0, 10))) - } - - pub.setAuthor(authorsOAF.asJava) - - pub - - } - def convertInvertedIndexString(json_input: String): String = { implicit lazy val formats: DefaultFormats.type = org.json4s.DefaultFormats lazy val json: json4s.JValue = parse(json_input) diff --git a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/orcid/ORCIDToOAF.scala b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/orcid/ORCIDToOAF.scala index 7c58afc09..ed77bd994 100644 --- a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/orcid/ORCIDToOAF.scala +++ b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/orcid/ORCIDToOAF.scala @@ -2,10 +2,10 @@ package eu.dnetlib.doiboost.orcid import com.fasterxml.jackson.databind.ObjectMapper import eu.dnetlib.dhp.schema.common.ModelConstants -import eu.dnetlib.dhp.schema.oaf.utils.IdentifierFactory -import eu.dnetlib.dhp.schema.oaf.{Author, DataInfo, Publication} +import eu.dnetlib.dhp.schema.oaf.utils.{IdentifierFactory, OafMapperUtils} +import eu.dnetlib.dhp.schema.oaf.{Author, DataInfo, EntityDataInfo, Publication} import eu.dnetlib.doiboost.DoiBoostMappingUtil -import eu.dnetlib.doiboost.DoiBoostMappingUtil.{createSP, generateDataInfo} +import eu.dnetlib.doiboost.DoiBoostMappingUtil.{createSP, generateEntityDataInfo} import org.apache.commons.lang.StringUtils import org.json4s import org.json4s.DefaultFormats @@ -104,7 +104,7 @@ object ORCIDToOAF { val doi = input.doi val pub: Publication = new Publication pub.setPid(List(createSP(doi, "doi", ModelConstants.DNET_PID_TYPES)).asJava) - pub.setDataInfo(generateDataInfo()) + pub.setDataInfo(generateEntityDataInfo()) pub.setId(IdentifierFactory.createDOIBoostIdentifier(pub)) if (pub.getId == null) @@ -118,7 +118,7 @@ object ORCIDToOAF { pub.setAuthor(l.asJava) pub.setCollectedfrom(List(DoiBoostMappingUtil.createORIDCollectedFrom()).asJava) - pub.setDataInfo(DoiBoostMappingUtil.generateDataInfo()) + pub.setDataInfo(DoiBoostMappingUtil.generateEntityDataInfo()) pub } catch { case e: Throwable => @@ -127,8 +127,10 @@ object ORCIDToOAF { } } + val orcidPidDataInfo = generateOricPIDDatainfo() def generateOricPIDDatainfo(): DataInfo = { - val di = DoiBoostMappingUtil.generateDataInfo("0.91") + val di = DoiBoostMappingUtil.generateDataInfo() + di.setTrust(.91f) di.getProvenanceaction.setClassid(ModelConstants.SYSIMPORT_CROSSWALK_ENTITYREGISTRY) di.getProvenanceaction.setClassname(ModelConstants.HARVESTED) di @@ -149,11 +151,11 @@ object ORCIDToOAF { if (StringUtils.isNotBlank(o.oid)) a.setPid( List( - createSP( + OafMapperUtils.authorPid( o.oid, ModelConstants.ORCID, ModelConstants.DNET_PID_TYPES, - generateOricPIDDatainfo() + orcidPidDataInfo ) ).asJava ) diff --git a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/uw/UnpayWallToOAF.scala b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/uw/UnpayWallToOAF.scala index bbdc80b1d..68096969e 100644 --- a/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/uw/UnpayWallToOAF.scala +++ b/dhp-workflows/dhp-doiboost/src/main/scala/eu/dnetlib/doiboost/uw/UnpayWallToOAF.scala @@ -1,7 +1,7 @@ package eu.dnetlib.doiboost.uw import eu.dnetlib.dhp.schema.common.ModelConstants -import eu.dnetlib.dhp.schema.oaf.utils.IdentifierFactory +import eu.dnetlib.dhp.schema.oaf.utils.{IdentifierFactory, OafMapperUtils, PidType} import eu.dnetlib.dhp.schema.oaf.{AccessRight, Instance, OpenAccessRoute, Publication} import eu.dnetlib.doiboost.DoiBoostMappingUtil import eu.dnetlib.doiboost.DoiBoostMappingUtil._ @@ -90,7 +90,7 @@ object UnpayWallToOAF { val colour = get_unpaywall_color((json \ "oa_status").extractOrElse[String](null)) pub.setCollectedfrom(List(createUnpayWallCollectedFrom()).asJava) - pub.setDataInfo(generateDataInfo()) + pub.setDataInfo(generateEntityDataInfo()) if (!is_oa) return null @@ -104,7 +104,7 @@ object UnpayWallToOAF { i.setUrl(List(oaLocation.url.get).asJava) if (oaLocation.license.isDefined) - i.setLicense(asField(oaLocation.license.get)) + i.setLicense(OafMapperUtils.license(oaLocation.license.get)) pub.setPid(List(createSP(doi, "doi", ModelConstants.DNET_PID_TYPES)).asJava) // Ticket #6282 Adding open Access Colour @@ -113,10 +113,9 @@ object UnpayWallToOAF { a.setClassid(ModelConstants.ACCESS_RIGHT_OPEN) a.setClassname(ModelConstants.ACCESS_RIGHT_OPEN) a.setSchemeid(ModelConstants.DNET_ACCESS_MODES) - a.setSchemename(ModelConstants.DNET_ACCESS_MODES) a.setOpenAccessRoute(colour.get) i.setAccessright(a) - i.setPid(List(createSP(doi, "doi", ModelConstants.DNET_PID_TYPES)).asJava) + i.setPid(List(createSP(doi, PidType.doi.toString, ModelConstants.DNET_PID_TYPES)).asJava) } pub.setInstance(List(i).asJava) diff --git a/dhp-workflows/dhp-doiboost/src/test/java/eu/dnetlib/doiboost/orcidnodoi/PublicationToOafTest.java b/dhp-workflows/dhp-doiboost/src/test/java/eu/dnetlib/doiboost/orcidnodoi/PublicationToOafTest.java index 54c16b5d7..9283b1cb6 100644 --- a/dhp-workflows/dhp-doiboost/src/test/java/eu/dnetlib/doiboost/orcidnodoi/PublicationToOafTest.java +++ b/dhp-workflows/dhp-doiboost/src/test/java/eu/dnetlib/doiboost/orcidnodoi/PublicationToOafTest.java @@ -60,7 +60,7 @@ class PublicationToOafTest { }); assertNotNull(oafPublication.getCollectedfrom()); if (oafPublication.getSource() != null) { - logger.info((oafPublication.getSource().get(0).getValue())); + logger.info((oafPublication.getSource().get(0))); } if (oafPublication.getExternalReference() != null) { oafPublication.getExternalReference().forEach(e -> { diff --git a/dhp-workflows/dhp-doiboost/src/test/resources/eu/dnetlib/doiboost/crossref/publication_license_embargo.json b/dhp-workflows/dhp-doiboost/src/test/resources/eu/dnetlib/doiboost/crossref/publication_license_embargo.json index 788946fea..b66147b2d 100644 --- a/dhp-workflows/dhp-doiboost/src/test/resources/eu/dnetlib/doiboost/crossref/publication_license_embargo.json +++ b/dhp-workflows/dhp-doiboost/src/test/resources/eu/dnetlib/doiboost/crossref/publication_license_embargo.json @@ -1,1537 +1,1475 @@ { -"indexed": { -"date-parts": [ -[ -2021, -7, -2 -] -], -"date-time": "2021-07-02T07:30:10Z", -"timestamp": 1625211010708 -}, -"reference-count": 83, -"publisher": "Springer Science and Business Media LLC", -"issue": "5", -"license": [ -{ -"URL": "https://www.springer.com/tdm", -"start": { -"date-parts": [ -[ -2021, -2, -22 -] -], -"date-time": "2021-02-22T00:00:00Z", -"timestamp": 1613952000000 -}, -"delay-in-days": 0, -"content-version": "tdm" -}, -{ -"URL": "https://academic.oup.com/journals/pages/open_access/funder_policies/chorus/standard_publication_model", -"start": { -"date-parts": [ -[ -2021, -2, -22 -] -], -"date-time": "2021-02-22T00:00:00Z", -"timestamp": 1613952000000 -}, -"delay-in-days": 0, -"content-version": "vor" -} -], -"content-domain": { -"domain": [ -"link.springer.com" -], -"crossmark-restriction": false -}, -"short-container-title": [ -"Nat Astron" -], -"published-print": { -"date-parts": [ -[ -2021, -5 -] -] -}, -"DOI": "10.1038/s41550-020-01295-8", -"type": "journal-article", -"created": { -"date-parts": [ -[ -2021, -2, -22 -] -], -"date-time": "2021-02-22T17:03:42Z", -"timestamp": 1614013422000 -}, -"page": "510-518", -"update-policy": "http://dx.doi.org/10.1007/springer_crossmark_policy", -"source": "Crossref", -"is-referenced-by-count": 6, -"title": [ -"A tidal disruption event coincident with a high-energy neutrino" -], -"prefix": "10.1038", -"volume": "5", -"author": [ -{ -"ORCID": "http://orcid.org/0000-0003-2434-0387", -"authenticated-orcid": false, -"given": "Robert", -"family": "Stein", -"sequence": "first", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-3859-8074", -"authenticated-orcid": false, -"given": "Sjoert van", -"family": "Velzen", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0001-8594-8666", -"authenticated-orcid": false, -"given": "Marek", -"family": "Kowalski", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Anna", -"family": "Franckowiak", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-3703-5154", -"authenticated-orcid": false, -"given": "Suvi", -"family": "Gezari", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-3124-2814", -"authenticated-orcid": false, -"given": "James C. A.", -"family": "Miller-Jones", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Sara", -"family": "Frederick", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-0466-3779", -"authenticated-orcid": false, -"given": "Itai", -"family": "Sfaradi", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Michael F.", -"family": "Bietenholz", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-5936-1156", -"authenticated-orcid": false, -"given": "Assaf", -"family": "Horesh", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Rob", -"family": "Fender", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-2403-4582", -"authenticated-orcid": false, -"given": "Simone", -"family": "Garrappa", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-2184-6430", -"authenticated-orcid": false, -"given": "Tomás", -"family": "Ahumada", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Igor", -"family": "Andreoni", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Justin", -"family": "Belicki", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0001-8018-5348", -"authenticated-orcid": false, -"given": "Eric C.", -"family": "Bellm", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Markus", -"family": "Böttcher", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Valery", -"family": "Brinnel", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Rick", -"family": "Burruss", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-1673-970X", -"authenticated-orcid": false, -"given": "S. Bradley", -"family": "Cenko", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-8262-2924", -"authenticated-orcid": false, -"given": "Michael W.", -"family": "Coughlin", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-2292-0441", -"authenticated-orcid": false, -"given": "Virginia", -"family": "Cunningham", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Andrew", -"family": "Drake", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Glennys R.", -"family": "Farrar", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Michael", -"family": "Feeney", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Ryan J.", -"family": "Foley", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-3653-5598", -"authenticated-orcid": false, -"given": "Avishay", -"family": "Gal-Yam", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "V. Zach", -"family": "Golkhou", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-4163-4996", -"authenticated-orcid": false, -"given": "Ariel", -"family": "Goobar", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-3168-0139", -"authenticated-orcid": false, -"given": "Matthew J.", -"family": "Graham", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Erica", -"family": "Hammerstein", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-3367-3415", -"authenticated-orcid": false, -"given": "George", -"family": "Helou", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-9878-7889", -"authenticated-orcid": false, -"given": "Tiara", -"family": "Hung", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Mansi M.", -"family": "Kasliwal", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-5740-7747", -"authenticated-orcid": false, -"given": "Charles D.", -"family": "Kilpatrick", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-5105-344X", -"authenticated-orcid": false, -"given": "Albert K. H.", -"family": "Kong", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-6540-1484", -"authenticated-orcid": false, -"given": "Thomas", -"family": "Kupfer", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-2451-5482", -"authenticated-orcid": false, -"given": "Russ R.", -"family": "Laher", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-2242-0244", -"authenticated-orcid": false, -"given": "Ashish A.", -"family": "Mahabal", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-8532-9395", -"authenticated-orcid": false, -"given": "Frank J.", -"family": "Masci", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-0280-7484", -"authenticated-orcid": false, -"given": "Jannis", -"family": "Necker", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0001-8342-6274", -"authenticated-orcid": false, -"given": "Jakob", -"family": "Nordin", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Daniel A.", -"family": "Perley", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-8121-2560", -"authenticated-orcid": false, -"given": "Mickael", -"family": "Rigault", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-7788-628X", -"authenticated-orcid": false, -"given": "Simeon", -"family": "Reusch", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Hector", -"family": "Rodriguez", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0002-7559-315X", -"authenticated-orcid": false, -"given": "César", -"family": "Rojas-Bravo", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0001-7648-4142", -"authenticated-orcid": false, -"given": "Ben", -"family": "Rusholme", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-4401-0430", -"authenticated-orcid": false, -"given": "David L.", -"family": "Shupe", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0001-9898-5597", -"authenticated-orcid": false, -"given": "Leo P.", -"family": "Singer", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0003-1546-6615", -"authenticated-orcid": false, -"given": "Jesper", -"family": "Sollerman", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Maayane T.", -"family": "Soumagnac", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Daniel", -"family": "Stern", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Kirsty", -"family": "Taggart", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Jakob", -"family": "van Santen", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Charlotte", -"family": "Ward", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"given": "Patrick", -"family": "Woudt", -"sequence": "additional", -"affiliation": [ - -] -}, -{ -"ORCID": "http://orcid.org/0000-0001-6747-8509", -"authenticated-orcid": false, -"given": "Yuhan", -"family": "Yao", -"sequence": "additional", -"affiliation": [ - -] -} -], -"member": "297", -"published-online": { -"date-parts": [ -[ -2021, -2, -22 -] -] -}, -"reference": [ -{ -"key": "1295_CR1", -"doi-asserted-by": "crossref", -"first-page": "P03012", -"DOI": "10.1088/1748-0221/12/03/P03012", -"volume": "12", -"author": "MG Aartsen", -"year": "2017", -"unstructured": "Aartsen, M. G. et al. The IceCube Neutrino Observatory: instrumentation and online systems. J. Instrum. 12, P03012 (2017).", -"journal-title": "J. Instrum." -}, -{ -"key": "1295_CR2", -"unstructured": "Stein, R. IceCube-191001A—IceCube observation of a high-energy neutrino candidate event. GCN Circ. 25913 (2019)." -}, -{ -"key": "1295_CR3", -"doi-asserted-by": "crossref", -"first-page": "018002", -"DOI": "10.1088/1538-3873/aaecbe", -"volume": "131", -"author": "EC Bellm", -"year": "2019", -"unstructured": "Bellm, E. C. et al. The Zwicky Transient Facility: system overview, performance, and first results. Publ. Astron. Soc. Pac. 131, 018002 (2019).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR4", -"doi-asserted-by": "crossref", -"first-page": "533", -"DOI": "10.1016/j.astropartphys.2007.03.005", -"volume": "27", -"author": "M Kowalski", -"year": "2007", -"unstructured": "Kowalski, M. & Mohr, A. Detecting neutrino transients with optical follow-up observations. Astropart. Phys. 27, 533–538 (2007).", -"journal-title": "Astropart. Phys." -}, -{ -"key": "1295_CR5", -"doi-asserted-by": "crossref", -"first-page": "329", -"DOI": "10.1088/0004-637X/693/1/329", -"volume": "693", -"author": "GR Farrar", -"year": "2009", -"unstructured": "Farrar, G. R. & Gruzinov, A. Giant AGN flares and cosmic ray bursts. Astrophys. J. 693, 329–332 (2009).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR6", -"doi-asserted-by": "crossref", -"first-page": "1354", -"DOI": "10.1093/mnras/stx863", -"volume": "469", -"author": "L Dai", -"year": "2017", -"unstructured": "Dai, L. & Fang, K. Can tidal disruption events produce the IceCube neutrinos? Mon. Not. R. Astron. Soc. 469, 1354–1359 (2017).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR7", -"doi-asserted-by": "crossref", -"first-page": "114", -"DOI": "10.3847/1538-4357/ab44ca", -"volume": "886", -"author": "K Hayasaki", -"year": "2019", -"unstructured": "Hayasaki, K. & Yamazaki, R. Neutrino emissions from tidal disruption remnants. Astrophys. J. 886, 114 (2019).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR8", -"unstructured": "Farrar, G. R. & Piran, T. Tidal disruption jets as the source of Ultra-High Energy Cosmic Rays. Preprint at https://arxiv.org/abs/1411.0704 (2014)." -}, -{ -"key": "1295_CR9", -"doi-asserted-by": "crossref", -"first-page": "3", -"DOI": "10.3847/1538-4357/aa6344", -"volume": "838", -"author": "N Senno", -"year": "2017", -"unstructured": "Senno, N., Murase, K. & Mészáros, P. High-energy neutrino flares from X-ray bright and dark tidal disruption events. Astrophys. J. 838, 3 (2017).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR10", -"doi-asserted-by": "crossref", -"first-page": "083005", -"DOI": "10.1103/PhysRevD.93.083005", -"volume": "93", -"author": "XY Wang", -"year": "2016", -"unstructured": "Wang, X. Y. & Liu, R. Y. Tidal disruption jets of supermassive black holes as hidden sources of cosmic rays: explaining the IceCube TeV–PeV neutrinos. Phys. Rev. D 93, 083005 (2016).", -"journal-title": "Phys. Rev. D" -}, -{ -"key": "1295_CR11", -"doi-asserted-by": "crossref", -"first-page": "123001", -"DOI": "10.1103/PhysRevD.95.123001", -"volume": "95", -"author": "C Lunardini", -"year": "2017", -"unstructured": "Lunardini, C. & Winter, W. High energy neutrinos from the tidal disruption of stars. Phys. Rev. D 95, 123001 (2017).", -"journal-title": "Phys. Rev. D" -}, -{ -"key": "1295_CR12", -"unstructured": "Stein, R., Franckowiak, A., Necker, J., Gezari, S. & Velzen, S. V. Candidate counterparts to IceCube-191001A with ZTF. Astron. Telegr. 13160 (2019)." -}, -{ -"key": "1295_CR13", -"doi-asserted-by": "crossref", -"first-page": "078001", -"DOI": "10.1088/1538-3873/ab006c", -"volume": "131", -"author": "MJ Graham", -"year": "2019", -"unstructured": "Graham, M. J. et al. The Zwicky Transient Facility: science objectives. Publ. Astron. Soc. Pac. 131, 078001 (2019).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR14", -"unstructured": "Nordin, J. et al. TNS Astronomical Transient Report 33340 (2019)." -}, -{ -"key": "1295_CR15", -"unstructured": "Nicholl, M. et al. ePESSTO+ classification of optical transients. Astron. Telegr. 12752 (2019)." -}, -{ -"key": "1295_CR16", -"unstructured": "van Velzen, S. et al. Seventeen tidal disruption events from the first half of ZTF survey observations: entering a new era of population studies. Preprint at https://arxiv.org/abs/2001.01409 (2020)." -}, -{ -"key": "1295_CR17", -"doi-asserted-by": "crossref", -"first-page": "82", -"DOI": "10.3847/1538-4357/ab1844", -"volume": "878", -"author": "S van Velzen", -"year": "2019", -"unstructured": "van Velzen, S. et al. Late-time UV observations of tidal disruption flares reveal unobscured, compact accretion disks. Astrophys. J. 878, 82 (2019).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR18", -"doi-asserted-by": "crossref", -"first-page": "5655", -"DOI": "10.1093/mnras/staa192", -"volume": "492", -"author": "A Mummery", -"year": "2020", -"unstructured": "Mummery, A. & Balbus, S. A. The spectral evolution of disc dominated tidal disruption events. Mon. Not. R. Astron. Soc. 492, 5655–5674 (2020).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR19", -"doi-asserted-by": "crossref", -"first-page": "184", -"DOI": "10.1088/0004-637X/764/2/184", -"volume": "764", -"author": "NJ McConnell", -"year": "2013", -"unstructured": "McConnell, N. J. & Ma, C. P. Revisiting the scaling relations of black hole masses and host galaxy properties. Astrophys. J. 764, 184 (2013).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR20", -"doi-asserted-by": "crossref", -"first-page": "149", -"DOI": "10.3847/1538-4357/aa633b", -"volume": "838", -"author": "K Auchettl", -"year": "2017", -"unstructured": "Auchettl, K., Guillochon, J. & Ramirez-Ruiz, E. New physical insights about tidal disruption events from a comprehensive observational inventory at X-ray wavelengths. Astrophys. J. 838, 149 (2017).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR21", -"doi-asserted-by": "crossref", -"first-page": "4136", -"DOI": "10.1093/mnras/stz1602", -"volume": "487", -"author": "T Wevers", -"year": "2019", -"unstructured": "Wevers, T. et al. Black hole masses of tidal disruption event host galaxies II. Mon. Not. R. Astron. Soc. 487, 4136–4152 (2019).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR22", -"doi-asserted-by": "crossref", -"first-page": "198", -"DOI": "10.3847/1538-4357/aafe0c", -"volume": "872", -"author": "S van Velzen", -"year": "2019", -"unstructured": "van Velzen, S. et al. The first tidal disruption flare in ZTF: from photometric selection to multi-wavelength characterization. Astrophys. J. 872, 198 (2019).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR23", -"doi-asserted-by": "crossref", -"first-page": "A81", -"DOI": "10.1051/0004-6361/201117855", -"volume": "538", -"author": "G Morlino", -"year": "2012", -"unstructured": "Morlino, G. & Caprioli, D. Strong evidence for hadron acceleration in Tycho’s supernova remnant. Astron. Astrophys. 538, A81 (2012).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR24", -"doi-asserted-by": "crossref", -"first-page": "86", -"DOI": "10.3847/1538-4357/aaa8e0", -"volume": "854", -"author": "T Eftekhari", -"year": "2018", -"unstructured": "Eftekhari, T., Berger, E., Zauderer, B. A., Margutti, R. & Alexander, K. D. Radio monitoring of the tidal disruption event Swift J164449.3+573451. III. Late-time jet energetics and a deviation from equipartition. Astrophys. J. 854, 86 (2018).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR25", -"doi-asserted-by": "crossref", -"first-page": "1258", -"DOI": "10.1093/mnras/stt1645", -"volume": "436", -"author": "A Horesh", -"year": "2013", -"unstructured": "Horesh, A. et al. An early and comprehensive millimetre and centimetre wave and X-ray study of SN 2011dh: a non-equipartition blast wave expanding into a massive stellar wind. Mon. Not. R. Astron. Soc. 436, 1258–1267 (2013).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR26", -"doi-asserted-by": "crossref", -"first-page": "78", -"DOI": "10.1088/0004-637X/772/1/78", -"volume": "772", -"author": "R Barniol Duran", -"year": "2013", -"unstructured": "Barniol Duran, R., Nakar, E. & Piran, T. Radius constraints and minimal equipartition energy of relativistically moving synchrotron sources. Astrophys. J. 772, 78 (2013).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR27", -"doi-asserted-by": "crossref", -"first-page": "69", -"DOI": "10.1071/AS02053", -"volume": "20", -"author": "AG Polatidis", -"year": "2003", -"unstructured": "Polatidis, A. G. & Conway, J. E. Proper motions in compact symmetric objects. Publ. Astron. Soc. Aust. 20, 69–74 (2003).", -"journal-title": "Publ. Astron. Soc. Aust." -}, -{ -"key": "1295_CR28", -"doi-asserted-by": "crossref", -"first-page": "L25", -"DOI": "10.3847/2041-8205/819/2/L25", -"volume": "819", -"author": "KD Alexander", -"year": "2016", -"unstructured": "Alexander, K. D., Berger, E., Guillochon, J., Zauderer, B. A. & Williams, P. K. G. Discovery of an outflow from radio observations of the tidal disruption event ASASSN-14li. Astrophys. J. Lett. 819, L25 (2016).", -"journal-title": "Astrophys. J. Lett." -}, -{ -"key": "1295_CR29", -"doi-asserted-by": "crossref", -"first-page": "127", -"DOI": "10.3847/0004-637X/827/2/127", -"volume": "827", -"author": "J Krolik", -"year": "2016", -"unstructured": "Krolik, J., Piran, T., Svirski, G. & Cheng, R. M. ASASSN-14li: a model tidal disruption event. Astrophys. J. 827, 127 (2016).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR30", -"doi-asserted-by": "crossref", -"first-page": "1", -"DOI": "10.3847/1538-4357/aab361", -"volume": "856", -"author": "DR Pasham", -"year": "2018", -"unstructured": "Pasham, D. R. & van Velzen, S. Discovery of a time lag between the soft X-ray and radio emission of the tidal disruption flare ASASSN-14li: evidence for linear disk–jet coupling. Astrophys. J. 856, 1 (2018).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR31", -"doi-asserted-by": "crossref", -"first-page": "L9", -"DOI": "10.1051/0004-6361/201834750", -"volume": "622", -"author": "NL Strotjohann", -"year": "2019", -"unstructured": "Strotjohann, N. L., Kowalski, M. & Franckowiak, A. Eddington bias for cosmic neutrino sources. Astron. Astrophys. 622, L9 (2019).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR32", -"doi-asserted-by": "crossref", -"first-page": "425", -"DOI": "10.1146/annurev.aa.22.090184.002233", -"volume": "22", -"author": "AM Hillas", -"year": "1984", -"unstructured": "Hillas, A. M. The origin of ultra-high-energy cosmic rays. Annu. Rev. Astron. Astrophys. 22, 425–444 (1984).", -"journal-title": "Annu. Rev. Astron. Astrophys." -}, -{ -"key": "1295_CR33", -"doi-asserted-by": "crossref", -"first-page": "eaat1378", -"DOI": "10.1126/science.aat1378", -"volume": "361", -"author": "IceCube Collaboration", -"year": "2018", -"unstructured": "IceCube Collaboration et al. Multimessenger observations of a flaring blazar coincident with high-energy neutrino IceCube-170922A. Science 361, eaat1378 (2018).", -"journal-title": "Science" -}, -{ -"key": "1295_CR34", -"unstructured": "Blaufuss, E., Kintscher, T., Lu, L. & Tung, C. F. The next generation of IceCube real-time neutrino alerts. In Proc. 36th International Cosmic Ray Conference (ICRC2019) 1021 (PoS, 2019)." -}, -{ -"key": "1295_CR35", -"doi-asserted-by": "crossref", -"first-page": "071101", -"DOI": "10.1103/PhysRevLett.116.071101", -"volume": "116", -"author": "K Murase", -"year": "2016", -"unstructured": "Murase, K., Guetta, D. & Ahlers, M. Hidden cosmic-ray accelerators as an origin of TeV–PeV cosmic neutrinos. Phys. Rev. Lett. 116, 071101 (2016).", -"journal-title": "Phys. Rev. Lett." -}, -{ -"key": "1295_CR36", -"unstructured": "Stein, R. Search for neutrinos from populations of optical transients. In Proc. 36th International Cosmic Ray Conference (ICRC2019) 1016 (PoS, 2019).", -"DOI": "10.22323/1.358.1016", -"doi-asserted-by": "crossref" -}, -{ -"key": "1295_CR37", -"doi-asserted-by": "crossref", -"first-page": "048001", -"DOI": "10.1088/1538-3873/aaff99", -"volume": "131", -"author": "MW Coughlin", -"year": "2019", -"unstructured": "Coughlin, M. W. et al. 2900 square degree search for the optical counterpart of short gamma-ray burst GRB 180523B with the Zwicky Transient Facility. Publ. Astron. Soc. Pac. 131, 048001 (2019).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR38", -"unstructured": "Stein, R. IceCube-200107A: IceCube observation of a high-energy neutrino candidate event. GCN Circ. 26655 (2020)." -}, -{ -"key": "1295_CR39", -"doi-asserted-by": "crossref", -"first-page": "018003", -"DOI": "10.1088/1538-3873/aae8ac", -"volume": "131", -"author": "FJ Masci", -"year": "2019", -"unstructured": "Masci, F. J. et al. The Zwicky Transient Facility: data processing, products, and archive. Publ. Astron. Soc. Pac. 131, 018003 (2019).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR40", -"doi-asserted-by": "crossref", -"first-page": "018001", -"DOI": "10.1088/1538-3873/aae904", -"volume": "131", -"author": "MT Patterson", -"year": "2019", -"unstructured": "Patterson, M. T. et al. The Zwicky Transient Facility Alert Distribution System. Publ. Astron. Soc. Pac. 131, 018001 (2019).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR41", -"unstructured": "Stein, R. & Reusch, S. robertdstein/ampel_followup_pipeline: V1.1 Release (Zenodo, 2020); https://doi.org/10.5281/zenodo.4048336", -"DOI": "10.5281/zenodo.4048336", -"doi-asserted-by": "publisher" -}, -{ -"key": "1295_CR42", -"doi-asserted-by": "crossref", -"first-page": "A147", -"DOI": "10.1051/0004-6361/201935634", -"volume": "631", -"author": "J Nordin", -"year": "2019", -"unstructured": "Nordin, J. et al. Transient processing and analysis using AMPEL: alert management, photometry, and evaluation of light curves. Astron. Astrophys. 631, A147 (2019).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR43", -"doi-asserted-by": "crossref", -"first-page": "038002", -"DOI": "10.1088/1538-3873/aaf3fa", -"volume": "131", -"author": "A Mahabal", -"year": "2019", -"unstructured": "Mahabal, A. et al. Machine learning for the Zwicky Transient Facility. Publ. Astron. Soc. Pac. 131, 038002 (2019).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR44", -"doi-asserted-by": "crossref", -"first-page": "075002", -"DOI": "10.1088/1538-3873/aac410", -"volume": "130", -"author": "MT Soumagnac", -"year": "2018", -"unstructured": "Soumagnac, M. T. & Ofek, E. O. catsHTM: a tool for fast accessing and cross-matching large astronomical catalogs. Publ. Astron. Soc. Pac. 130, 075002 (2018).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR45", -"doi-asserted-by": "crossref", -"first-page": "A1", -"DOI": "10.1051/0004-6361/201833051", -"volume": "616", -"author": "Gaia Collaboration", -"year": "2018", -"unstructured": "Gaia Collaboration et al. Gaia Data Release 2. Summary of the contents and survey properties. Astron. Astrophys. 616, A1 (2018).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR46", -"doi-asserted-by": "crossref", -"first-page": "128001", -"DOI": "10.1088/1538-3873/aae3d9", -"volume": "130", -"author": "Y Tachibana", -"year": "2018", -"unstructured": "Tachibana, Y. & Miller, A. A. A morphological classification model to identify unresolved PanSTARRS1 sources: application in the ZTF real-time pipeline. Publ. Astron. Soc. Pac. 130, 128001 (2018).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR47", -"unstructured": "Chambers, K. C. et al. The Pan-STARRS1 Surveys. Preprint at https://arxiv.org/abs/1612.05560 (2016)." -}, -{ -"key": "1295_CR48", -"doi-asserted-by": "crossref", -"first-page": "1868", -"DOI": "10.1088/0004-6256/140/6/1868", -"volume": "140", -"author": "EL Wright", -"year": "2010", -"unstructured": "Wright, E. L. et al. The Wide-field Infrared Survey Explorer (WISE): mission description and initial on-orbit performance. Astron. J. 140, 1868–1881 (2010).", -"journal-title": "Astron. J." -}, -{ -"key": "1295_CR49", -"doi-asserted-by": "crossref", -"first-page": "051103", -"DOI": "10.1103/PhysRevLett.124.051103", -"volume": "124", -"author": "MG Aartsen", -"year": "2020", -"unstructured": "Aartsen, M. G. et al. Time-integrated neutrino source searches with 10 years of IceCube data. Phys. Rev. Lett. 124, 051103 (2020).", -"journal-title": "Phys. Rev. Lett." -}, -{ -"key": "1295_CR50", -"unstructured": "Steele, I. A. et al. The Liverpool Telescope: performance and first results. Proc. SPIE 5489, https://doi.org/10.1117/12.551456 (2004).", -"DOI": "10.1117/12.551456", -"doi-asserted-by": "publisher" -}, -{ -"key": "1295_CR51", -"doi-asserted-by": "crossref", -"first-page": "035003", -"DOI": "10.1088/1538-3873/aaa53f", -"volume": "130", -"author": "N Blagorodnova", -"year": "2018", -"unstructured": "Blagorodnova, N. et al. The SED Machine: a robotic spectrograph for fast transient classification. Publ. Astron. Soc. Pac. 130, 035003 (2018).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR52", -"doi-asserted-by": "crossref", -"first-page": "A115", -"DOI": "10.1051/0004-6361/201935344", -"volume": "627", -"author": "M Rigault", -"year": "2019", -"unstructured": "Rigault, M. et al. Fully automated integral field spectrograph pipeline for the SEDMachine: pysedm. Astron. Astrophys. 627, A115 (2019).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR53", -"doi-asserted-by": "crossref", -"first-page": "A68", -"DOI": "10.1051/0004-6361/201628275", -"volume": "593", -"author": "C Fremling", -"year": "2016", -"unstructured": "Fremling, C. et al. PTF12os and iPTF13bvn. Two stripped-envelope supernovae from low-mass progenitors in NGC 5806. Astron. Astrophys. 593, A68 (2016).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR54", -"doi-asserted-by": "crossref", -"first-page": "72", -"DOI": "10.3847/1538-4357/aa998e", -"volume": "852", -"author": "S van Velzen", -"year": "2018", -"unstructured": "van Velzen, S. On the mass and luminosity functions of tidal disruption flares: rate suppression due to black hole event horizons. Astrophys. J. 852, 72 (2018).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR55", -"doi-asserted-by": "crossref", -"first-page": "95", -"DOI": "10.1007/s11214-005-5095-4", -"volume": "120", -"author": "PWA Roming", -"year": "2005", -"unstructured": "Roming, P. W. A. et al. The Swift Ultra-Violet/Optical Telescope. Space Sci. Rev. 120, 95–142 (2005).", -"journal-title": "Space Sci. Rev." -}, -{ -"key": "1295_CR56", -"doi-asserted-by": "crossref", -"first-page": "1005", -"DOI": "10.1086/422091", -"volume": "611", -"author": "N Gehrels", -"year": "2004", -"unstructured": "Gehrels, N. et al. The Swift Gamma-Ray Burst Mission. Astrophys. J. 611, 1005–1020 (2004).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR57", -"doi-asserted-by": "crossref", -"first-page": "19", -"DOI": "10.3847/0004-637X/829/1/19", -"volume": "829", -"author": "S van Velzen", -"year": "2016", -"unstructured": "van Velzen, S., Mendez, A. J., Krolik, J. H. & Gorjian, V. Discovery of transient infrared emission from dust heated by stellar tidal disruption flares. Astrophys. J. 829, 19 (2016).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR58", -"doi-asserted-by": "crossref", -"first-page": "575", -"DOI": "10.1093/mnras/stw307", -"volume": "458", -"author": "W Lu", -"year": "2016", -"unstructured": "Lu, W., Kumar, P. & Evans, N. J. Infrared emission from tidal disruption events—probing the pc-scale dust content around galactic nuclei. Mon. Not. R. Astron. Soc. 458, 575–581 (2016).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR59", -"unstructured": "Miller, J. S. & Stone, R. P. S. The Kast Double Spectrograph. Technical Report No. 66 (Lick Observatory, 1993)." -}, -{ -"key": "1295_CR60", -"doi-asserted-by": "crossref", -"first-page": "375", -"DOI": "10.1086/133562", -"volume": "107", -"author": "JB Oke", -"year": "1995", -"unstructured": "Oke, J. B. et al. The Keck Low-Resolution Imaging Spectrometer. Publ. Astron. Soc. Pac. 107, 375–385 (1995).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR61", -"doi-asserted-by": "crossref", -"first-page": "765", -"DOI": "10.1111/j.1365-2966.2005.08957.x", -"volume": "359", -"author": "A Garcia-Rissmann", -"year": "2005", -"unstructured": "Garcia-Rissmann, A. et al. An atlas of calcium triplet spectra of active galaxies. Mon. Not. R. Astron. Soc. 359, 765–780 (2005).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR62", -"doi-asserted-by": "crossref", -"first-page": "165", -"DOI": "10.1007/s11214-005-5097-2", -"volume": "120", -"author": "DN Burrows", -"year": "2005", -"unstructured": "Burrows, D. N. et al. The Swift X-Ray Telescope. Space Sci. Rev. 120, 165–195 (2005).", -"journal-title": "Space Sci. Rev." -}, -{ -"key": "1295_CR63", -"doi-asserted-by": "crossref", -"first-page": "L1", -"DOI": "10.1051/0004-6361:20000036", -"volume": "365", -"author": "F Jansen", -"year": "2001", -"unstructured": "Jansen, F. et al. XMM-Newton Observatory. I. The spacecraft and operations. Astron. Astrophys. 365, L1–L6 (2001).", -"journal-title": "Astron. Astrophys." -}, -{ -"key": "1295_CR64", -"unstructured": "HI4PI Collaboration et al. HI4PI: a full-sky H i survey based on EBHIS and GASS. Astron. Astrophys. 594, A116 (2016).", -"DOI": "10.1051/0004-6361/201629178", -"doi-asserted-by": "crossref" -}, -{ -"key": "1295_CR65", -"unstructured": "Arnaud, K. A. in Astronomical Data Analysis Software and Systems V (eds Jacoby, G. H. & Barnes, J.) 17 (Astronomical Society of the Pacific, 1996)." -}, -{ -"key": "1295_CR66", -"doi-asserted-by": "crossref", -"first-page": "1545", -"DOI": "10.1111/j.1365-2966.2008.13953.x", -"volume": "391", -"author": "JTL Zwart", -"year": "2008", -"unstructured": "Zwart, J. T. L. et al. The Arcminute Microkelvin Imager. Mon. Not. R. Astron. Soc. 391, 1545–1558 (2008).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR67", -"doi-asserted-by": "crossref", -"first-page": "5677", -"DOI": "10.1093/mnras/sty074", -"volume": "475", -"author": "J Hickish", -"year": "2018", -"unstructured": "Hickish, J. et al. A digital correlator upgrade for the Arcminute MicroKelvin Imager. Mon. Not. R. Astron. Soc. 475, 5677–5687 (2018).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR68", -"doi-asserted-by": "crossref", -"first-page": "1396", -"DOI": "10.1093/mnras/stv1728", -"volume": "453", -"author": "YC Perrott", -"year": "2015", -"unstructured": "Perrott, Y. C. et al. AMI galactic plane survey at 16 GHz—II. Full data release with extended coverage and improved processing. Mon. Not. R. Astron. Soc. 453, 1396–1403 (2015).", -"journal-title": "Mon. Not. R. Astron. Soc." -}, -{ -"key": "1295_CR69", -"unstructured": "McMullin, J. P., Waters, B., Schiebel, D., Young, W. & Golap, K. in Astronomical Data Analysis Software and Systems XVI (eds Shaw, R. A. et al.) 127 (Astronomical Society of the Pacific, 2007)." -}, -{ -"key": "1295_CR70", -"doi-asserted-by": "crossref", -"first-page": "1071", -"DOI": "10.1088/0004-637X/697/2/1071", -"volume": "697", -"author": "WB Atwood", -"year": "2009", -"unstructured": "Atwood, W. B. et al. The Large Area Telescope on the Fermi Gamma-ray Space Telescope mission. Astrophys. J. 697, 1071–1102 (2009).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR71", -"unstructured": "Wood, M. et al. Fermipy: an open-source Python package for analysis of Fermi-LAT Data. In Proc. 35th International Cosmic Ray Conference (ICRC2017) 824 (PoS, 2017).", -"DOI": "10.22323/1.301.0824", -"doi-asserted-by": "crossref" -}, -{ -"key": "1295_CR72", -"unstructured": "Garrappa, S. & Buson, S. Fermi-LAT gamma-ray observations of IceCube-191001A. GCN Circ. 25932 (2019)." -}, -{ -"key": "1295_CR73", -"unstructured": "The Fermi-LAT collaboration. Fermi Large Area Telescope Fourth Source Catalog. Astrophys. J. Suppl. Ser. 247, 33 (2020)." -}, -{ -"key": "1295_CR74", -"doi-asserted-by": "crossref", -"first-page": "14", -"DOI": "10.1088/0004-637X/767/1/14", -"volume": "767", -"author": "T Pursimo", -"year": "2013", -"unstructured": "Pursimo, T. et al. The Micro-Arcsecond Scintillation-Induced Variability (MASIV) survey. III. Optical identifications and new redshifts. Astrophys. J. 767, 14 (2013).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR75", -"unstructured": "Garrappa, S., Buson, S. & Fermi-LAT Collaboration. Fermi-LAT gamma-ray observations of IceCube-191001A. GCN Circ. 25932 (2019)." -}, -{ -"key": "1295_CR76", -"doi-asserted-by": "crossref", -"first-page": "133", -"DOI": "10.1088/0004-637X/802/2/133", -"volume": "802", -"author": "C Diltz", -"year": "2015", -"unstructured": "Diltz, C., Böttcher, M. & Fossati, G. Time dependent hadronic modeling of flat spectrum radio quasars. Astrophys. J. 802, 133 (2015).", -"journal-title": "Astrophys. J." -}, -{ -"key": "1295_CR77", -"doi-asserted-by": "crossref", -"first-page": "88", -"DOI": "10.1038/s41550-018-0610-1", -"volume": "3", -"author": "S Gao", -"year": "2019", -"unstructured": "Gao, S., Fedynitch, A., Winter, W. & Pohl, M. Modelling the coincident observation of a high-energy neutrino and a bright blazar flare. Nat. Astron. 3, 88–92 (2019).", -"journal-title": "Nat. Astron." -}, -{ -"key": "1295_CR78", -"unstructured": "Ayala, H. IceCube-191001A: HAWC follow-up. GCN Circ. 25936 (2019)." -}, -{ -"key": "1295_CR79", -"doi-asserted-by": "crossref", -"first-page": "62", -"DOI": "10.1126/science.aad1182", -"volume": "351", -"author": "S van Velzen", -"year": "2016", -"unstructured": "van Velzen, S. et al. A radio jet from the optical and x-ray bright stellar tidal disruption flare ASASSN-14li. Science 351, 62–65 (2016).", -"journal-title": "Science" -}, -{ -"key": "1295_CR80", -"doi-asserted-by": "crossref", -"first-page": "306", -"DOI": "10.1086/670067", -"volume": "125", -"author": "D Foreman-Mackey", -"year": "2013", -"unstructured": "Foreman-Mackey, D., Hogg, D. W., Lang, D. & Goodman, J. emcee: the MCMC Hammer. Publ. Astron. Soc. Pac. 125, 306 (2013).", -"journal-title": "Publ. Astron. Soc. Pac." -}, -{ -"key": "1295_CR81", -"doi-asserted-by": "crossref", -"first-page": "6", -"DOI": "10.3847/1538-4365/aab761", -"volume": "236", -"author": "J Guillochon", -"year": "2018", -"unstructured": "Guillochon, J. et al. MOSFiT: Modular Open Source Fitter for Transients. Astrophys. J. Suppl. Ser. 236, 6 (2018).", -"journal-title": "Astrophys. J. Suppl. Ser." -}, -{ -"key": "1295_CR82", -"doi-asserted-by": "crossref", -"first-page": "e008", -"DOI": "10.1017/pasa.2013.44", -"volume": "31", -"author": "J Granot", -"year": "2014", -"unstructured": "Granot, J. & van der Horst, A. J. Gamma-ray burst jets and their radio observations. Publ. Astron. Soc. Aust. 31, e008 (2014).", -"journal-title": "Publ. Astron. Soc. Aust." -}, -{ -"key": "1295_CR83", -"doi-asserted-by": "crossref", -"first-page": "102", -"DOI": "10.1088/0004-637X/815/2/102", -"volume": "815", -"author": "W Fong", -"year": "2015", -"unstructured": "Fong, W., Berger, E., Margutti, R. & Zauderer, B. A. A decade of short-duration gamma-ray burst broadband afterglows: energetics, circumburst densities, and jet opening angles. Astrophys. J. 815, 102 (2015).", -"journal-title": "Astrophys. J." -} -], -"container-title": [ -"Nature Astronomy" -], -"original-title": [ - -], -"language": "en", -"link": [ -{ -"URL": "http://www.nature.com/articles/s41550-020-01295-8.pdf", -"content-type": "application/pdf", -"content-version": "vor", -"intended-application": "text-mining" -}, -{ -"URL": "http://www.nature.com/articles/s41550-020-01295-8", -"content-type": "text/html", -"content-version": "vor", -"intended-application": "text-mining" -}, -{ -"URL": "http://www.nature.com/articles/s41550-020-01295-8.pdf", -"content-type": "application/pdf", -"content-version": "vor", -"intended-application": "similarity-checking" -} -], -"deposited": { -"date-parts": [ -[ -2021, -5, -17 -] -], -"date-time": "2021-05-17T15:08:12Z", -"timestamp": 1621264092000 -}, -"score": 1.0, -"subtitle": [ - -], -"short-title": [ - -], -"issued": { -"date-parts": [ -[ -3021, -2, -22 -] -] -}, -"references-count": 83, -"journal-issue": { -"published-print": { -"date-parts": [ -[ -2021, -5 -] -] -}, -"issue": "5" -}, -"alternative-id": [ -"1295" -], -"URL": "http://dx.doi.org/10.1038/s41550-020-01295-8", -"relation": { -"cites": [ - -] -}, -"ISSN": [ -"2397-3366" -], -"issn-type": [ -{ -"value": "2397-3366", -"type": "electronic" -} -], -"assertion": [ -{ -"value": "21 July 2020", -"order": 1, -"name": "received", -"label": "Received", -"group": { -"name": "ArticleHistory", -"label": "Article History" -} -}, -{ -"value": "16 December 2020", -"order": 2, -"name": "accepted", -"label": "Accepted", -"group": { -"name": "ArticleHistory", -"label": "Article History" -} -}, -{ -"value": "22 February 2021", -"order": 3, -"name": "first_online", -"label": "First Online", -"group": { -"name": "ArticleHistory", -"label": "Article History" -} -}, -{ -"value": "The authors declare no competing interests.", -"order": 1, -"name": "Ethics", -"group": { -"name": "EthicsHeading", -"label": "Competing interests" -} -} -] + "indexed": { + "date-parts": [ + [ + 2021, + 7, + 2 + ] + ], + "date-time": "2021-07-02T07:30:10Z", + "timestamp": 1625211010708 + }, + "reference-count": 83, + "publisher": "Springer Science and Business Media LLC", + "issue": "5", + "license": [ + { + "URL": "https://www.springer.com/tdm", + "start": { + "date-parts": [ + [ + 2021, + 2, + 22 + ] + ], + "date-time": "2021-02-22T00:00:00Z", + "timestamp": 1613952000000 + }, + "delay-in-days": 0, + "content-version": "tdm" + }, + { + "URL": "https://academic.oup.com/journals/pages/open_access/funder_policies/chorus/standard_publication_model", + "start": { + "date-parts": [ + [ + 2021, + 2, + 22 + ] + ], + "date-time": "2021-02-22T00:00:00Z", + "timestamp": 1613952000000 + }, + "delay-in-days": 0, + "content-version": "vor" + } + ], + "content-domain": { + "domain": [ + "link.springer.com" + ], + "crossmark-restriction": false + }, + "short-container-title": [ + "Nat Astron" + ], + "published-print": { + "date-parts": [ + [ + 2021, + 5 + ] + ] + }, + "DOI": "10.1038/s41550-020-01295-8", + "type": "journal-article", + "created": { + "date-parts": [ + [ + 2021, + 2, + 22 + ] + ], + "date-time": "2021-02-22T17:03:42Z", + "timestamp": 1614013422000 + }, + "page": "510-518", + "update-policy": "http://dx.doi.org/10.1007/springer_crossmark_policy", + "source": "Crossref", + "is-referenced-by-count": 6, + "title": [ + "A tidal disruption event coincident with a high-energy neutrino" + ], + "prefix": "10.1038", + "volume": "5", + "author": [ + { + "ORCID": "http://orcid.org/0000-0003-2434-0387", + "authenticated-orcid": false, + "given": "Robert", + "family": "Stein", + "sequence": "first", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-3859-8074", + "authenticated-orcid": false, + "given": "Sjoert van", + "family": "Velzen", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0001-8594-8666", + "authenticated-orcid": false, + "given": "Marek", + "family": "Kowalski", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Anna", + "family": "Franckowiak", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-3703-5154", + "authenticated-orcid": false, + "given": "Suvi", + "family": "Gezari", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-3124-2814", + "authenticated-orcid": false, + "given": "James C. A.", + "family": "Miller-Jones", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Sara", + "family": "Frederick", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-0466-3779", + "authenticated-orcid": false, + "given": "Itai", + "family": "Sfaradi", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Michael F.", + "family": "Bietenholz", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-5936-1156", + "authenticated-orcid": false, + "given": "Assaf", + "family": "Horesh", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Rob", + "family": "Fender", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-2403-4582", + "authenticated-orcid": false, + "given": "Simone", + "family": "Garrappa", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-2184-6430", + "authenticated-orcid": false, + "given": "Tomás", + "family": "Ahumada", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Igor", + "family": "Andreoni", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Justin", + "family": "Belicki", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0001-8018-5348", + "authenticated-orcid": false, + "given": "Eric C.", + "family": "Bellm", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Markus", + "family": "Böttcher", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Valery", + "family": "Brinnel", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Rick", + "family": "Burruss", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-1673-970X", + "authenticated-orcid": false, + "given": "S. Bradley", + "family": "Cenko", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-8262-2924", + "authenticated-orcid": false, + "given": "Michael W.", + "family": "Coughlin", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-2292-0441", + "authenticated-orcid": false, + "given": "Virginia", + "family": "Cunningham", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Andrew", + "family": "Drake", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Glennys R.", + "family": "Farrar", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Michael", + "family": "Feeney", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Ryan J.", + "family": "Foley", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-3653-5598", + "authenticated-orcid": false, + "given": "Avishay", + "family": "Gal-Yam", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "V. Zach", + "family": "Golkhou", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-4163-4996", + "authenticated-orcid": false, + "given": "Ariel", + "family": "Goobar", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-3168-0139", + "authenticated-orcid": false, + "given": "Matthew J.", + "family": "Graham", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Erica", + "family": "Hammerstein", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-3367-3415", + "authenticated-orcid": false, + "given": "George", + "family": "Helou", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-9878-7889", + "authenticated-orcid": false, + "given": "Tiara", + "family": "Hung", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Mansi M.", + "family": "Kasliwal", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-5740-7747", + "authenticated-orcid": false, + "given": "Charles D.", + "family": "Kilpatrick", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-5105-344X", + "authenticated-orcid": false, + "given": "Albert K. H.", + "family": "Kong", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-6540-1484", + "authenticated-orcid": false, + "given": "Thomas", + "family": "Kupfer", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-2451-5482", + "authenticated-orcid": false, + "given": "Russ R.", + "family": "Laher", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-2242-0244", + "authenticated-orcid": false, + "given": "Ashish A.", + "family": "Mahabal", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-8532-9395", + "authenticated-orcid": false, + "given": "Frank J.", + "family": "Masci", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-0280-7484", + "authenticated-orcid": false, + "given": "Jannis", + "family": "Necker", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0001-8342-6274", + "authenticated-orcid": false, + "given": "Jakob", + "family": "Nordin", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Daniel A.", + "family": "Perley", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-8121-2560", + "authenticated-orcid": false, + "given": "Mickael", + "family": "Rigault", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-7788-628X", + "authenticated-orcid": false, + "given": "Simeon", + "family": "Reusch", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Hector", + "family": "Rodriguez", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0002-7559-315X", + "authenticated-orcid": false, + "given": "César", + "family": "Rojas-Bravo", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0001-7648-4142", + "authenticated-orcid": false, + "given": "Ben", + "family": "Rusholme", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-4401-0430", + "authenticated-orcid": false, + "given": "David L.", + "family": "Shupe", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0001-9898-5597", + "authenticated-orcid": false, + "given": "Leo P.", + "family": "Singer", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0003-1546-6615", + "authenticated-orcid": false, + "given": "Jesper", + "family": "Sollerman", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Maayane T.", + "family": "Soumagnac", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Daniel", + "family": "Stern", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Kirsty", + "family": "Taggart", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Jakob", + "family": "van Santen", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Charlotte", + "family": "Ward", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "given": "Patrick", + "family": "Woudt", + "sequence": "additional", + "affiliation": [ + ] + }, + { + "ORCID": "http://orcid.org/0000-0001-6747-8509", + "authenticated-orcid": false, + "given": "Yuhan", + "family": "Yao", + "sequence": "additional", + "affiliation": [ + ] + } + ], + "member": "297", + "published-online": { + "date-parts": [ + [ + 2021, + 2, + 22 + ] + ] + }, + "reference": [ + { + "key": "1295_CR1", + "doi-asserted-by": "crossref", + "first-page": "P03012", + "DOI": "10.1088/1748-0221/12/03/P03012", + "volume": "12", + "author": "MG Aartsen", + "year": "2017", + "unstructured": "Aartsen, M. G. et al. The IceCube Neutrino Observatory: instrumentation and online systems. J. Instrum. 12, P03012 (2017).", + "journal-title": "J. Instrum." + }, + { + "key": "1295_CR2", + "unstructured": "Stein, R. IceCube-191001A—IceCube observation of a high-energy neutrino candidate event. GCN Circ. 25913 (2019)." + }, + { + "key": "1295_CR3", + "doi-asserted-by": "crossref", + "first-page": "018002", + "DOI": "10.1088/1538-3873/aaecbe", + "volume": "131", + "author": "EC Bellm", + "year": "2019", + "unstructured": "Bellm, E. C. et al. The Zwicky Transient Facility: system overview, performance, and first results. Publ. Astron. Soc. Pac. 131, 018002 (2019).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR4", + "doi-asserted-by": "crossref", + "first-page": "533", + "DOI": "10.1016/j.astropartphys.2007.03.005", + "volume": "27", + "author": "M Kowalski", + "year": "2007", + "unstructured": "Kowalski, M. & Mohr, A. Detecting neutrino transients with optical follow-up observations. Astropart. Phys. 27, 533–538 (2007).", + "journal-title": "Astropart. Phys." + }, + { + "key": "1295_CR5", + "doi-asserted-by": "crossref", + "first-page": "329", + "DOI": "10.1088/0004-637X/693/1/329", + "volume": "693", + "author": "GR Farrar", + "year": "2009", + "unstructured": "Farrar, G. R. & Gruzinov, A. Giant AGN flares and cosmic ray bursts. Astrophys. J. 693, 329–332 (2009).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR6", + "doi-asserted-by": "crossref", + "first-page": "1354", + "DOI": "10.1093/mnras/stx863", + "volume": "469", + "author": "L Dai", + "year": "2017", + "unstructured": "Dai, L. & Fang, K. Can tidal disruption events produce the IceCube neutrinos? Mon. Not. R. Astron. Soc. 469, 1354–1359 (2017).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR7", + "doi-asserted-by": "crossref", + "first-page": "114", + "DOI": "10.3847/1538-4357/ab44ca", + "volume": "886", + "author": "K Hayasaki", + "year": "2019", + "unstructured": "Hayasaki, K. & Yamazaki, R. Neutrino emissions from tidal disruption remnants. Astrophys. J. 886, 114 (2019).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR8", + "unstructured": "Farrar, G. R. & Piran, T. Tidal disruption jets as the source of Ultra-High Energy Cosmic Rays. Preprint at https://arxiv.org/abs/1411.0704 (2014)." + }, + { + "key": "1295_CR9", + "doi-asserted-by": "crossref", + "first-page": "3", + "DOI": "10.3847/1538-4357/aa6344", + "volume": "838", + "author": "N Senno", + "year": "2017", + "unstructured": "Senno, N., Murase, K. & Mészáros, P. High-energy neutrino flares from X-ray bright and dark tidal disruption events. Astrophys. J. 838, 3 (2017).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR10", + "doi-asserted-by": "crossref", + "first-page": "083005", + "DOI": "10.1103/PhysRevD.93.083005", + "volume": "93", + "author": "XY Wang", + "year": "2016", + "unstructured": "Wang, X. Y. & Liu, R. Y. Tidal disruption jets of supermassive black holes as hidden sources of cosmic rays: explaining the IceCube TeV–PeV neutrinos. Phys. Rev. D 93, 083005 (2016).", + "journal-title": "Phys. Rev. D" + }, + { + "key": "1295_CR11", + "doi-asserted-by": "crossref", + "first-page": "123001", + "DOI": "10.1103/PhysRevD.95.123001", + "volume": "95", + "author": "C Lunardini", + "year": "2017", + "unstructured": "Lunardini, C. & Winter, W. High energy neutrinos from the tidal disruption of stars. Phys. Rev. D 95, 123001 (2017).", + "journal-title": "Phys. Rev. D" + }, + { + "key": "1295_CR12", + "unstructured": "Stein, R., Franckowiak, A., Necker, J., Gezari, S. & Velzen, S. V. Candidate counterparts to IceCube-191001A with ZTF. Astron. Telegr. 13160 (2019)." + }, + { + "key": "1295_CR13", + "doi-asserted-by": "crossref", + "first-page": "078001", + "DOI": "10.1088/1538-3873/ab006c", + "volume": "131", + "author": "MJ Graham", + "year": "2019", + "unstructured": "Graham, M. J. et al. The Zwicky Transient Facility: science objectives. Publ. Astron. Soc. Pac. 131, 078001 (2019).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR14", + "unstructured": "Nordin, J. et al. TNS Astronomical Transient Report 33340 (2019)." + }, + { + "key": "1295_CR15", + "unstructured": "Nicholl, M. et al. ePESSTO+ classification of optical transients. Astron. Telegr. 12752 (2019)." + }, + { + "key": "1295_CR16", + "unstructured": "van Velzen, S. et al. Seventeen tidal disruption events from the first half of ZTF survey observations: entering a new era of population studies. Preprint at https://arxiv.org/abs/2001.01409 (2020)." + }, + { + "key": "1295_CR17", + "doi-asserted-by": "crossref", + "first-page": "82", + "DOI": "10.3847/1538-4357/ab1844", + "volume": "878", + "author": "S van Velzen", + "year": "2019", + "unstructured": "van Velzen, S. et al. Late-time UV observations of tidal disruption flares reveal unobscured, compact accretion disks. Astrophys. J. 878, 82 (2019).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR18", + "doi-asserted-by": "crossref", + "first-page": "5655", + "DOI": "10.1093/mnras/staa192", + "volume": "492", + "author": "A Mummery", + "year": "2020", + "unstructured": "Mummery, A. & Balbus, S. A. The spectral evolution of disc dominated tidal disruption events. Mon. Not. R. Astron. Soc. 492, 5655–5674 (2020).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR19", + "doi-asserted-by": "crossref", + "first-page": "184", + "DOI": "10.1088/0004-637X/764/2/184", + "volume": "764", + "author": "NJ McConnell", + "year": "2013", + "unstructured": "McConnell, N. J. & Ma, C. P. Revisiting the scaling relations of black hole masses and host galaxy properties. Astrophys. J. 764, 184 (2013).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR20", + "doi-asserted-by": "crossref", + "first-page": "149", + "DOI": "10.3847/1538-4357/aa633b", + "volume": "838", + "author": "K Auchettl", + "year": "2017", + "unstructured": "Auchettl, K., Guillochon, J. & Ramirez-Ruiz, E. New physical insights about tidal disruption events from a comprehensive observational inventory at X-ray wavelengths. Astrophys. J. 838, 149 (2017).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR21", + "doi-asserted-by": "crossref", + "first-page": "4136", + "DOI": "10.1093/mnras/stz1602", + "volume": "487", + "author": "T Wevers", + "year": "2019", + "unstructured": "Wevers, T. et al. Black hole masses of tidal disruption event host galaxies II. Mon. Not. R. Astron. Soc. 487, 4136–4152 (2019).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR22", + "doi-asserted-by": "crossref", + "first-page": "198", + "DOI": "10.3847/1538-4357/aafe0c", + "volume": "872", + "author": "S van Velzen", + "year": "2019", + "unstructured": "van Velzen, S. et al. The first tidal disruption flare in ZTF: from photometric selection to multi-wavelength characterization. Astrophys. J. 872, 198 (2019).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR23", + "doi-asserted-by": "crossref", + "first-page": "A81", + "DOI": "10.1051/0004-6361/201117855", + "volume": "538", + "author": "G Morlino", + "year": "2012", + "unstructured": "Morlino, G. & Caprioli, D. Strong evidence for hadron acceleration in Tycho’s supernova remnant. Astron. Astrophys. 538, A81 (2012).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR24", + "doi-asserted-by": "crossref", + "first-page": "86", + "DOI": "10.3847/1538-4357/aaa8e0", + "volume": "854", + "author": "T Eftekhari", + "year": "2018", + "unstructured": "Eftekhari, T., Berger, E., Zauderer, B. A., Margutti, R. & Alexander, K. D. Radio monitoring of the tidal disruption event Swift J164449.3+573451. III. Late-time jet energetics and a deviation from equipartition. Astrophys. J. 854, 86 (2018).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR25", + "doi-asserted-by": "crossref", + "first-page": "1258", + "DOI": "10.1093/mnras/stt1645", + "volume": "436", + "author": "A Horesh", + "year": "2013", + "unstructured": "Horesh, A. et al. An early and comprehensive millimetre and centimetre wave and X-ray study of SN 2011dh: a non-equipartition blast wave expanding into a massive stellar wind. Mon. Not. R. Astron. Soc. 436, 1258–1267 (2013).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR26", + "doi-asserted-by": "crossref", + "first-page": "78", + "DOI": "10.1088/0004-637X/772/1/78", + "volume": "772", + "author": "R Barniol Duran", + "year": "2013", + "unstructured": "Barniol Duran, R., Nakar, E. & Piran, T. Radius constraints and minimal equipartition energy of relativistically moving synchrotron sources. Astrophys. J. 772, 78 (2013).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR27", + "doi-asserted-by": "crossref", + "first-page": "69", + "DOI": "10.1071/AS02053", + "volume": "20", + "author": "AG Polatidis", + "year": "2003", + "unstructured": "Polatidis, A. G. & Conway, J. E. Proper motions in compact symmetric objects. Publ. Astron. Soc. Aust. 20, 69–74 (2003).", + "journal-title": "Publ. Astron. Soc. Aust." + }, + { + "key": "1295_CR28", + "doi-asserted-by": "crossref", + "first-page": "L25", + "DOI": "10.3847/2041-8205/819/2/L25", + "volume": "819", + "author": "KD Alexander", + "year": "2016", + "unstructured": "Alexander, K. D., Berger, E., Guillochon, J., Zauderer, B. A. & Williams, P. K. G. Discovery of an outflow from radio observations of the tidal disruption event ASASSN-14li. Astrophys. J. Lett. 819, L25 (2016).", + "journal-title": "Astrophys. J. Lett." + }, + { + "key": "1295_CR29", + "doi-asserted-by": "crossref", + "first-page": "127", + "DOI": "10.3847/0004-637X/827/2/127", + "volume": "827", + "author": "J Krolik", + "year": "2016", + "unstructured": "Krolik, J., Piran, T., Svirski, G. & Cheng, R. M. ASASSN-14li: a model tidal disruption event. Astrophys. J. 827, 127 (2016).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR30", + "doi-asserted-by": "crossref", + "first-page": "1", + "DOI": "10.3847/1538-4357/aab361", + "volume": "856", + "author": "DR Pasham", + "year": "2018", + "unstructured": "Pasham, D. R. & van Velzen, S. Discovery of a time lag between the soft X-ray and radio emission of the tidal disruption flare ASASSN-14li: evidence for linear disk–jet coupling. Astrophys. J. 856, 1 (2018).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR31", + "doi-asserted-by": "crossref", + "first-page": "L9", + "DOI": "10.1051/0004-6361/201834750", + "volume": "622", + "author": "NL Strotjohann", + "year": "2019", + "unstructured": "Strotjohann, N. L., Kowalski, M. & Franckowiak, A. Eddington bias for cosmic neutrino sources. Astron. Astrophys. 622, L9 (2019).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR32", + "doi-asserted-by": "crossref", + "first-page": "425", + "DOI": "10.1146/annurev.aa.22.090184.002233", + "volume": "22", + "author": "AM Hillas", + "year": "1984", + "unstructured": "Hillas, A. M. The origin of ultra-high-energy cosmic rays. Annu. Rev. Astron. Astrophys. 22, 425–444 (1984).", + "journal-title": "Annu. Rev. Astron. Astrophys." + }, + { + "key": "1295_CR33", + "doi-asserted-by": "crossref", + "first-page": "eaat1378", + "DOI": "10.1126/science.aat1378", + "volume": "361", + "author": "IceCube Collaboration", + "year": "2018", + "unstructured": "IceCube Collaboration et al. Multimessenger observations of a flaring blazar coincident with high-energy neutrino IceCube-170922A. Science 361, eaat1378 (2018).", + "journal-title": "Science" + }, + { + "key": "1295_CR34", + "unstructured": "Blaufuss, E., Kintscher, T., Lu, L. & Tung, C. F. The next generation of IceCube real-time neutrino alerts. In Proc. 36th International Cosmic Ray Conference (ICRC2019) 1021 (PoS, 2019)." + }, + { + "key": "1295_CR35", + "doi-asserted-by": "crossref", + "first-page": "071101", + "DOI": "10.1103/PhysRevLett.116.071101", + "volume": "116", + "author": "K Murase", + "year": "2016", + "unstructured": "Murase, K., Guetta, D. & Ahlers, M. Hidden cosmic-ray accelerators as an origin of TeV–PeV cosmic neutrinos. Phys. Rev. Lett. 116, 071101 (2016).", + "journal-title": "Phys. Rev. Lett." + }, + { + "key": "1295_CR36", + "unstructured": "Stein, R. Search for neutrinos from populations of optical transients. In Proc. 36th International Cosmic Ray Conference (ICRC2019) 1016 (PoS, 2019).", + "DOI": "10.22323/1.358.1016", + "doi-asserted-by": "crossref" + }, + { + "key": "1295_CR37", + "doi-asserted-by": "crossref", + "first-page": "048001", + "DOI": "10.1088/1538-3873/aaff99", + "volume": "131", + "author": "MW Coughlin", + "year": "2019", + "unstructured": "Coughlin, M. W. et al. 2900 square degree search for the optical counterpart of short gamma-ray burst GRB 180523B with the Zwicky Transient Facility. Publ. Astron. Soc. Pac. 131, 048001 (2019).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR38", + "unstructured": "Stein, R. IceCube-200107A: IceCube observation of a high-energy neutrino candidate event. GCN Circ. 26655 (2020)." + }, + { + "key": "1295_CR39", + "doi-asserted-by": "crossref", + "first-page": "018003", + "DOI": "10.1088/1538-3873/aae8ac", + "volume": "131", + "author": "FJ Masci", + "year": "2019", + "unstructured": "Masci, F. J. et al. The Zwicky Transient Facility: data processing, products, and archive. Publ. Astron. Soc. Pac. 131, 018003 (2019).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR40", + "doi-asserted-by": "crossref", + "first-page": "018001", + "DOI": "10.1088/1538-3873/aae904", + "volume": "131", + "author": "MT Patterson", + "year": "2019", + "unstructured": "Patterson, M. T. et al. The Zwicky Transient Facility Alert Distribution System. Publ. Astron. Soc. Pac. 131, 018001 (2019).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR41", + "unstructured": "Stein, R. & Reusch, S. robertdstein/ampel_followup_pipeline: V1.1 Release (Zenodo, 2020); https://doi.org/10.5281/zenodo.4048336", + "DOI": "10.5281/zenodo.4048336", + "doi-asserted-by": "publisher" + }, + { + "key": "1295_CR42", + "doi-asserted-by": "crossref", + "first-page": "A147", + "DOI": "10.1051/0004-6361/201935634", + "volume": "631", + "author": "J Nordin", + "year": "2019", + "unstructured": "Nordin, J. et al. Transient processing and analysis using AMPEL: alert management, photometry, and evaluation of light curves. Astron. Astrophys. 631, A147 (2019).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR43", + "doi-asserted-by": "crossref", + "first-page": "038002", + "DOI": "10.1088/1538-3873/aaf3fa", + "volume": "131", + "author": "A Mahabal", + "year": "2019", + "unstructured": "Mahabal, A. et al. Machine learning for the Zwicky Transient Facility. Publ. Astron. Soc. Pac. 131, 038002 (2019).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR44", + "doi-asserted-by": "crossref", + "first-page": "075002", + "DOI": "10.1088/1538-3873/aac410", + "volume": "130", + "author": "MT Soumagnac", + "year": "2018", + "unstructured": "Soumagnac, M. T. & Ofek, E. O. catsHTM: a tool for fast accessing and cross-matching large astronomical catalogs. Publ. Astron. Soc. Pac. 130, 075002 (2018).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR45", + "doi-asserted-by": "crossref", + "first-page": "A1", + "DOI": "10.1051/0004-6361/201833051", + "volume": "616", + "author": "Gaia Collaboration", + "year": "2018", + "unstructured": "Gaia Collaboration et al. Gaia Data Release 2. Summary of the contents and survey properties. Astron. Astrophys. 616, A1 (2018).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR46", + "doi-asserted-by": "crossref", + "first-page": "128001", + "DOI": "10.1088/1538-3873/aae3d9", + "volume": "130", + "author": "Y Tachibana", + "year": "2018", + "unstructured": "Tachibana, Y. & Miller, A. A. A morphological classification model to identify unresolved PanSTARRS1 sources: application in the ZTF real-time pipeline. Publ. Astron. Soc. Pac. 130, 128001 (2018).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR47", + "unstructured": "Chambers, K. C. et al. The Pan-STARRS1 Surveys. Preprint at https://arxiv.org/abs/1612.05560 (2016)." + }, + { + "key": "1295_CR48", + "doi-asserted-by": "crossref", + "first-page": "1868", + "DOI": "10.1088/0004-6256/140/6/1868", + "volume": "140", + "author": "EL Wright", + "year": "2010", + "unstructured": "Wright, E. L. et al. The Wide-field Infrared Survey Explorer (WISE): mission description and initial on-orbit performance. Astron. J. 140, 1868–1881 (2010).", + "journal-title": "Astron. J." + }, + { + "key": "1295_CR49", + "doi-asserted-by": "crossref", + "first-page": "051103", + "DOI": "10.1103/PhysRevLett.124.051103", + "volume": "124", + "author": "MG Aartsen", + "year": "2020", + "unstructured": "Aartsen, M. G. et al. Time-integrated neutrino source searches with 10 years of IceCube data. Phys. Rev. Lett. 124, 051103 (2020).", + "journal-title": "Phys. Rev. Lett." + }, + { + "key": "1295_CR50", + "unstructured": "Steele, I. A. et al. The Liverpool Telescope: performance and first results. Proc. SPIE 5489, https://doi.org/10.1117/12.551456 (2004).", + "DOI": "10.1117/12.551456", + "doi-asserted-by": "publisher" + }, + { + "key": "1295_CR51", + "doi-asserted-by": "crossref", + "first-page": "035003", + "DOI": "10.1088/1538-3873/aaa53f", + "volume": "130", + "author": "N Blagorodnova", + "year": "2018", + "unstructured": "Blagorodnova, N. et al. The SED Machine: a robotic spectrograph for fast transient classification. Publ. Astron. Soc. Pac. 130, 035003 (2018).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR52", + "doi-asserted-by": "crossref", + "first-page": "A115", + "DOI": "10.1051/0004-6361/201935344", + "volume": "627", + "author": "M Rigault", + "year": "2019", + "unstructured": "Rigault, M. et al. Fully automated integral field spectrograph pipeline for the SEDMachine: pysedm. Astron. Astrophys. 627, A115 (2019).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR53", + "doi-asserted-by": "crossref", + "first-page": "A68", + "DOI": "10.1051/0004-6361/201628275", + "volume": "593", + "author": "C Fremling", + "year": "2016", + "unstructured": "Fremling, C. et al. PTF12os and iPTF13bvn. Two stripped-envelope supernovae from low-mass progenitors in NGC 5806. Astron. Astrophys. 593, A68 (2016).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR54", + "doi-asserted-by": "crossref", + "first-page": "72", + "DOI": "10.3847/1538-4357/aa998e", + "volume": "852", + "author": "S van Velzen", + "year": "2018", + "unstructured": "van Velzen, S. On the mass and luminosity functions of tidal disruption flares: rate suppression due to black hole event horizons. Astrophys. J. 852, 72 (2018).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR55", + "doi-asserted-by": "crossref", + "first-page": "95", + "DOI": "10.1007/s11214-005-5095-4", + "volume": "120", + "author": "PWA Roming", + "year": "2005", + "unstructured": "Roming, P. W. A. et al. The Swift Ultra-Violet/Optical Telescope. Space Sci. Rev. 120, 95–142 (2005).", + "journal-title": "Space Sci. Rev." + }, + { + "key": "1295_CR56", + "doi-asserted-by": "crossref", + "first-page": "1005", + "DOI": "10.1086/422091", + "volume": "611", + "author": "N Gehrels", + "year": "2004", + "unstructured": "Gehrels, N. et al. The Swift Gamma-Ray Burst Mission. Astrophys. J. 611, 1005–1020 (2004).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR57", + "doi-asserted-by": "crossref", + "first-page": "19", + "DOI": "10.3847/0004-637X/829/1/19", + "volume": "829", + "author": "S van Velzen", + "year": "2016", + "unstructured": "van Velzen, S., Mendez, A. J., Krolik, J. H. & Gorjian, V. Discovery of transient infrared emission from dust heated by stellar tidal disruption flares. Astrophys. J. 829, 19 (2016).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR58", + "doi-asserted-by": "crossref", + "first-page": "575", + "DOI": "10.1093/mnras/stw307", + "volume": "458", + "author": "W Lu", + "year": "2016", + "unstructured": "Lu, W., Kumar, P. & Evans, N. J. Infrared emission from tidal disruption events—probing the pc-scale dust content around galactic nuclei. Mon. Not. R. Astron. Soc. 458, 575–581 (2016).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR59", + "unstructured": "Miller, J. S. & Stone, R. P. S. The Kast Double Spectrograph. Technical Report No. 66 (Lick Observatory, 1993)." + }, + { + "key": "1295_CR60", + "doi-asserted-by": "crossref", + "first-page": "375", + "DOI": "10.1086/133562", + "volume": "107", + "author": "JB Oke", + "year": "1995", + "unstructured": "Oke, J. B. et al. The Keck Low-Resolution Imaging Spectrometer. Publ. Astron. Soc. Pac. 107, 375–385 (1995).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR61", + "doi-asserted-by": "crossref", + "first-page": "765", + "DOI": "10.1111/j.1365-2966.2005.08957.x", + "volume": "359", + "author": "A Garcia-Rissmann", + "year": "2005", + "unstructured": "Garcia-Rissmann, A. et al. An atlas of calcium triplet spectra of active galaxies. Mon. Not. R. Astron. Soc. 359, 765–780 (2005).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR62", + "doi-asserted-by": "crossref", + "first-page": "165", + "DOI": "10.1007/s11214-005-5097-2", + "volume": "120", + "author": "DN Burrows", + "year": "2005", + "unstructured": "Burrows, D. N. et al. The Swift X-Ray Telescope. Space Sci. Rev. 120, 165–195 (2005).", + "journal-title": "Space Sci. Rev." + }, + { + "key": "1295_CR63", + "doi-asserted-by": "crossref", + "first-page": "L1", + "DOI": "10.1051/0004-6361:20000036", + "volume": "365", + "author": "F Jansen", + "year": "2001", + "unstructured": "Jansen, F. et al. XMM-Newton Observatory. I. The spacecraft and operations. Astron. Astrophys. 365, L1–L6 (2001).", + "journal-title": "Astron. Astrophys." + }, + { + "key": "1295_CR64", + "unstructured": "HI4PI Collaboration et al. HI4PI: a full-sky H i survey based on EBHIS and GASS. Astron. Astrophys. 594, A116 (2016).", + "DOI": "10.1051/0004-6361/201629178", + "doi-asserted-by": "crossref" + }, + { + "key": "1295_CR65", + "unstructured": "Arnaud, K. A. in Astronomical Data Analysis Software and Systems V (eds Jacoby, G. H. & Barnes, J.) 17 (Astronomical Society of the Pacific, 1996)." + }, + { + "key": "1295_CR66", + "doi-asserted-by": "crossref", + "first-page": "1545", + "DOI": "10.1111/j.1365-2966.2008.13953.x", + "volume": "391", + "author": "JTL Zwart", + "year": "2008", + "unstructured": "Zwart, J. T. L. et al. The Arcminute Microkelvin Imager. Mon. Not. R. Astron. Soc. 391, 1545–1558 (2008).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR67", + "doi-asserted-by": "crossref", + "first-page": "5677", + "DOI": "10.1093/mnras/sty074", + "volume": "475", + "author": "J Hickish", + "year": "2018", + "unstructured": "Hickish, J. et al. A digital correlator upgrade for the Arcminute MicroKelvin Imager. Mon. Not. R. Astron. Soc. 475, 5677–5687 (2018).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR68", + "doi-asserted-by": "crossref", + "first-page": "1396", + "DOI": "10.1093/mnras/stv1728", + "volume": "453", + "author": "YC Perrott", + "year": "2015", + "unstructured": "Perrott, Y. C. et al. AMI galactic plane survey at 16 GHz—II. Full data release with extended coverage and improved processing. Mon. Not. R. Astron. Soc. 453, 1396–1403 (2015).", + "journal-title": "Mon. Not. R. Astron. Soc." + }, + { + "key": "1295_CR69", + "unstructured": "McMullin, J. P., Waters, B., Schiebel, D., Young, W. & Golap, K. in Astronomical Data Analysis Software and Systems XVI (eds Shaw, R. A. et al.) 127 (Astronomical Society of the Pacific, 2007)." + }, + { + "key": "1295_CR70", + "doi-asserted-by": "crossref", + "first-page": "1071", + "DOI": "10.1088/0004-637X/697/2/1071", + "volume": "697", + "author": "WB Atwood", + "year": "2009", + "unstructured": "Atwood, W. B. et al. The Large Area Telescope on the Fermi Gamma-ray Space Telescope mission. Astrophys. J. 697, 1071–1102 (2009).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR71", + "unstructured": "Wood, M. et al. Fermipy: an open-source Python package for analysis of Fermi-LAT Data. In Proc. 35th International Cosmic Ray Conference (ICRC2017) 824 (PoS, 2017).", + "DOI": "10.22323/1.301.0824", + "doi-asserted-by": "crossref" + }, + { + "key": "1295_CR72", + "unstructured": "Garrappa, S. & Buson, S. Fermi-LAT gamma-ray observations of IceCube-191001A. GCN Circ. 25932 (2019)." + }, + { + "key": "1295_CR73", + "unstructured": "The Fermi-LAT collaboration. Fermi Large Area Telescope Fourth Source Catalog. Astrophys. J. Suppl. Ser. 247, 33 (2020)." + }, + { + "key": "1295_CR74", + "doi-asserted-by": "crossref", + "first-page": "14", + "DOI": "10.1088/0004-637X/767/1/14", + "volume": "767", + "author": "T Pursimo", + "year": "2013", + "unstructured": "Pursimo, T. et al. The Micro-Arcsecond Scintillation-Induced Variability (MASIV) survey. III. Optical identifications and new redshifts. Astrophys. J. 767, 14 (2013).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR75", + "unstructured": "Garrappa, S., Buson, S. & Fermi-LAT Collaboration. Fermi-LAT gamma-ray observations of IceCube-191001A. GCN Circ. 25932 (2019)." + }, + { + "key": "1295_CR76", + "doi-asserted-by": "crossref", + "first-page": "133", + "DOI": "10.1088/0004-637X/802/2/133", + "volume": "802", + "author": "C Diltz", + "year": "2015", + "unstructured": "Diltz, C., Böttcher, M. & Fossati, G. Time dependent hadronic modeling of flat spectrum radio quasars. Astrophys. J. 802, 133 (2015).", + "journal-title": "Astrophys. J." + }, + { + "key": "1295_CR77", + "doi-asserted-by": "crossref", + "first-page": "88", + "DOI": "10.1038/s41550-018-0610-1", + "volume": "3", + "author": "S Gao", + "year": "2019", + "unstructured": "Gao, S., Fedynitch, A., Winter, W. & Pohl, M. Modelling the coincident observation of a high-energy neutrino and a bright blazar flare. Nat. Astron. 3, 88–92 (2019).", + "journal-title": "Nat. Astron." + }, + { + "key": "1295_CR78", + "unstructured": "Ayala, H. IceCube-191001A: HAWC follow-up. GCN Circ. 25936 (2019)." + }, + { + "key": "1295_CR79", + "doi-asserted-by": "crossref", + "first-page": "62", + "DOI": "10.1126/science.aad1182", + "volume": "351", + "author": "S van Velzen", + "year": "2016", + "unstructured": "van Velzen, S. et al. A radio jet from the optical and x-ray bright stellar tidal disruption flare ASASSN-14li. Science 351, 62–65 (2016).", + "journal-title": "Science" + }, + { + "key": "1295_CR80", + "doi-asserted-by": "crossref", + "first-page": "306", + "DOI": "10.1086/670067", + "volume": "125", + "author": "D Foreman-Mackey", + "year": "2013", + "unstructured": "Foreman-Mackey, D., Hogg, D. W., Lang, D. & Goodman, J. emcee: the MCMC Hammer. Publ. Astron. Soc. Pac. 125, 306 (2013).", + "journal-title": "Publ. Astron. Soc. Pac." + }, + { + "key": "1295_CR81", + "doi-asserted-by": "crossref", + "first-page": "6", + "DOI": "10.3847/1538-4365/aab761", + "volume": "236", + "author": "J Guillochon", + "year": "2018", + "unstructured": "Guillochon, J. et al. MOSFiT: Modular Open Source Fitter for Transients. Astrophys. J. Suppl. Ser. 236, 6 (2018).", + "journal-title": "Astrophys. J. Suppl. Ser." + }, + { + "key": "1295_CR82", + "doi-asserted-by": "crossref", + "first-page": "e008", + "DOI": "10.1017/pasa.2013.44", + "volume": "31", + "author": "J Granot", + "year": "2014", + "unstructured": "Granot, J. & van der Horst, A. J. Gamma-ray burst jets and their radio observations. Publ. Astron. Soc. Aust. 31, e008 (2014).", + "journal-title": "Publ. Astron. Soc. Aust." + }, + { + "key": "1295_CR83", + "doi-asserted-by": "crossref", + "first-page": "102", + "DOI": "10.1088/0004-637X/815/2/102", + "volume": "815", + "author": "W Fong", + "year": "2015", + "unstructured": "Fong, W., Berger, E., Margutti, R. & Zauderer, B. A. A decade of short-duration gamma-ray burst broadband afterglows: energetics, circumburst densities, and jet opening angles. Astrophys. J. 815, 102 (2015).", + "journal-title": "Astrophys. J." + } + ], + "container-title": [ + "Nature Astronomy" + ], + "original-title": [ + ], + "language": "en", + "link": [ + { + "URL": "http://www.nature.com/articles/s41550-020-01295-8.pdf", + "content-type": "application/pdf", + "content-version": "vor", + "intended-application": "text-mining" + }, + { + "URL": "http://www.nature.com/articles/s41550-020-01295-8", + "content-type": "text/html", + "content-version": "vor", + "intended-application": "text-mining" + }, + { + "URL": "http://www.nature.com/articles/s41550-020-01295-8.pdf", + "content-type": "application/pdf", + "content-version": "vor", + "intended-application": "similarity-checking" + } + ], + "deposited": { + "date-parts": [ + [ + 2021, + 5, + 17 + ] + ], + "date-time": "2021-05-17T15:08:12Z", + "timestamp": 1621264092000 + }, + "score": 1.0, + "subtitle": [ + ], + "short-title": [ + ], + "issued": { + "date-parts": [ + [ + 3021, + 2, + 22 + ] + ] + }, + "references-count": 83, + "journal-issue": { + "published-print": { + "date-parts": [ + [ + 2021, + 5 + ] + ] + }, + "issue": "5" + }, + "alternative-id": [ + "1295" + ], + "URL": "http://dx.doi.org/10.1038/s41550-020-01295-8", + "relation": { + "cites": [ + ] + }, + "ISSN": [ + "2397-3366" + ], + "issn-type": [ + { + "value": "2397-3366", + "type": "electronic" + } + ], + "assertion": [ + { + "value": "21 July 2020", + "order": 1, + "name": "received", + "label": "Received", + "group": { + "name": "ArticleHistory", + "label": "Article History" + } + }, + { + "value": "16 December 2020", + "order": 2, + "name": "accepted", + "label": "Accepted", + "group": { + "name": "ArticleHistory", + "label": "Article History" + } + }, + { + "value": "22 February 2021", + "order": 3, + "name": "first_online", + "label": "First Online", + "group": { + "name": "ArticleHistory", + "label": "Article History" + } + }, + { + "value": "The authors declare no competing interests.", + "order": 1, + "name": "Ethics", + "group": { + "name": "EthicsHeading", + "label": "Competing interests" + } + } + ] } } \ No newline at end of file diff --git a/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/crossref/CrossrefMappingTest.scala b/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/crossref/CrossrefMappingTest.scala index aba8cee12..60bfc92cb 100644 --- a/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/crossref/CrossrefMappingTest.scala +++ b/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/crossref/CrossrefMappingTest.scala @@ -1,9 +1,14 @@ package eu.dnetlib.dhp.doiboost.crossref +import eu.dnetlib.dhp.schema.common.ModelConstants import eu.dnetlib.dhp.schema.oaf._ import eu.dnetlib.dhp.utils.DHPUtils import eu.dnetlib.doiboost.crossref.Crossref2Oaf import org.codehaus.jackson.map.{ObjectMapper, SerializationConfig} +import org.json4s +import org.json4s.JsonAST.{JField, JObject, JString} +import org.json4s.{DefaultFormats, JValue} +import org.json4s.jackson.JsonMethods import org.junit.jupiter.api.Assertions._ import org.junit.jupiter.api.Test import org.slf4j.{Logger, LoggerFactory} @@ -31,13 +36,13 @@ class CrossrefMappingTest { .fromInputStream(getClass.getResourceAsStream("/eu/dnetlib/doiboost/crossref/funder_doi")) .mkString - for (line <- funder_doi.linesWithSeparators.map(l =>l.stripLineEnd)) { + for (line <- funder_doi.linesWithSeparators.map(l => l.stripLineEnd)) { val json = template.replace("%s", line) val resultList: List[Oaf] = Crossref2Oaf.convert(json) assertTrue(resultList.nonEmpty) checkRelation(resultList) } - for (line <- funder_name.linesWithSeparators.map(l =>l.stripLineEnd)) { + for (line <- funder_name.linesWithSeparators.map(l => l.stripLineEnd)) { val json = template.replace("%s", line) val resultList: List[Oaf] = Crossref2Oaf.convert(json) assertTrue(resultList.nonEmpty) @@ -109,6 +114,47 @@ class CrossrefMappingTest { } + private def parseJson(input: String): JValue = { + implicit lazy val formats: DefaultFormats.type = org.json4s.DefaultFormats + lazy val json: json4s.JValue = JsonMethods.parse(input) + + json + } + + @Test + def testCitationRelations(): Unit = { + val json = Source + .fromInputStream(getClass.getResourceAsStream("/eu/dnetlib/doiboost/crossref/publication_license_embargo.json")) + .mkString + + assertNotNull(json) + assertFalse(json.isEmpty) + + val result: List[Oaf] = Crossref2Oaf.convert(json) + + assertTrue(result.nonEmpty) + + val j = parseJson(json) + + val doisReference: List[String] = for { + JObject(reference_json) <- j \ "reference" + JField("DOI", JString(doi_json)) <- reference_json + } yield doi_json + + val relationList: List[Relation] = result + .filter(s => s.isInstanceOf[Relation]) + .map(r => r.asInstanceOf[Relation]) + .filter(r => r.getSubRelType.equalsIgnoreCase(ModelConstants.CITATION)) + + assertNotNull(relationList) + assertFalse(relationList.isEmpty) + + assertEquals(doisReference.size * 2, relationList.size) + + mapper.getSerializationConfig.enable(SerializationConfig.Feature.INDENT_OUTPUT) + relationList.foreach(p => println(mapper.writeValueAsString(p))) + } + @Test def testEmptyTitle(): Unit = { val json = Source @@ -227,10 +273,6 @@ class CrossrefMappingTest { result.getDataInfo.getProvenanceaction.getSchemeid.isEmpty, "DataInfo/Provenance/SchemeId test not null Failed" ); - assertFalse( - result.getDataInfo.getProvenanceaction.getSchemename.isEmpty, - "DataInfo/Provenance/SchemeName test not null Failed" - ); assertNotNull(result.getCollectedfrom, "CollectedFrom test not null Failed"); assertFalse(result.getCollectedfrom.isEmpty); @@ -303,10 +345,6 @@ class CrossrefMappingTest { result.getDataInfo.getProvenanceaction.getSchemeid.isEmpty, "DataInfo/Provenance/SchemeId test not null Failed" ); - assertFalse( - result.getDataInfo.getProvenanceaction.getSchemename.isEmpty, - "DataInfo/Provenance/SchemeName test not null Failed" - ); assertNotNull(result.getCollectedfrom, "CollectedFrom test not null Failed"); assertFalse(result.getCollectedfrom.isEmpty); @@ -387,10 +425,6 @@ class CrossrefMappingTest { result.getDataInfo.getProvenanceaction.getSchemeid.isEmpty, "DataInfo/Provenance/SchemeId test not null Failed" ); - assertFalse( - result.getDataInfo.getProvenanceaction.getSchemename.isEmpty, - "DataInfo/Provenance/SchemeName test not null Failed" - ); assertNotNull(result.getCollectedfrom, "CollectedFrom test not null Failed"); assertFalse(result.getCollectedfrom.isEmpty); @@ -435,10 +469,6 @@ class CrossrefMappingTest { result.getDataInfo.getProvenanceaction.getSchemeid.isEmpty, "DataInfo/Provenance/SchemeId test not null Failed" ); - assertFalse( - result.getDataInfo.getProvenanceaction.getSchemename.isEmpty, - "DataInfo/Provenance/SchemeName test not null Failed" - ); assertNotNull(result.getCollectedfrom, "CollectedFrom test not null Failed"); assertFalse(result.getCollectedfrom.isEmpty); @@ -586,7 +616,7 @@ class CrossrefMappingTest { println(mapper.writeValueAsString(item)) assertTrue( - item.getInstance().asScala exists (i => i.getLicense.getValue.equals("https://www.springer.com/vor")) + item.getInstance().asScala exists (i => i.getLicense.getUrl.equals("https://www.springer.com/vor")) ) assertTrue( item.getInstance().asScala exists (i => i.getAccessright.getClassid.equals("CLOSED")) @@ -614,7 +644,7 @@ class CrossrefMappingTest { assertTrue( item.getInstance().asScala exists (i => - i.getLicense.getValue.equals( + i.getLicense.getUrl.equals( "http://pubs.acs.org/page/policy/authorchoice_ccby_termsofuse.html" ) ) @@ -649,7 +679,7 @@ class CrossrefMappingTest { assertTrue( item.getInstance().asScala exists (i => - i.getLicense.getValue.equals( + i.getLicense.getUrl.equals( "https://academic.oup.com/journals/pages/open_access/funder_policies/chorus/standard_publication_model" ) ) @@ -684,7 +714,7 @@ class CrossrefMappingTest { assertTrue( item.getInstance().asScala exists (i => - i.getLicense.getValue.equals( + i.getLicense.getUrl.equals( "https://academic.oup.com/journals/pages/open_access/funder_policies/chorus/standard_publication_model" ) ) @@ -719,7 +749,7 @@ class CrossrefMappingTest { assertTrue( item.getInstance().asScala exists (i => - i.getLicense.getValue.equals( + i.getLicense.getUrl.equals( "https://academic.oup.com/journals/pages/open_access/funder_policies/chorus/standard_publication_model" ) ) diff --git a/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/orcid/MappingORCIDToOAFTest.scala b/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/orcid/MappingORCIDToOAFTest.scala index d7a6a94a5..8033f02fb 100644 --- a/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/orcid/MappingORCIDToOAFTest.scala +++ b/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/orcid/MappingORCIDToOAFTest.scala @@ -25,9 +25,11 @@ class MappingORCIDToOAFTest { .mkString assertNotNull(json) assertFalse(json.isEmpty) - json.linesWithSeparators.map(l =>l.stripLineEnd).foreach(s => { - assertNotNull(ORCIDToOAF.extractValueFromInputString(s)) - }) + json.linesWithSeparators + .map(l => l.stripLineEnd) + .foreach(s => { + assertNotNull(ORCIDToOAF.extractValueFromInputString(s)) + }) } @Test diff --git a/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/uw/UnpayWallMappingTest.scala b/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/uw/UnpayWallMappingTest.scala index 7fe0e9935..30001acb5 100644 --- a/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/uw/UnpayWallMappingTest.scala +++ b/dhp-workflows/dhp-doiboost/src/test/scala/eu/dnetlib/dhp/doiboost/uw/UnpayWallMappingTest.scala @@ -22,7 +22,7 @@ class UnpayWallMappingTest { .mkString var i: Int = 0 - for (line <- Ilist.linesWithSeparators.map(l =>l.stripLineEnd)) { + for (line <- Ilist.linesWithSeparators.map(l => l.stripLineEnd)) { val p = UnpayWallToOAF.convertToOAF(line) if (p != null) { @@ -43,7 +43,7 @@ class UnpayWallMappingTest { i = i + 1 } - val l = Ilist.linesWithSeparators.map(l =>l.stripLineEnd).next() + val l = Ilist.linesWithSeparators.map(l => l.stripLineEnd).next() val item = UnpayWallToOAF.convertToOAF(l) diff --git a/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/countrypropagation/CountryPropagationJobTest.java b/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/countrypropagation/CountryPropagationJobTest.java index c4141b3e8..ee4c397a3 100644 --- a/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/countrypropagation/CountryPropagationJobTest.java +++ b/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/countrypropagation/CountryPropagationJobTest.java @@ -288,19 +288,6 @@ public class CountryPropagationJobTest { tmp .foreach( r -> r.getCountry().stream().forEach(c -> Assertions.assertEquals("dnet:countries", c.getSchemeid()))); - tmp - .foreach( - r -> r - .getCountry() - .stream() - .forEach(c -> Assertions.assertEquals("dnet:countries", c.getSchemename()))); - tmp - .foreach( - r -> r - .getCountry() - .stream() - .forEach(c -> Assertions.assertFalse(c.getDataInfo().getDeletedbyinference()))); - tmp.foreach(r -> r.getCountry().stream().forEach(c -> Assertions.assertFalse(c.getDataInfo().getInvisible()))); tmp.foreach(r -> r.getCountry().stream().forEach(c -> Assertions.assertTrue(c.getDataInfo().getInferred()))); tmp .foreach( @@ -328,16 +315,6 @@ public class CountryPropagationJobTest { c -> Assertions .assertEquals( "dnet:provenanceActions", c.getDataInfo().getProvenanceaction().getSchemeid()))); - tmp - .foreach( - r -> r - .getCountry() - .stream() - .forEach( - c -> Assertions - .assertEquals( - "dnet:provenanceActions", c.getDataInfo().getProvenanceaction().getSchemename()))); - List countries = tmp .filter(r -> r.getId().equals("50|06cdd3ff4700::49ec404cee4e1452808aabeaffbd3072")) .collect() diff --git a/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/SparkJobTest.java b/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/SparkJobTest.java index 7dd575b66..95b067c68 100644 --- a/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/SparkJobTest.java +++ b/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/SparkJobTest.java @@ -125,25 +125,25 @@ public class SparkJobTest { .foreach( r -> Assertions .assertEquals( - PropagationConstant.PROPAGATION_DATA_INFO_TYPE, r.getDataInfo().getInferenceprovenance())); + PropagationConstant.PROPAGATION_DATA_INFO_TYPE, r.getProvenance().get(0).getDataInfo().getInferenceprovenance())); tmp .foreach( r -> Assertions .assertEquals( PropagationConstant.PROPAGATION_RELATION_RESULT_ORGANIZATION_SEM_REL_CLASS_ID, - r.getDataInfo().getProvenanceaction().getClassid())); + r.getProvenance().get(0).getDataInfo().getProvenanceaction().getClassid())); tmp .foreach( r -> Assertions .assertEquals( PropagationConstant.PROPAGATION_RELATION_RESULT_ORGANIZATION_SEM_REL_CLASS_NAME, - r.getDataInfo().getProvenanceaction().getClassname())); + r.getProvenance().get(0).getDataInfo().getProvenanceaction().getClassname())); tmp .foreach( r -> Assertions .assertEquals( "0.85", - r.getDataInfo().getTrust())); + r.getProvenance().get(0).getDataInfo().getTrust())); Assertions.assertEquals(9, tmp.filter(r -> r.getSource().substring(0, 3).equals("50|")).count()); tmp diff --git a/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/StepActionsTest.java b/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/StepActionsTest.java index 5c715f3b9..f5af7e220 100644 --- a/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/StepActionsTest.java +++ b/dhp-workflows/dhp-enrichment/src/test/java/eu/dnetlib/dhp/resulttoorganizationfromsemrel/StepActionsTest.java @@ -102,10 +102,11 @@ public class StepActionsTest { verificationDs .foreach( (ForeachFunction) r -> Assertions - .assertEquals("propagation", r.getDataInfo().getInferenceprovenance())); + .assertEquals("propagation", r.getProvenance().get(0).getDataInfo().getInferenceprovenance())); verificationDs - .foreach((ForeachFunction) r -> Assertions.assertEquals("0.85", r.getDataInfo().getTrust())); + .foreach((ForeachFunction) r -> Assertions + .assertEquals("0.85", r.getProvenance().get(0).getDataInfo().getTrust())); verificationDs .foreach((ForeachFunction) r -> Assertions.assertEquals("50|", r.getSource().substring(0, 3))); @@ -133,14 +134,14 @@ public class StepActionsTest { (ForeachFunction) r -> Assertions .assertEquals( PropagationConstant.PROPAGATION_RELATION_RESULT_ORGANIZATION_SEM_REL_CLASS_ID, - r.getDataInfo().getProvenanceaction().getClassid())); + r.getProvenance().get(0).getDataInfo().getProvenanceaction().getClassid())); verificationDs .foreach( (ForeachFunction) r -> Assertions .assertEquals( PropagationConstant.PROPAGATION_RELATION_RESULT_ORGANIZATION_SEM_REL_CLASS_NAME, - r.getDataInfo().getProvenanceaction().getClassname())); + r.getProvenance().get(0).getDataInfo().getProvenanceaction().getClassname())); verificationDs .filter( diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/merge/MergeGraphTableSparkJob.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/merge/MergeGraphTableSparkJob.java index f0a6d2626..70a1fb13d 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/merge/MergeGraphTableSparkJob.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/merge/MergeGraphTableSparkJob.java @@ -8,14 +8,14 @@ import java.util.stream.Collectors; import java.util.stream.Stream; import eu.dnetlib.dhp.schema.oaf.common.ModelSupport; +import eu.dnetlib.dhp.schema.oaf.utils.MergeUtils; import org.apache.commons.io.IOUtils; import org.apache.spark.SparkConf; import org.apache.spark.api.java.function.FilterFunction; import org.apache.spark.api.java.function.MapFunction; +import org.apache.spark.sql.*; import org.apache.spark.sql.Dataset; -import org.apache.spark.sql.Encoders; -import org.apache.spark.sql.SaveMode; -import org.apache.spark.sql.SparkSession; +import org.apache.spark.sql.expressions.Aggregator; import org.slf4j.Logger; import org.slf4j.LoggerFactory; @@ -25,6 +25,7 @@ import eu.dnetlib.dhp.application.ArgumentApplicationParser; import eu.dnetlib.dhp.common.HdfsSupport; import eu.dnetlib.dhp.schema.common.ModelConstants; import eu.dnetlib.dhp.schema.oaf.*; +import eu.dnetlib.dhp.schema.oaf.utils.OafMapperUtils; import scala.Tuple2; /** @@ -107,11 +108,11 @@ public class MergeGraphTableSparkJob { Class b_clazz, String outputPath) { - Dataset> beta = readTableFromPath(spark, betaInputPath, b_clazz); - Dataset> prod = readTableFromPath(spark, prodInputPath, p_clazz); + Dataset> beta = readTableAndGroupById(spark, betaInputPath, b_clazz); + Dataset> prod = readTableAndGroupById(spark, prodInputPath, p_clazz); prod - .joinWith(beta, prod.col("_1").equalTo(beta.col("_1")), "full_outer") + .joinWith(beta, prod.col("value").equalTo(beta.col("value")), "full_outer") .map((MapFunction, Tuple2>, P>) value -> { Optional

p = Optional.ofNullable(value._1()).map(Tuple2::_2); Optional b = Optional.ofNullable(value._2()).map(Tuple2::_2); @@ -126,12 +127,13 @@ public class MergeGraphTableSparkJob { case "PROD": return mergeWithPriorityToPROD(p, b); } - }, Encoders.bean(p_clazz)) + }, Encoders.kryo(p_clazz)) .filter((FilterFunction

) Objects::nonNull) + .map((MapFunction) OBJECT_MAPPER::writeValueAsString, Encoders.STRING()) .write() .mode(SaveMode.Overwrite) .option("compression", "gzip") - .json(outputPath); + .text(outputPath); } /** @@ -212,20 +214,65 @@ public class MergeGraphTableSparkJob { return null; } - private static Dataset> readTableFromPath( + private static Dataset> readTableAndGroupById( SparkSession spark, String inputEntityPath, Class clazz) { + final TypedColumn aggregator = new GroupingAggregator(clazz).toColumn(); + log.info("Reading Graph table from: {}", inputEntityPath); return spark .read() .textFile(inputEntityPath) - .map( - (MapFunction>) value -> { - final T t = OBJECT_MAPPER.readValue(value, clazz); - final String id = ModelSupport.idFn().apply(t); - return new Tuple2<>(id, t); - }, - Encoders.tuple(Encoders.STRING(), Encoders.kryo(clazz))); + .map((MapFunction) value -> OBJECT_MAPPER.readValue(value, clazz), Encoders.kryo(clazz)) + .groupByKey((MapFunction) oaf -> ModelSupport.idFn().apply(oaf), Encoders.STRING()) + .agg(aggregator); + } + + public static class GroupingAggregator extends Aggregator { + + private Class clazz; + + public GroupingAggregator(Class clazz) { + this.clazz = clazz; + } + + @Override + public T zero() { + return null; + } + + @Override + public T reduce(T b, T a) { + return mergeAndGet(b, a); + } + + private T mergeAndGet(T b, T a) { + if (Objects.nonNull(a) && Objects.nonNull(b)) { + MergeUtils.merge(b, a); + } + return Objects.isNull(a) ? b : a; + } + + @Override + public T merge(T b, T a) { + return mergeAndGet(b, a); + } + + @Override + public T finish(T j) { + return j; + } + + @Override + public Encoder bufferEncoder() { + return Encoders.kryo(clazz); + } + + @Override + public Encoder outputEncoder() { + return Encoders.kryo(clazz); + } + } private static void removeOutputDir(SparkSession spark, String path) { diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/AbstractMdRecordToOafMapper.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/AbstractMdRecordToOafMapper.java index 6ad44c092..5790e3dcd 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/AbstractMdRecordToOafMapper.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/AbstractMdRecordToOafMapper.java @@ -122,7 +122,7 @@ public abstract class AbstractMdRecordToOafMapper { final EntityDataInfo info = prepareDataInfo(doc, invisible); final long lastUpdateTimestamp = new Date().getTime(); - final List instances = prepareInstances(doc, info, collectedFrom, hostedBy); + final List instances = prepareInstances(doc, collectedFrom, hostedBy); final String type = getResultType(doc, instances); @@ -311,14 +311,16 @@ public abstract class AbstractMdRecordToOafMapper { final Document doc, final List instances, final KeyValue collectedFrom, - final EntityDataInfo info, + final EntityDataInfo entityDataInfo, final long lastUpdateTimestamp) { - r.setDataInfo(info); + + final DataInfo info = OafMapperUtils.fromEntityDataInfo(entityDataInfo); + r.setDataInfo(entityDataInfo); r.setLastupdatetimestamp(lastUpdateTimestamp); r.setId(createOpenaireId(50, doc.valueOf("//dri:objIdentifier"), false)); r.setOriginalId(findOriginalId(doc)); r.setCollectedfrom(Arrays.asList(collectedFrom)); - r.setPid(IdentifierFactory.getPids(prepareResultPids(doc, info), collectedFrom)); + r.setPid(IdentifierFactory.getPids(prepareResultPids(doc), collectedFrom)); r.setDateofcollection(doc.valueOf("//dr:dateOfCollection/text()|//dri:dateOfCollection/text()")); r.setDateoftransformation(doc.valueOf("//dr:dateOfTransformation/text()|//dri:dateOfTransformation/text()")); r.setExtraInfo(new ArrayList<>()); // NOT PRESENT IN MDSTORES @@ -351,7 +353,7 @@ public abstract class AbstractMdRecordToOafMapper { r.setEoscifguidelines(prepareEOSCIfGuidelines(doc, info)); } - protected abstract List prepareResultPids(Document doc, DataInfo info); + protected abstract List prepareResultPids(Document doc); private List prepareContexts(final Document doc, final DataInfo info) { final List list = new ArrayList<>(); @@ -390,7 +392,6 @@ public abstract class AbstractMdRecordToOafMapper { protected abstract List prepareInstances( Document doc, - DataInfo info, KeyValue collectedfrom, KeyValue hostedby); @@ -504,8 +505,7 @@ public abstract class AbstractMdRecordToOafMapper { final Node node, final String xpath, final String xpathClassId, - final String schemeId, - final DataInfo info) { + final String schemeId) { final List res = new ArrayList<>(); for (final Object o : node.selectNodes(xpath)) { diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/GenerateEntitiesApplication.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/GenerateEntitiesApplication.java index d363cf6bc..8326afb6a 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/GenerateEntitiesApplication.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/GenerateEntitiesApplication.java @@ -1,16 +1,16 @@ package eu.dnetlib.dhp.oa.graph.raw; -import static eu.dnetlib.dhp.common.SparkSessionSupport.runWithSparkSession; - -import java.util.Arrays; -import java.util.List; -import java.util.Objects; -import java.util.Optional; -import java.util.stream.Collectors; - +import com.fasterxml.jackson.databind.ObjectMapper; +import eu.dnetlib.dhp.application.ArgumentApplicationParser; +import eu.dnetlib.dhp.common.HdfsSupport; +import eu.dnetlib.dhp.common.vocabulary.VocabularyGroup; +import eu.dnetlib.dhp.oa.graph.raw.common.AbstractMigrationApplication; +import eu.dnetlib.dhp.schema.oaf.*; import eu.dnetlib.dhp.schema.oaf.common.ModelSupport; import eu.dnetlib.dhp.schema.oaf.utils.MergeUtils; +import eu.dnetlib.dhp.utils.ISLookupClientFactory; +import eu.dnetlib.enabling.is.lookup.rmi.ISLookUpService; import org.apache.commons.io.IOUtils; import org.apache.commons.lang3.StringUtils; import org.apache.hadoop.io.Text; @@ -18,22 +18,19 @@ import org.apache.hadoop.io.compress.GzipCodec; import org.apache.spark.SparkConf; import org.apache.spark.api.java.JavaRDD; import org.apache.spark.api.java.JavaSparkContext; -import org.apache.spark.api.java.function.Function2; import org.apache.spark.sql.SparkSession; import org.slf4j.Logger; import org.slf4j.LoggerFactory; - -import com.fasterxml.jackson.databind.ObjectMapper; - -import eu.dnetlib.dhp.application.ArgumentApplicationParser; -import eu.dnetlib.dhp.common.HdfsSupport; -import eu.dnetlib.dhp.common.vocabulary.VocabularyGroup; -import eu.dnetlib.dhp.schema.oaf.*; -import eu.dnetlib.dhp.utils.ISLookupClientFactory; -import eu.dnetlib.enabling.is.lookup.rmi.ISLookUpService; import scala.Tuple2; -public class GenerateEntitiesApplication { +import java.util.Arrays; +import java.util.List; +import java.util.Objects; +import java.util.Optional; + +import static eu.dnetlib.dhp.common.SparkSessionSupport.runWithSparkSession; + +public class GenerateEntitiesApplication extends AbstractMigrationApplication { private static final Logger log = LoggerFactory.getLogger(GenerateEntitiesApplication.class); @@ -109,15 +106,12 @@ public class GenerateEntitiesApplication { final boolean shouldHashId, final Mode mode) { - final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); - final List existingSourcePaths = Arrays - .stream(sourcePaths.split(",")) - .filter(p -> HdfsSupport.exists(p, sc.hadoopConfiguration())) - .collect(Collectors.toList()); + final List existingSourcePaths = listEntityPaths(spark, sourcePaths); log.info("Generate entities from files:"); existingSourcePaths.forEach(log::info); + final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); JavaRDD inputRdd = sc.emptyRDD(); for (final String sp : existingSourcePaths) { @@ -136,7 +130,7 @@ public class GenerateEntitiesApplication { save( inputRdd .mapToPair(oaf -> new Tuple2<>(ModelSupport.idFn().apply(oaf), oaf)) - .reduceByKey((Function2) (v1, v2) -> MergeUtils.merge(v1, v2, true)) + .reduceByKey(MergeUtils::merge) .map(Tuple2::_2), targetPath); break; diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateDbEntitiesApplication.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateDbEntitiesApplication.java index aff1deed9..7de2b6e4c 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateDbEntitiesApplication.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateDbEntitiesApplication.java @@ -47,7 +47,7 @@ public class MigrateDbEntitiesApplication extends AbstractMigrationApplication i private static final List COLLECTED_FROM_CLAIM = listKeyValues( createOpenaireId(10, "infrastruct_::openaire", true), "OpenAIRE"); - private final static List PROVENANCE_CLAIM = getProvenance(COLLECTED_FROM_CLAIM, ENTITY_DATA_INFO_CLAIM); + private final static List PROVENANCE_CLAIM = getProvenance(COLLECTED_FROM_CLAIM, REL_DATA_INFO_CLAIM); public static final String SOURCE_TYPE = "source_type"; public static final String TARGET_TYPE = "target_type"; @@ -457,7 +457,7 @@ public class MigrateDbEntitiesApplication extends AbstractMigrationApplication i } r.setId(createOpenaireId(50, rs.getString("target_id"), false)); r.setLastupdatetimestamp(lastUpdateTimestamp); - r.setContext(prepareContext(rs.getString("source_id"), ENTITY_DATA_INFO_CLAIM)); + r.setContext(prepareContext(rs.getString("source_id"), REL_DATA_INFO_CLAIM)); r.setDataInfo(ENTITY_DATA_INFO_CLAIM); r.setCollectedfrom(COLLECTED_FROM_CLAIM); @@ -632,7 +632,7 @@ public class MigrateDbEntitiesApplication extends AbstractMigrationApplication i public List processOrgOrgMergeRels(final ResultSet rs) { try { - final DataInfo info = prepareDataInfo(rs); // TODO + final DataInfo info = OafMapperUtils.fromEntityDataInfo(prepareDataInfo(rs)); // TODO final String orgId1 = createOpenaireId(20, rs.getString("id1"), true); final String orgId2 = createOpenaireId(20, rs.getString("id2"), true); @@ -649,7 +649,7 @@ public class MigrateDbEntitiesApplication extends AbstractMigrationApplication i public List processOrgOrgParentChildRels(final ResultSet rs) { try { - final DataInfo info = prepareDataInfo(rs); // TODO + final DataInfo info = OafMapperUtils.fromEntityDataInfo(prepareDataInfo(rs)); // TODO final String orgId1 = createOpenaireId(20, rs.getString("source"), true); final String orgId2 = createOpenaireId(20, rs.getString("target"), true); @@ -668,7 +668,7 @@ public class MigrateDbEntitiesApplication extends AbstractMigrationApplication i public List processOrgOrgSimRels(final ResultSet rs) { try { - final DataInfo info = prepareDataInfo(rs); // TODO + final DataInfo info = OafMapperUtils.fromEntityDataInfo(prepareDataInfo(rs)); // TODO final String orgId1 = createOpenaireId(20, rs.getString("id1"), true); final String orgId2 = createOpenaireId(20, rs.getString("id2"), true); diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateHdfsMdstoresApplication.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateHdfsMdstoresApplication.java index ab6f54b92..f1f59b398 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateHdfsMdstoresApplication.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateHdfsMdstoresApplication.java @@ -6,11 +6,7 @@ import static eu.dnetlib.dhp.common.SparkSessionSupport.runWithSparkSession; import java.io.IOException; import java.io.StringReader; import java.text.SimpleDateFormat; -import java.util.Arrays; -import java.util.Date; -import java.util.Optional; -import java.util.Set; -import java.util.UUID; +import java.util.*; import java.util.stream.Collectors; import org.apache.commons.io.IOUtils; @@ -24,6 +20,7 @@ import org.apache.http.impl.client.CloseableHttpClient; import org.apache.http.impl.client.HttpClients; import org.apache.spark.SparkConf; import org.apache.spark.api.java.JavaSparkContext; +import org.apache.spark.api.java.function.FilterFunction; import org.apache.spark.api.java.function.MapFunction; import org.apache.spark.sql.Encoders; import org.apache.spark.sql.Row; @@ -110,6 +107,7 @@ public class MigrateHdfsMdstoresApplication extends AbstractMigrationApplication .read() .parquet(validPaths) .map((MapFunction) MigrateHdfsMdstoresApplication::enrichRecord, Encoders.STRING()) + .filter((FilterFunction) Objects::nonNull) .toJavaRDD() .mapToPair(xml -> new Tuple2<>(new Text(UUID.randomUUID() + ":" + type), new Text(xml))) // .coalesce(1) @@ -135,13 +133,14 @@ public class MigrateHdfsMdstoresApplication extends AbstractMigrationApplication reader.setFeature("http://apache.org/xml/features/disallow-doctype-decl", true); final Document doc = reader.read(new StringReader(xml)); final Element head = (Element) doc.selectSingleNode("//*[local-name() = 'header']"); + head.addElement(new QName("objIdentifier", DRI_NS_PREFIX)).addText(r.getAs("id")); head.addElement(new QName("dateOfCollection", DRI_NS_PREFIX)).addText(collDate); head.addElement(new QName("dateOfTransformation", DRI_NS_PREFIX)).addText(tranDate); return doc.asXML(); } catch (final Exception e) { log.error("Error patching record: " + xml); - throw new RuntimeException("Error patching record: " + xml, e); + return null; } } diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateMongoMdstoresApplication.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateMongoMdstoresApplication.java index 6dbab96cb..6f0adc75a 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateMongoMdstoresApplication.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/MigrateMongoMdstoresApplication.java @@ -1,31 +1,87 @@ package eu.dnetlib.dhp.oa.graph.raw; +import static eu.dnetlib.dhp.utils.DHPUtils.getHadoopConfiguration; + import java.io.Closeable; import java.io.IOException; +import java.util.HashMap; +import java.util.List; import java.util.Map; -import java.util.Map.Entry; +import java.util.Objects; +import java.util.function.Consumer; import org.apache.commons.io.IOUtils; +import org.apache.hadoop.fs.FileSystem; +import org.apache.hadoop.fs.LocatedFileStatus; +import org.apache.hadoop.fs.Path; +import org.apache.hadoop.fs.RemoteIterator; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import eu.dnetlib.dhp.application.ArgumentApplicationParser; +import eu.dnetlib.dhp.common.MDStoreInfo; import eu.dnetlib.dhp.common.MdstoreClient; import eu.dnetlib.dhp.oa.graph.raw.common.AbstractMigrationApplication; public class MigrateMongoMdstoresApplication extends AbstractMigrationApplication implements Closeable { private static final Logger log = LoggerFactory.getLogger(MigrateMongoMdstoresApplication.class); - private final MdstoreClient mdstoreClient; + private static List snapshotsMDStores(final MdstoreClient client, + final String format, + final String layout, + final String interpretation) { + return client.mdStoreWithTimestamp(format, layout, interpretation); + } + + private static MDStoreInfo extractPath(final String path, final String basePath) { + int res = path.indexOf(basePath); + if (res > 0) { + String[] split = path.substring(res).split("/"); + if (split.length > 2) { + final String ts = split[split.length - 1]; + final String mdStore = split[split.length - 2]; + return new MDStoreInfo(mdStore, null, Long.parseLong(ts)); + } + } + return null; + } + + private static Map hdfsMDStoreInfo(FileSystem fs, final String basePath) throws IOException { + final Map hdfs_store = new HashMap<>(); + final Path p = new Path(basePath); + final RemoteIterator ls = fs.listFiles(p, true); + while (ls.hasNext()) { + + String current = ls.next().getPath().toString(); + + final MDStoreInfo info = extractPath(current, basePath); + if (info != null) { + hdfs_store.put(info.getMdstore(), info); + } + } + return hdfs_store; + } + + private static String createMDStoreDir(final String basePath, final String mdStoreId) { + if (basePath.endsWith("/")) { + return basePath + mdStoreId; + } else { + return String.format("%s/%s", basePath, mdStoreId); + } + } + public static void main(final String[] args) throws Exception { final ArgumentApplicationParser parser = new ArgumentApplicationParser( IOUtils .toString( - MigrateMongoMdstoresApplication.class - .getResourceAsStream("/eu/dnetlib/dhp/oa/graph/migrate_mongo_mstores_parameters.json"))); + Objects + .requireNonNull( + MigrateMongoMdstoresApplication.class + .getResourceAsStream( + "/eu/dnetlib/dhp/oa/graph/migrate_mongo_mstores_parameters.json")))); parser.parseArgument(args); final String mongoBaseUrl = parser.get("mongoBaseUrl"); @@ -36,30 +92,118 @@ public class MigrateMongoMdstoresApplication extends AbstractMigrationApplicatio final String mdInterpretation = parser.get("mdInterpretation"); final String hdfsPath = parser.get("hdfsPath"); + final String nameNode = parser.get("nameNode"); + + final FileSystem fileSystem = FileSystem.get(getHadoopConfiguration(nameNode)); + + final MdstoreClient mdstoreClient = new MdstoreClient(mongoBaseUrl, mongoDb); + + final List mongoMDStores = snapshotsMDStores(mdstoreClient, mdFormat, mdLayout, mdInterpretation); + + final Map hdfsMDStores = hdfsMDStoreInfo(fileSystem, hdfsPath); + + mongoMDStores + .stream() + .filter(currentMDStore -> currentMDStore.getLatestTimestamp() != null) + .forEach( + consumeMDStore( + mdFormat, mdLayout, mdInterpretation, hdfsPath, fileSystem, mongoBaseUrl, mongoDb, hdfsMDStores)); + + // TODO: DELETE MDStORE FOLDER NOT PRESENT IN MONGO - try (MigrateMongoMdstoresApplication app = new MigrateMongoMdstoresApplication(hdfsPath, mongoBaseUrl, - mongoDb)) { - app.execute(mdFormat, mdLayout, mdInterpretation); - } } - public MigrateMongoMdstoresApplication( - final String hdfsPath, final String mongoBaseUrl, final String mongoDb) throws Exception { + /** + * This method is responsible to sync only the stores that have been changed since last time + * @param mdFormat the MDStore's format + * @param mdLayout the MDStore'slayout + * @param mdInterpretation the MDStore's interpretation + * @param hdfsPath the basePath into hdfs where all MD-stores are stored + * @param fileSystem The Hadoop File system client + * @param hdfsMDStores A Map containing as Key the mdstore ID and as value the @{@link MDStoreInfo} + * @return + */ + private static Consumer consumeMDStore(String mdFormat, String mdLayout, String mdInterpretation, + String hdfsPath, FileSystem fileSystem, final String mongoBaseUrl, final String mongoDb, + Map hdfsMDStores) { + return currentMDStore -> { + // If the key is missing it means that the mdstore is not present in hdfs + // that is the hdfs path basePath/MDSTOREID/timestamp is missing + // So we have to synch it + if (!hdfsMDStores.containsKey(currentMDStore.getMdstore())) { + log.info("Adding store {}", currentMDStore.getMdstore()); + try { + synchMDStoreIntoHDFS( + mdFormat, mdLayout, mdInterpretation, hdfsPath, fileSystem, mongoBaseUrl, mongoDb, + currentMDStore); + } catch (IOException e) { + throw new RuntimeException(e); + } + } else { + final MDStoreInfo current = hdfsMDStores.get(currentMDStore.getMdstore()); + // IF the key is present it means that in hdfs we have a path + // basePath/MDSTOREID/timestamp but the timestamp on hdfs is older that the + // new one in mongo so we have to synch the new mdstore and delete the old one + if (currentMDStore.getLatestTimestamp() > current.getLatestTimestamp()) { + log.info("Updating MDStore {}", currentMDStore.getMdstore()); + final String mdstoreDir = createMDStoreDir(hdfsPath, currentMDStore.getMdstore()); + final String rmPath = createMDStoreDir(mdstoreDir, current.getLatestTimestamp().toString()); + try { + synchMDStoreIntoHDFS( + mdFormat, mdLayout, mdInterpretation, hdfsPath, fileSystem, mongoBaseUrl, mongoDb, + currentMDStore); + log.info("deleting {}", rmPath); + // DELETE THE OLD MDSTORE + fileSystem.delete(new Path(rmPath), true); + } catch (IOException e) { + throw new RuntimeException("Unable to synch and remove path " + rmPath, e); + } + } + } + }; + } + + /** + *This method store into hdfs all the MONGO record of a single mdstore into the HDFS File + * + * @param mdFormat the MDStore's format + * @param mdLayout the MDStore'slayout + * @param mdInterpretation the MDStore's interpretation + * @param hdfsPath the basePath into hdfs where all MD-stores are stored + * @param fileSystem The Hadoop File system client + * @param currentMDStore The current Mongo MDStore ID + * @throws IOException + */ + private static void synchMDStoreIntoHDFS(String mdFormat, String mdLayout, String mdInterpretation, String hdfsPath, + FileSystem fileSystem, final String mongoBaseUrl, final String mongoDb, MDStoreInfo currentMDStore) + throws IOException { + // FIRST CREATE the directory basePath/MDSTOREID + final String mdstoreDir = createMDStoreDir(hdfsPath, currentMDStore.getMdstore()); + fileSystem.mkdirs(new Path(mdstoreDir)); + // Then synch all the records into basePath/MDSTOREID/timestamp + final String currentIdDir = createMDStoreDir(mdstoreDir, currentMDStore.getLatestTimestamp().toString()); + try (MigrateMongoMdstoresApplication app = new MigrateMongoMdstoresApplication(mongoBaseUrl, mongoDb, + currentIdDir)) { + app.execute(currentMDStore.getCurrentId(), mdFormat, mdLayout, mdInterpretation); + } catch (Exception e) { + throw new RuntimeException( + String + .format("Error on sync mdstore with ID %s into path %s", currentMDStore.getMdstore(), currentIdDir), + e); + } + log.info(String.format("Synchronized mdStore id : %s into path %s", currentMDStore.getMdstore(), currentIdDir)); + } + + public MigrateMongoMdstoresApplication(final String mongoBaseUrl, final String mongoDb, final String hdfsPath) + throws Exception { super(hdfsPath); this.mdstoreClient = new MdstoreClient(mongoBaseUrl, mongoDb); } - public void execute(final String format, final String layout, final String interpretation) { - final Map colls = mdstoreClient.validCollections(format, layout, interpretation); - log.info("Found {} mdstores", colls.size()); - - for (final Entry entry : colls.entrySet()) { - log.info("Processing mdstore {} (collection: {})", entry.getKey(), entry.getValue()); - final String currentColl = entry.getValue(); - - for (final String xml : mdstoreClient.listRecords(currentColl)) { - emit(xml, String.format("%s-%s-%s", format, layout, interpretation)); - } + public void execute(final String currentColl, final String format, final String layout, + final String interpretation) { + for (final String xml : mdstoreClient.listRecords(currentColl)) { + emit(xml, String.format("%s-%s-%s", format, layout, interpretation)); } } diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OafToOafMapper.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OafToOafMapper.java index c1b9bf249..a7f879c40 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OafToOafMapper.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OafToOafMapper.java @@ -124,7 +124,6 @@ public class OafToOafMapper extends AbstractMdRecordToOafMapper { @Override protected List prepareInstances( final Document doc, - final DataInfo info, final KeyValue collectedfrom, final KeyValue hostedby) { @@ -134,10 +133,10 @@ public class OafToOafMapper extends AbstractMdRecordToOafMapper { instance.setCollectedfrom(collectedfrom); instance.setHostedby(hostedby); - final List alternateIdentifier = prepareResultPids(doc, info); + final List alternateIdentifier = prepareResultPids(doc); final List pid = IdentifierFactory.getPids(alternateIdentifier, collectedfrom); - final Set pids = pid.stream().collect(Collectors.toCollection(HashSet::new)); + final Set pids = new HashSet<>(pid); instance .setAlternateIdentifier( @@ -289,9 +288,9 @@ public class OafToOafMapper extends AbstractMdRecordToOafMapper { } @Override - protected List prepareResultPids(final Document doc, final DataInfo info) { + protected List prepareResultPids(final Document doc) { return prepareListStructPropsWithValidQualifier( - doc, "//oaf:identifier", "@identifierType", DNET_PID_TYPES, info) + doc, "//oaf:identifier", "@identifierType", DNET_PID_TYPES) .stream() .map(CleaningFunctions::normalizePidValue) .collect(Collectors.toList()); diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OdfToOafMapper.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OdfToOafMapper.java index 4e3a8f365..56c65f388 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OdfToOafMapper.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/OdfToOafMapper.java @@ -127,7 +127,6 @@ public class OdfToOafMapper extends AbstractMdRecordToOafMapper { @Override protected List prepareInstances( final Document doc, - final DataInfo info, final KeyValue collectedfrom, final KeyValue hostedby) { @@ -137,7 +136,7 @@ public class OdfToOafMapper extends AbstractMdRecordToOafMapper { instance.setCollectedfrom(collectedfrom); instance.setHostedby(hostedby); - final List alternateIdentifier = prepareResultPids(doc, info); + final List alternateIdentifier = prepareResultPids(doc); final List pid = IdentifierFactory.getPids(alternateIdentifier, collectedfrom); final Set pids = pid.stream().collect(Collectors.toCollection(HashSet::new)); @@ -419,24 +418,24 @@ public class OdfToOafMapper extends AbstractMdRecordToOafMapper { } @Override - protected List prepareResultPids(final Document doc, final DataInfo info) { + protected List prepareResultPids(final Document doc) { final Set res = new HashSet<>(); res .addAll( prepareListStructPropsWithValidQualifier( - doc, "//oaf:identifier", "@identifierType", DNET_PID_TYPES, info)); + doc, "//oaf:identifier", "@identifierType", DNET_PID_TYPES)); res .addAll( prepareListStructPropsWithValidQualifier( doc, "//*[local-name()='identifier' and ./@identifierType != 'URL' and ./@identifierType != 'landingPage']", - "@identifierType", DNET_PID_TYPES, info)); + "@identifierType", DNET_PID_TYPES)); res .addAll( prepareListStructPropsWithValidQualifier( doc, "//*[local-name()='alternateIdentifier' and ./@alternateIdentifierType != 'URL' and ./@alternateIdentifierType != 'landingPage']", - "@alternateIdentifierType", DNET_PID_TYPES, info)); + "@alternateIdentifierType", DNET_PID_TYPES)); return res .stream() diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/VerifyRecordsApplication.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/VerifyRecordsApplication.java index a8eb871c8..de0003bd1 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/VerifyRecordsApplication.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/VerifyRecordsApplication.java @@ -23,12 +23,13 @@ import org.slf4j.LoggerFactory; import eu.dnetlib.dhp.application.ArgumentApplicationParser; import eu.dnetlib.dhp.common.HdfsSupport; import eu.dnetlib.dhp.common.vocabulary.VocabularyGroup; +import eu.dnetlib.dhp.oa.graph.raw.common.AbstractMigrationApplication; import eu.dnetlib.dhp.schema.oaf.Oaf; import eu.dnetlib.dhp.utils.ISLookupClientFactory; import eu.dnetlib.enabling.is.lookup.rmi.ISLookUpService; import scala.Tuple2; -public class VerifyRecordsApplication { +public class VerifyRecordsApplication extends AbstractMigrationApplication { private static final Logger log = LoggerFactory.getLogger(VerifyRecordsApplication.class); @@ -69,15 +70,13 @@ public class VerifyRecordsApplication { private static void validateRecords(SparkSession spark, String sourcePaths, String invalidPath, VocabularyGroup vocs) { - final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); - final List existingSourcePaths = Arrays - .stream(sourcePaths.split(",")) - .filter(p -> HdfsSupport.exists(p, sc.hadoopConfiguration())) - .collect(Collectors.toList()); + final List existingSourcePaths = listEntityPaths(spark, sourcePaths); log.info("Verify records in files:"); existingSourcePaths.forEach(log::info); + final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); + for (final String sp : existingSourcePaths) { RDD invalidRecords = sc .sequenceFile(sp, Text.class, Text.class) diff --git a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/common/AbstractMigrationApplication.java b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/common/AbstractMigrationApplication.java index 6f63e9327..950abdcc6 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/common/AbstractMigrationApplication.java +++ b/dhp-workflows/dhp-graph-mapper/src/main/java/eu/dnetlib/dhp/oa/graph/raw/common/AbstractMigrationApplication.java @@ -9,7 +9,6 @@ import java.util.Set; import java.util.concurrent.atomic.AtomicInteger; import java.util.stream.Collectors; -import org.apache.commons.io.IOUtils; import org.apache.commons.lang3.StringUtils; import org.apache.commons.logging.Log; import org.apache.commons.logging.LogFactory; @@ -17,19 +16,14 @@ import org.apache.hadoop.conf.Configuration; import org.apache.hadoop.fs.Path; import org.apache.hadoop.io.SequenceFile; import org.apache.hadoop.io.Text; -import org.apache.http.client.methods.CloseableHttpResponse; -import org.apache.http.client.methods.HttpGet; -import org.apache.http.impl.client.CloseableHttpClient; -import org.apache.http.impl.client.HttpClients; +import org.apache.spark.api.java.JavaSparkContext; +import org.apache.spark.sql.SparkSession; import com.fasterxml.jackson.core.JsonProcessingException; import com.fasterxml.jackson.databind.ObjectMapper; -import eu.dnetlib.dhp.common.vocabulary.VocabularyGroup; -import eu.dnetlib.dhp.oa.graph.raw.OafToOafMapper; -import eu.dnetlib.dhp.oa.graph.raw.OdfToOafMapper; -import eu.dnetlib.dhp.schema.mdstore.MDStoreWithInfo; -import eu.dnetlib.dhp.schema.oaf.*; +import eu.dnetlib.dhp.common.HdfsSupport; +import eu.dnetlib.dhp.schema.oaf.Oaf; import eu.dnetlib.dhp.utils.DHPUtils; public class AbstractMigrationApplication implements Closeable { @@ -107,6 +101,15 @@ public class AbstractMigrationApplication implements Closeable { } } + protected static List listEntityPaths(final SparkSession spark, final String paths) { + final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); + return Arrays + .stream(paths.split(",")) + .filter(StringUtils::isNotBlank) + .filter(p -> HdfsSupport.exists(p, sc.hadoopConfiguration()) || p.contains("/*")) + .collect(Collectors.toList()); + } + public ObjectMapper getObjectMapper() { return objectMapper; } diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/merge/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/merge/oozie_app/workflow.xml index 86fb51042..a8d0d5068 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/merge/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/merge/oozie_app/workflow.xml @@ -275,7 +275,7 @@ --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=7680 + --conf spark.sql.shuffle.partitions=10000 --betaInputPath${betaInputGraphPath}/relation --prodInputPath${prodInputGraphPath}/relation diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/migrate_mongo_mstores_parameters.json b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/migrate_mongo_mstores_parameters.json index ee1a6ac4e..b505b7fe0 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/migrate_mongo_mstores_parameters.json +++ b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/migrate_mongo_mstores_parameters.json @@ -5,6 +5,12 @@ "paramDescription": "the path where storing the sequential file", "paramRequired": true }, + { + "paramName": "n", + "paramLongName": "nameNode", + "paramDescription": "the hdfs Name node url", + "paramRequired": true + }, { "paramName": "mongourl", "paramLongName": "mongoBaseUrl", diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_all/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_all/oozie_app/workflow.xml index 8262c6923..b74562284 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_all/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_all/oozie_app/workflow.xml @@ -214,16 +214,14 @@ - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - -p${contentPath}/odf_claims - -mongourl${mongoURL} - -mongodb${mongoDb} - -fODF - -lstore - -iclaim + --hdfsPath${contentPath}/odf_claims + --mongoBaseUrl${mongoURL} + --mongoDb${mongoDb} + --mdFormatODF + --mdLayoutstore + --mdInterpretationclaim + --nameNode${nameNode} @@ -239,16 +237,14 @@ - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - -p${contentPath}/oaf_claims - -mongourl${mongoURL} - -mongodb${mongoDb} - -fOAF - -lstore - -iclaim + --hdfsPath${contentPath}/oaf_claims + --mongoBaseUrl${mongoURL} + --mongoDb${mongoDb} + --mdFormatOAF + --mdLayoutstore + --mdInterpretationclaim + --nameNode${nameNode} @@ -291,16 +287,14 @@ - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - --hdfsPath${contentPath}/odf_records + --hdfsPath${contentPath}/mdstore --mongoBaseUrl${mongoURL} --mongoDb${mongoDb} --mdFormatODF --mdLayoutstore --mdInterpretationcleaned + --nameNode${nameNode} @@ -316,16 +310,14 @@ - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - --hdfsPath${contentPath}/oaf_records + --hdfsPath${contentPath}/mdstore --mongoBaseUrl${mongoURL} --mongoDb${mongoDb} --mdFormatOAF --mdLayoutstore --mdInterpretationcleaned + --nameNode${nameNode} @@ -333,16 +325,14 @@ - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - --hdfsPath${contentPath}/oaf_records_invisible + --hdfsPath${contentPath}/mdstore --mongoBaseUrl${mongoURL} --mongoDb${mongoDb} --mdFormatOAF --mdLayoutstore --mdInterpretationintersection + --nameNode${nameNode} @@ -372,7 +362,7 @@ --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --hdfsPath${contentPath}/odf_records_hdfs + --hdfsPath${contentPath}/odf_mdstore_hdfs --mdstoreManagerUrl${mdstoreManagerUrl} --mdFormatODF --mdLayoutstore @@ -406,7 +396,7 @@ --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --hdfsPath${contentPath}/oaf_records_hdfs + --hdfsPath${contentPath}/oaf_mdstore_hdfs --mdstoreManagerUrl${mdstoreManagerUrl} --mdFormatOAF --mdLayoutstore @@ -466,7 +456,7 @@ --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --sourcePaths${contentPath}/db_claims,${contentPath}/oaf_claims,${contentPath}/odf_claims + --sourcePaths${contentPath}/db_claims,${contentPath}/oaf_claims/*/*,${contentPath}/odf_claims/*/* --invalidPath${workingDir}/invalid_records_claim --isLookupUrl${isLookupUrl} @@ -490,7 +480,7 @@ --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --sourcePaths${contentPath}/db_claims,${contentPath}/oaf_claims,${contentPath}/odf_claims + --sourcePaths${contentPath}/db_claims,${contentPath}/oaf_claims/*/*,${contentPath}/odf_claims/*/* --targetPath${workingDir}/entities_claim --isLookupUrl${isLookupUrl} --shouldHashId${shouldHashId} @@ -539,7 +529,7 @@ --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --sourcePaths${contentPath}/db_openaire,${contentPath}/db_openorgs,${contentPath}/oaf_records,${contentPath}/odf_records,${contentPath}/oaf_records_hdfs,${contentPath}/odf_records_hdfs,${contentPath}/oaf_records_invisible + --sourcePaths${contentPath}/db_openaire,${contentPath}/db_openorgs,${contentPath}/oaf_mdstore_hdfs,${contentPath}/odf_mdstore_hdfs,${contentPath}/mdstore/*/* --invalidPath${workingDir}/invalid_records --isLookupUrl${isLookupUrl} @@ -563,7 +553,7 @@ --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --sourcePaths${contentPath}/db_openaire,${contentPath}/db_openorgs,${contentPath}/oaf_records,${contentPath}/odf_records,${contentPath}/oaf_records_hdfs,${contentPath}/odf_records_hdfs,${contentPath}/oaf_records_invisible + --sourcePaths${contentPath}/db_openaire,${contentPath}/db_openorgs,${contentPath}/oaf_mdstore_hdfs,${contentPath}/odf_mdstore_hdfs,${contentPath}/mdstore/*/* --targetPath${workingDir}/entities --isLookupUrl${isLookupUrl} --shouldHashId${shouldHashId} diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_claims/oozie_app/config-default.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_claims/oozie_app/config-default.xml deleted file mode 100644 index 2e0ed9aee..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_claims/oozie_app/config-default.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - jobTracker - yarnRM - - - nameNode - hdfs://nameservice1 - - - oozie.use.system.libpath - true - - - oozie.action.sharelib.for.spark - spark2 - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_claims/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_claims/oozie_app/workflow.xml deleted file mode 100644 index 4c319d037..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_claims/oozie_app/workflow.xml +++ /dev/null @@ -1,162 +0,0 @@ - - - - reuseContent - false - should import content from the aggregator or reuse a previous version - - - contentPath - path location to store (or reuse) content from the aggregator - - - postgresURL - the postgres URL to access to the database - - - postgresUser - the user postgres - - - postgresPassword - the password postgres - - - dbSchema - beta - the database schema according to the D-Net infrastructure (beta or production) - - - mongoURL - mongoDB url, example: mongodb://[username:password@]host[:port] - - - mongoDb - mongo database - - - isLookupUrl - the address of the lookUp service - - - nsPrefixBlacklist - - a blacklist of nsprefixes (comma separeted) - - - sparkDriverMemory - memory for driver process - - - sparkExecutorMemory - memory for individual executor - - - sparkExecutorCores - number of cores used by single executor - - - oozieActionShareLibForSpark2 - oozie action sharelib for spark 2.* - - - spark2ExtraListeners - com.cloudera.spark.lineage.NavigatorAppListener - spark 2.* extra listeners classname - - - spark2SqlQueryExecutionListeners - com.cloudera.spark.lineage.NavigatorQueryListener - spark 2.* sql query execution listeners classname - - - spark2YarnHistoryServerAddress - spark 2.* yarn history server address - - - spark2EventLogDir - spark 2.* event log dir location - - - - - ${jobTracker} - ${nameNode} - - - mapreduce.job.queuename - ${queueName} - - - oozie.launcher.mapred.job.queue.name - ${oozieLauncherQueueName} - - - oozie.action.sharelib.for.spark - ${oozieActionShareLibForSpark2} - - - - - - - - Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}] - - - - - - - - eu.dnetlib.dhp.oa.graph.raw.MigrateDbEntitiesApplication - --hdfsPath${contentPath}/db_claims - --postgresUrl${postgresURL} - --postgresUser${postgresUser} - --postgresPassword${postgresPassword} - --isLookupUrl${isLookupUrl} - --actionclaims - --dbschema${dbSchema} - --nsPrefixBlacklist${nsPrefixBlacklist} - - - - - - - - - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - -p${contentPath}/odf_claims - -mongourl${mongoURL} - -mongodb${mongoDb} - -fODF - -lstore - -iclaim - - - - - - - - - - - eu.dnetlib.dhp.oa.graph.raw.MigrateMongoMdstoresApplication - -p${contentPath}/oaf_claims - -mongourl${mongoURL} - -mongodb${mongoDb} - -fOAF - -lstore - -iclaim - - - - - - - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_db/oozie_app/config-default.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_db/oozie_app/config-default.xml deleted file mode 100644 index 2e0ed9aee..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_db/oozie_app/config-default.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - jobTracker - yarnRM - - - nameNode - hdfs://nameservice1 - - - oozie.use.system.libpath - true - - - oozie.action.sharelib.for.spark - spark2 - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_db/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_db/oozie_app/workflow.xml deleted file mode 100644 index 31b726f39..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_db/oozie_app/workflow.xml +++ /dev/null @@ -1,195 +0,0 @@ - - - - contentPath - path location to store (or reuse) content from the aggregator - - - postgresURL - the postgres URL to access to the database - - - postgresUser - the user postgres - - - postgresPassword - the password postgres - - - dbSchema - beta - the database schema according to the D-Net infrastructure (beta or production) - - - isLookupUrl - the address of the lookUp service - - - nsPrefixBlacklist - - a blacklist of nsprefixes (comma separeted) - - - reuseContent - false - reuse content in the aggregator database - - - sparkDriverMemory - memory for driver process - - - sparkExecutorMemory - memory for individual executor - - - sparkExecutorCores - number of cores used by single executor - - - oozieActionShareLibForSpark2 - oozie action sharelib for spark 2.* - - - spark2ExtraListeners - com.cloudera.spark.lineage.NavigatorAppListener - spark 2.* extra listeners classname - - - spark2SqlQueryExecutionListeners - com.cloudera.spark.lineage.NavigatorQueryListener - spark 2.* sql query execution listeners classname - - - spark2YarnHistoryServerAddress - spark 2.* yarn history server address - - - spark2EventLogDir - spark 2.* event log dir location - - - - - ${jobTracker} - ${nameNode} - - - mapreduce.job.queuename - ${queueName} - - - oozie.launcher.mapred.job.queue.name - ${oozieLauncherQueueName} - - - oozie.action.sharelib.for.spark - ${oozieActionShareLibForSpark2} - - - - - - - - Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}] - - - - - ${wf:conf('reuseContent') eq false} - ${wf:conf('reuseContent') eq true} - - - - - - - - - - eu.dnetlib.dhp.oa.graph.raw.MigrateDbEntitiesApplication - --hdfsPath${contentPath}/db_records - --postgresUrl${postgresURL} - --postgresUser${postgresUser} - --postgresPassword${postgresPassword} - --isLookupUrl${isLookupUrl} - --actionopenaire - --dbschema${dbSchema} - --nsPrefixBlacklist${nsPrefixBlacklist} - - - - - - - - - - - eu.dnetlib.dhp.oa.graph.raw.MigrateDbEntitiesApplication - --hdfsPath${contentPath}/db_claims - --postgresUrl${postgresURL} - --postgresUser${postgresUser} - --postgresPassword${postgresPassword} - --isLookupUrl${isLookupUrl} - --dbschema${dbSchema} - --actionclaims - --nsPrefixBlacklist${nsPrefixBlacklist} - - - - - - - - yarn - cluster - GenerateEntities - eu.dnetlib.dhp.oa.graph.raw.GenerateEntitiesApplication - dhp-graph-mapper-${projectVersion}.jar - - --executor-memory ${sparkExecutorMemory} - --executor-cores ${sparkExecutorCores} - --driver-memory=${sparkDriverMemory} - --conf spark.extraListeners=${spark2ExtraListeners} - --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} - --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} - --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - - --sourcePaths${contentPath}/db_records,${contentPath}/db_claims - --targetPath${workingDir}/entities - --isLookupUrl${isLookupUrl} - --shouldHashIdtrue - - - - - - - - yarn - cluster - GenerateGraph - eu.dnetlib.dhp.oa.graph.raw.DispatchEntitiesApplication - dhp-graph-mapper-${projectVersion}.jar - - --executor-memory ${sparkExecutorMemory} - --executor-cores ${sparkExecutorCores} - --driver-memory=${sparkDriverMemory} - --conf spark.extraListeners=${spark2ExtraListeners} - --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} - --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} - --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=7680 - - --sourcePath${workingDir}/entities - --graphRawPath${workingDir}/graph_aggregator - - - - - - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_hdfs_stores/oozie_app/config-default.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_hdfs_stores/oozie_app/config-default.xml deleted file mode 100644 index 2e0ed9aee..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_hdfs_stores/oozie_app/config-default.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - jobTracker - yarnRM - - - nameNode - hdfs://nameservice1 - - - oozie.use.system.libpath - true - - - oozie.action.sharelib.for.spark - spark2 - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_hdfs_stores/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_hdfs_stores/oozie_app/workflow.xml deleted file mode 100644 index bfe2dff0b..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_hdfs_stores/oozie_app/workflow.xml +++ /dev/null @@ -1,157 +0,0 @@ - - - - - graphOutputPath - the target path to store raw graph - - - contentPath - path location to store (or reuse) content from the aggregator - - - mdstoreManagerUrl - the address of the Mdstore Manager - - - isLookupUrl - the address of the lookUp service - - - sparkDriverMemory - memory for driver process - - - sparkExecutorMemory - memory for individual executor - - - sparkExecutorCores - number of cores used by single executor - - - oozieActionShareLibForSpark2 - oozie action sharelib for spark 2.* - - - spark2ExtraListeners - com.cloudera.spark.lineage.NavigatorAppListener - spark 2.* extra listeners classname - - - spark2SqlQueryExecutionListeners - com.cloudera.spark.lineage.NavigatorQueryListener - spark 2.* sql query execution listeners classname - - - spark2YarnHistoryServerAddress - spark 2.* yarn history server address - - - spark2EventLogDir - spark 2.* event log dir location - - - - - ${jobTracker} - ${nameNode} - - - mapreduce.job.queuename - ${queueName} - - - oozie.launcher.mapred.job.queue.name - ${oozieLauncherQueueName} - - - oozie.action.sharelib.for.spark - ${oozieActionShareLibForSpark2} - - - - - - - - Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}] - - - - - yarn - cluster - ImportODF_hdfs - eu.dnetlib.dhp.oa.graph.raw.MigrateHdfsMdstoresApplication - dhp-graph-mapper-${projectVersion}.jar - - --executor-memory ${sparkExecutorMemory} - --executor-cores ${sparkExecutorCores} - --driver-memory=${sparkDriverMemory} - --conf spark.extraListeners=${spark2ExtraListeners} - --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} - --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} - --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - - --hdfsPath${contentPath}/odf_records_hdfs - --mdstoreManagerUrl${mdstoreManagerUrl} - --mdFormatODF - --mdLayoutstore - --mdInterpretationcleaned - - - - - - - - yarn - cluster - GenerateEntities - eu.dnetlib.dhp.oa.graph.raw.GenerateEntitiesApplication - dhp-graph-mapper-${projectVersion}.jar - - --executor-memory ${sparkExecutorMemory} - --executor-cores ${sparkExecutorCores} - --driver-memory=${sparkDriverMemory} - --conf spark.extraListeners=${spark2ExtraListeners} - --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} - --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} - --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - - --sourcePaths${contentPath}/odf_records_hdfs - --targetPath${workingDir}/entities - --isLookupUrl${isLookupUrl} - --shouldHashId${shouldHashId} - - - - - - - - yarn - cluster - GenerateGraph - eu.dnetlib.dhp.oa.graph.raw.DispatchEntitiesApplication - dhp-graph-mapper-${projectVersion}.jar - - --executor-memory ${sparkExecutorMemory} - --executor-cores ${sparkExecutorCores} - --driver-memory=${sparkDriverMemory} - --conf spark.extraListeners=${spark2ExtraListeners} - --conf spark.sql.queryExecutionListeners=${spark2SqlQueryExecutionListeners} - --conf spark.yarn.historyServer.address=${spark2YarnHistoryServerAddress} - --conf spark.eventLog.dir=${nameNode}${spark2EventLogDir} - --conf spark.sql.shuffle.partitions=7680 - - --sourcePath${workingDir}/entities - --graphRawPath${workingDir}/graph_raw - - - - - - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step1/oozie_app/config-default.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step1/oozie_app/config-default.xml deleted file mode 100644 index 2e0ed9aee..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step1/oozie_app/config-default.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - jobTracker - yarnRM - - - nameNode - hdfs://nameservice1 - - - oozie.use.system.libpath - true - - - oozie.action.sharelib.for.spark - spark2 - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step1/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step1/oozie_app/workflow.xml deleted file mode 100644 index 9b68cfb05..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step1/oozie_app/workflow.xml +++ /dev/null @@ -1,114 +0,0 @@ - - - - migrationPathStep1 - the base path to store hdfs file - - - postgresURL - the postgres URL to access to the database - - - postgresUser - the user postgres - - - postgresPassword - the password postgres - - - mongoURL - mongoDB url, example: mongodb://[username:password@]host[:port] - - - mongoDb - mongo database - - - isLookupUrl - the address of the lookUp service - - - nsPrefixBlacklist - - a blacklist of nsprefixes (comma separeted) - - - sparkDriverMemory - memory for driver process - - - sparkExecutorMemory - memory for individual executor - - - sparkExecutorCores - number of cores used by single executor - - - - - - - Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}] - - - - - - - - - - - - - - ${jobTracker} - ${nameNode} - eu.dnetlib.dhp.migration.step1.MigrateDbEntitiesApplication - -p${migrationPathStep1}/db_records - -pgurl${postgresURL} - -pguser${postgresUser} - -pgpasswd${postgresPassword} - -islookup${isLookupUrl} - --nsPrefixBlacklist${nsPrefixBlacklist} - - - - - - - - ${jobTracker} - ${nameNode} - eu.dnetlib.dhp.migration.step1.MigrateMongoMdstoresApplication - -p${migrationPathStep1}/odf_records - -mongourl${mongoURL} - -mongodb${mongoDb} - -fODF - -lstore - -icleaned - - - - - - - - ${jobTracker} - ${nameNode} - eu.dnetlib.dhp.migration.step1.MigrateMongoMdstoresApplication - -p${migrationPathStep1}/oaf_records - -mongourl${mongoURL} - -mongodb${mongoDb} - -fOAF - -lstore - -icleaned - - - - - - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step2/oozie_app/config-default.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step2/oozie_app/config-default.xml deleted file mode 100644 index 2e0ed9aee..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step2/oozie_app/config-default.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - jobTracker - yarnRM - - - nameNode - hdfs://nameservice1 - - - oozie.use.system.libpath - true - - - oozie.action.sharelib.for.spark - spark2 - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step2/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step2/oozie_app/workflow.xml deleted file mode 100644 index f6485ea9c..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step2/oozie_app/workflow.xml +++ /dev/null @@ -1,65 +0,0 @@ - - - - migrationPathStep1 - the base path to store hdfs file - - - migrationPathStep2 - the temporary path to store entities before dispatching - - - isLookupUrl - the address of the lookUp service - - - - sparkDriverMemory - memory for driver process - - - sparkExecutorMemory - memory for individual executor - - - sparkExecutorCores - number of cores used by single executor - - - - - - - Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}] - - - - - - - - - - - - - - ${jobTracker} - ${nameNode} - yarn-cluster - cluster - GenerateEntities - eu.dnetlib.dhp.migration.step2.GenerateEntitiesApplication - dhp-aggregation-${projectVersion}.jar - --executor-memory ${sparkExecutorMemory} --executor-cores ${sparkExecutorCores} --driver-memory=${sparkDriverMemory} --conf spark.extraListeners="com.cloudera.spark.lineage.NavigatorAppListener" --conf spark.sql.queryExecutionListeners="com.cloudera.spark.lineage.NavigatorQueryListener" --conf spark.sql.warehouse.dir="/user/hive/warehouse" - -mt yarn-cluster - -s${migrationPathStep1}/db_records,${migrationPathStep1}/oaf_records,${migrationPathStep1}/odf_records - -t${migrationPathStep2}/all_entities - --islookup${isLookupUrl} - - - - - - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step3/oozie_app/config-default.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step3/oozie_app/config-default.xml deleted file mode 100644 index 2e0ed9aee..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step3/oozie_app/config-default.xml +++ /dev/null @@ -1,18 +0,0 @@ - - - jobTracker - yarnRM - - - nameNode - hdfs://nameservice1 - - - oozie.use.system.libpath - true - - - oozie.action.sharelib.for.spark - spark2 - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step3/oozie_app/workflow.xml b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step3/oozie_app/workflow.xml deleted file mode 100644 index 8688f09d1..000000000 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/raw_step3/oozie_app/workflow.xml +++ /dev/null @@ -1,60 +0,0 @@ - - - - - migrationPathStep2 - the temporary path to store entities before dispatching - - - migrationPathStep3 - the graph Raw base path - - - sparkDriverMemory - memory for driver process - - - sparkExecutorMemory - memory for individual executor - - - sparkExecutorCores - number of cores used by single executor - - - - - - - Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}] - - - - - - - - - - - - - - ${jobTracker} - ${nameNode} - yarn-cluster - cluster - GenerateGraph - eu.dnetlib.dhp.migration.step3.DispatchEntitiesApplication - dhp-aggregation-${projectVersion}.jar - --executor-memory ${sparkExecutorMemory} --executor-cores ${sparkExecutorCores} --driver-memory=${sparkDriverMemory} --conf spark.extraListeners="com.cloudera.spark.lineage.NavigatorAppListener" --conf spark.sql.queryExecutionListeners="com.cloudera.spark.lineage.NavigatorQueryListener" --conf spark.sql.warehouse.dir="/user/hive/warehouse" - -mt yarn-cluster - -s${migrationPathStep2}/all_entities - -g${migrationPathStep3} - - - - - - - \ No newline at end of file diff --git a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/sql/queryServices.sql b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/sql/queryServices.sql index c4096f90d..716fa866e 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/sql/queryServices.sql +++ b/dhp-workflows/dhp-graph-mapper/src/main/resources/eu/dnetlib/dhp/oa/graph/sql/queryServices.sql @@ -12,21 +12,21 @@ SELECT WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility):: TEXT) @> ARRAY ['openaire4.0']) THEN 'openaire4.0@@@dnet:datasourceCompatibilityLevel' - WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility):: TEXT) @> ARRAY ['driver', 'openaire2.0']) - THEN - 'driver-openaire2.0@@@dnet:datasourceCompatibilityLevel' - WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['driver']) - THEN - 'driver@@@dnet:datasourceCompatibilityLevel' - WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['openaire2.0']) - THEN - 'openaire2.0@@@dnet:datasourceCompatibilityLevel' WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['openaire3.0']) THEN 'openaire3.0@@@dnet:datasourceCompatibilityLevel' WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['openaire2.0_data']) THEN 'openaire2.0_data@@@dnet:datasourceCompatibilityLevel' + WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility):: TEXT) @> ARRAY ['driver', 'openaire2.0']) + THEN + 'driver-openaire2.0@@@dnet:datasourceCompatibilityLevel' + WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['openaire2.0']) + THEN + 'openaire2.0@@@dnet:datasourceCompatibilityLevel' + WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['driver']) + THEN + 'driver@@@dnet:datasourceCompatibilityLevel' WHEN (array_agg(DISTINCT COALESCE (a.compatibility_override, a.compatibility) :: TEXT) @> ARRAY ['native']) THEN 'native@@@dnet:datasourceCompatibilityLevel' @@ -38,7 +38,7 @@ SELECT 'notCompatible@@@dnet:datasourceCompatibilityLevel' ELSE 'UNKNOWN@@@dnet:datasourceCompatibilityLevel' - END AS openairecompatibility, + END AS openairecompatibility, d.websiteurl AS websiteurl, d.logourl AS logourl, array_remove(array_agg(DISTINCT CASE WHEN a.protocol = 'oai' and last_aggregation_date is not null THEN a.baseurl ELSE NULL END), NULL) AS accessinfopackage, diff --git a/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/hostedbymap/SparkApplyHostedByMapToResult.scala b/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/hostedbymap/SparkApplyHostedByMapToResult.scala index a900fc241..2e5c6eae7 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/hostedbymap/SparkApplyHostedByMapToResult.scala +++ b/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/hostedbymap/SparkApplyHostedByMapToResult.scala @@ -32,7 +32,6 @@ object SparkApplyHostedByMapToResult { OafMapperUtils.accessRight( ModelConstants.ACCESS_RIGHT_OPEN, "Open Access", - ModelConstants.DNET_ACCESS_MODES, ModelConstants.DNET_ACCESS_MODES ) ) diff --git a/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/resolution/SparkResolveEntities.scala b/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/resolution/SparkResolveEntities.scala index 1bf3df5b1..93a3172c1 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/resolution/SparkResolveEntities.scala +++ b/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/oa/graph/resolution/SparkResolveEntities.scala @@ -125,8 +125,7 @@ object SparkResolveEntities { if (b == null) a._2 else { - MergeUtils.mergeResult(a._2, b._2) - a._2 + MergeUtils.merge(a._2, b._2) } }) .map(r => mapper.writeValueAsString(r))(Encoders.STRING) diff --git a/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/sx/graph/SparkCreateInputGraph.scala b/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/sx/graph/SparkCreateInputGraph.scala index c3f9db848..b412f3a01 100644 --- a/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/sx/graph/SparkCreateInputGraph.scala +++ b/dhp-workflows/dhp-graph-mapper/src/main/scala/eu/dnetlib/dhp/sx/graph/SparkCreateInputGraph.scala @@ -131,10 +131,7 @@ object SparkCreateInputGraph { val ds: Dataset[T] = spark.read.load(sourcePath).as[T] ds.groupByKey(_.getId) - .reduceGroups { (x, y) => - MergeUtils.mergeResult(x, y) - x - } + .reduceGroups { (x, y) => MergeUtils.merge(x, y) } .map(_._2) .write .mode(SaveMode.Overwrite) diff --git a/dhp-workflows/dhp-graph-mapper/src/test/java/eu/dnetlib/dhp/oa/graph/clean/CleanCountryTest.java b/dhp-workflows/dhp-graph-mapper/src/test/java/eu/dnetlib/dhp/oa/graph/clean/CleanCountryTest.java index de9e4fc90..3bc69cfd1 100644 --- a/dhp-workflows/dhp-graph-mapper/src/test/java/eu/dnetlib/dhp/oa/graph/clean/CleanCountryTest.java +++ b/dhp-workflows/dhp-graph-mapper/src/test/java/eu/dnetlib/dhp/oa/graph/clean/CleanCountryTest.java @@ -5,7 +5,6 @@ import java.io.IOException; import java.nio.file.Files; import java.nio.file.Path; -import eu.dnetlib.dhp.schema.oaf.Dataset; import org.apache.commons.io.FileUtils; import org.apache.spark.SparkConf; import org.apache.spark.api.java.JavaRDD; @@ -27,6 +26,7 @@ import org.slf4j.LoggerFactory; import com.fasterxml.jackson.databind.ObjectMapper; import eu.dnetlib.dhp.oa.graph.clean.country.CleanCountrySparkJob; +import eu.dnetlib.dhp.schema.oaf.Dataset; import eu.dnetlib.dhp.schema.oaf.Publication; public class CleanCountryTest { @@ -151,41 +151,40 @@ public class CleanCountryTest { @Test public void testDatasetClean() throws Exception { final String sourcePath = getClass() - .getResource("/eu/dnetlib/dhp/oa/graph/clean/dataset_clean_country.json") - .getPath(); + .getResource("/eu/dnetlib/dhp/oa/graph/clean/dataset_clean_country.json") + .getPath(); spark - .read() - .textFile(sourcePath) - .map( - (MapFunction) r -> OBJECT_MAPPER.readValue(r, Dataset.class), - Encoders.bean(Dataset.class)) - .write() - .json(workingDir.toString() + "/dataset"); + .read() + .textFile(sourcePath) + .map( + (MapFunction) r -> OBJECT_MAPPER.readValue(r, Dataset.class), + Encoders.bean(Dataset.class)) + .write() + .json(workingDir.toString() + "/dataset"); CleanCountrySparkJob.main(new String[] { - "--isSparkSessionManaged", Boolean.FALSE.toString(), - "--inputPath", workingDir.toString() + "/dataset", - "-graphTableClassName", Dataset.class.getCanonicalName(), - "-workingDir", workingDir.toString() + "/working", - "-country", "NL", - "-verifyParam", "10.17632", - "-collectedfrom", "NARCIS", - "-hostedBy", getClass() + "--isSparkSessionManaged", Boolean.FALSE.toString(), + "--inputPath", workingDir.toString() + "/dataset", + "-graphTableClassName", Dataset.class.getCanonicalName(), + "-workingDir", workingDir.toString() + "/working", + "-country", "NL", + "-verifyParam", "10.17632", + "-collectedfrom", "NARCIS", + "-hostedBy", getClass() .getResource("/eu/dnetlib/dhp/oa/graph/clean/hostedBy") .getPath() }); final JavaSparkContext sc = JavaSparkContext.fromSparkContext(spark.sparkContext()); JavaRDD tmp = sc - .textFile(workingDir.toString() + "/dataset") - .map(item -> OBJECT_MAPPER.readValue(item, Dataset.class)); + .textFile(workingDir.toString() + "/dataset") + .map(item -> OBJECT_MAPPER.readValue(item, Dataset.class)); Assertions.assertEquals(1, tmp.count()); Assertions.assertEquals(0, tmp.first().getCountry().size()); - } } diff --git a/dhp-workflows/dhp-graph-mapper/src/test/scala/eu/dnetlib/dhp/oa/graph/resolution/ResolveEntitiesTest.scala b/dhp-workflows/dhp-graph-mapper/src/test/scala/eu/dnetlib/dhp/oa/graph/resolution/ResolveEntitiesTest.scala index 3a1f5b616..667df5803 100644 --- a/dhp-workflows/dhp-graph-mapper/src/test/scala/eu/dnetlib/dhp/oa/graph/resolution/ResolveEntitiesTest.scala +++ b/dhp-workflows/dhp-graph-mapper/src/test/scala/eu/dnetlib/dhp/oa/graph/resolution/ResolveEntitiesTest.scala @@ -270,7 +270,7 @@ class ResolveEntitiesTest extends Serializable { classOf[Publication] ) - r = MergeUtils.mergeResult(r, p); + r = MergeUtils.merge(r, p); println(mapper.writeValueAsString(r)) diff --git a/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/XmlIndexingJob.java b/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/XmlIndexingJob.java index e7dbdbd2b..1560fcbd9 100644 --- a/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/XmlIndexingJob.java +++ b/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/XmlIndexingJob.java @@ -151,7 +151,7 @@ public class XmlIndexingJob { .sequenceFile(inputPath, Text.class, Text.class) .map(t -> t._2().toString()) .map(s -> toIndexRecord(SaxonTransformerFactory.newInstance(indexRecordXslt), s)) - .map(s -> new StreamingInputDocumentFactory(version, dsId).parseDocument(s)); + .map(s -> new StreamingInputDocumentFactory().parseDocument(s)); switch (outputFormat) { case SOLR: diff --git a/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/utils/StreamingInputDocumentFactory.java b/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/utils/StreamingInputDocumentFactory.java index 36028be9e..b42f9ee83 100644 --- a/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/utils/StreamingInputDocumentFactory.java +++ b/dhp-workflows/dhp-graph-provision/src/main/java/eu/dnetlib/dhp/oa/provision/utils/StreamingInputDocumentFactory.java @@ -36,10 +36,6 @@ public class StreamingInputDocumentFactory { private static final String INDEX_FIELD_PREFIX = "__"; - private static final String DS_VERSION = INDEX_FIELD_PREFIX + "dsversion"; - - private static final String DS_ID = INDEX_FIELD_PREFIX + "dsid"; - private static final String RESULT = "result"; private static final String INDEX_RESULT = INDEX_FIELD_PREFIX + RESULT; @@ -65,20 +61,13 @@ public class StreamingInputDocumentFactory { private final ThreadLocal eventFactory = ThreadLocal .withInitial(XMLEventFactory::newInstance); - private final String version; - - private final String dsId; - private String resultName = DEFAULTDNETRESULT; - public StreamingInputDocumentFactory(final String version, final String dsId) { - this(version, dsId, DEFAULTDNETRESULT); + public StreamingInputDocumentFactory() { + this(DEFAULTDNETRESULT); } - public StreamingInputDocumentFactory( - final String version, final String dsId, final String resultName) { - this.version = version; - this.dsId = dsId; + public StreamingInputDocumentFactory(final String resultName) { this.resultName = resultName; } @@ -111,14 +100,6 @@ public class StreamingInputDocumentFactory { } } - if (version != null) { - indexDocument.addField(DS_VERSION, version); - } - - if (dsId != null) { - indexDocument.addField(DS_ID, dsId); - } - if (!indexDocument.containsKey(INDEX_RECORD_ID)) { throw new IllegalStateException("cannot extract record ID from: " + inputDocument); } diff --git a/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/EOSCFuture_Test.java b/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/EOSCFuture_Test.java index 3e1a501d1..8800abf95 100644 --- a/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/EOSCFuture_Test.java +++ b/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/EOSCFuture_Test.java @@ -79,8 +79,7 @@ public class EOSCFuture_Test { final String indexRecordXML = XmlIndexingJob.toIndexRecord(tr, record); - final SolrInputDocument solrDoc = new StreamingInputDocumentFactory(VERSION, DSID) - .parseDocument(indexRecordXML); + final SolrInputDocument solrDoc = new StreamingInputDocumentFactory().parseDocument(indexRecordXML); final String xmlDoc = ClientUtils.toXML(solrDoc); diff --git a/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/IndexRecordTransformerTest.java b/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/IndexRecordTransformerTest.java index cd5e08426..ce593cf07 100644 --- a/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/IndexRecordTransformerTest.java +++ b/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/IndexRecordTransformerTest.java @@ -39,9 +39,6 @@ import eu.dnetlib.dhp.utils.saxon.SaxonTransformerFactory; */ public class IndexRecordTransformerTest { - public static final String VERSION = "2021-04-15T10:05:53Z"; - public static final String DSID = "b9ee796a-c49f-4473-a708-e7d67b84c16d_SW5kZXhEU1Jlc291cmNlcy9JbmRleERTUmVzb3VyY2VUeXBl"; - private ContextMapper contextMapper; @BeforeEach @@ -197,8 +194,7 @@ public class IndexRecordTransformerTest { final String indexRecordXML = XmlIndexingJob.toIndexRecord(tr, record); - final SolrInputDocument solrDoc = new StreamingInputDocumentFactory(VERSION, DSID) - .parseDocument(indexRecordXML); + final SolrInputDocument solrDoc = new StreamingInputDocumentFactory().parseDocument(indexRecordXML); final String xmlDoc = ClientUtils.toXML(solrDoc); diff --git a/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/SolrConfigTest.java b/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/SolrConfigTest.java index ab98b1da2..a9d885ecf 100644 --- a/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/SolrConfigTest.java +++ b/dhp-workflows/dhp-graph-provision/src/test/java/eu/dnetlib/dhp/oa/provision/SolrConfigTest.java @@ -115,16 +115,8 @@ public class SolrConfigTest extends SolrTest { for (SolrDocument doc : rsp.getResults()) { System.out .println( - doc.get("score") + "\t" + - doc.get("__indexrecordidentifier") + "\t" + - doc.get("resultidentifier") + "\t" + - doc.get("resultauthor") + "\t" + - doc.get("resultacceptanceyear") + "\t" + - doc.get("resultsubject") + "\t" + - doc.get("resulttitle") + "\t" + - doc.get("relprojectname") + "\t" + - doc.get("resultdescription") + "\t" + - doc.get("__all") + "\t"); + doc.get("__indexrecordidentifier") + "\t" + + doc.get("__result") + "\t"); } } } diff --git a/dhp-workflows/dhp-graph-provision/src/test/resources/eu/dnetlib/dhp/oa/provision/fields.xml b/dhp-workflows/dhp-graph-provision/src/test/resources/eu/dnetlib/dhp/oa/provision/fields.xml index be2ee7b98..0bf588a57 100644 --- a/dhp-workflows/dhp-graph-provision/src/test/resources/eu/dnetlib/dhp/oa/provision/fields.xml +++ b/dhp-workflows/dhp-graph-provision/src/test/resources/eu/dnetlib/dhp/oa/provision/fields.xml @@ -1,165 +1,116 @@ - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + \ No newline at end of file diff --git a/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step15_5.sql b/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step15_5.sql index 86ead4a2c..753d61ca0 100644 --- a/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step15_5.sql +++ b/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step15_5.sql @@ -30,11 +30,16 @@ from rcount group by rcount.pid; create view ${stats_db_name}.rndexpenditure as select * from stats_ext.rndexpediture; +create view ${stats_db_name}.rndgdpexpenditure as select * from stats_ext.rndgdpexpenditure; +create view ${stats_db_name}.doctoratestudents as select * from stats_ext.doctoratestudents; +create view ${stats_db_name}.totalresearchers as select * from stats_ext.totalresearchers; +create view ${stats_db_name}.totalresearchersft as select * from stats_ext.totalresearchersft; +create view ${stats_db_name}.hrrst as select * from stats_ext.hrrst; create table ${stats_db_name}.result_instance stored as parquet as select distinct r.* from ( - select substr(r.id, 4) as id, inst.accessright.classname as accessright, substr(inst.collectedfrom.key, 4) as collectedfrom, + select substr(r.id, 4) as id, inst.accessright.classname as accessright, inst.accessright.openaccessroute as accessright_uw, substr(inst.collectedfrom.key, 4) as collectedfrom, substr(inst.hostedby.key, 4) as hostedby, inst.dateofacceptance.value as dateofacceptance, inst.license.value as license, p.qualifier.classname as pidtype, p.value as pid from ${openaire_db_name}.result r lateral view explode(r.instance) instances as inst lateral view explode(inst.pid) pids as p) r join ${stats_db_name}.result res on res.id=r.id; diff --git a/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step20-createMonitorDB.sql b/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step20-createMonitorDB.sql index 2bdcbfa3d..237f68fae 100644 --- a/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step20-createMonitorDB.sql +++ b/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/scripts/step20-createMonitorDB.sql @@ -10,6 +10,11 @@ create view if not exists TARGET.creation_date as select * from SOURCE.creation_ create view if not exists TARGET.funder as select * from SOURCE.funder; create view if not exists TARGET.fundref as select * from SOURCE.fundref; create view if not exists TARGET.rndexpenditure as select * from SOURCE.rndexpediture; +create view if not exists TARGET.rndgdpexpenditure as select * from SOURCE.rndgdpexpenditure; +create view if not exists TARGET.doctoratestudents as select * from SOURCE.doctoratestudents; +create view if not exists TARGET.totalresearchers as select * from SOURCE.totalresearchers; +create view if not exists TARGET.totalresearchersft as select * from SOURCE.totalresearchersft; +create view if not exists TARGET.hrrst as select * from SOURCE.hrrst; create table TARGET.result stored as parquet as select distinct * from ( @@ -50,8 +55,16 @@ create table TARGET.result stored as parquet as 'openorgs____::1698a2eb1885ef8adb5a4a969e745ad3', -- École des Ponts ParisTech 'openorgs____::e15adb13c4dadd49de4d35c39b5da93a', -- Nanyang Technological University 'openorgs____::4b34103bde246228fcd837f5f1bf4212', -- Autonomous University of Barcelona - 'openorgs____::72ec75fcfc4e0df1a76dc4c49007fceb' -- McMaster University - ) )) foo; + 'openorgs____::72ec75fcfc4e0df1a76dc4c49007fceb', -- McMaster University + 'openorgs____::51c7fc556e46381734a25a6fbc3fd398', -- University of Modena and Reggio Emilia + 'openorgs____::235d7f9ad18ecd7e6dc62ea4990cb9db', -- Bilkent University + 'openorgs____::31f2fa9e05b49d4cf40a19c3fed8eb06', -- Saints Cyril and Methodius University of Skopje + 'openorgs____::db7686f30f22cbe73a4fde872ce812a6', -- University of Milan + 'openorgs____::b8b8ca674452579f3f593d9f5e557483', -- University College Cork + 'openorgs____::38d7097854736583dde879d12dacafca', -- Brown University + 'openorgs____::57784c9e047e826fefdb1ef816120d92', --Arts et Métiers ParisTech + 'openorgs____::2530baca8a15936ba2e3297f2bce2e7e' -- University of Cape Town + ))) foo; compute stats TARGET.result; create table TARGET.result_citations stored as parquet as select * from SOURCE.result_citations orig where exists (select 1 from TARGET.result r where r.id=orig.id); diff --git a/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/workflow.xml b/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/workflow.xml index 08d33f4e8..c68ae46ca 100644 --- a/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/workflow.xml +++ b/dhp-workflows/dhp-stats-update/src/main/resources/eu/dnetlib/dhp/oa/graph/stats/oozie_app/workflow.xml @@ -70,7 +70,40 @@ - + + + + + ${wf:conf('resumeFrom') eq 'Step1'} + ${wf:conf('resumeFrom') eq 'Step2'} + ${wf:conf('resumeFrom') eq 'Step3'} + ${wf:conf('resumeFrom') eq 'Step4'} + ${wf:conf('resumeFrom') eq 'Step5'} + ${wf:conf('resumeFrom') eq 'Step6'} + ${wf:conf('resumeFrom') eq 'Step7'} + ${wf:conf('resumeFrom') eq 'Step8'} + ${wf:conf('resumeFrom') eq 'Step9'} + ${wf:conf('resumeFrom') eq 'Step10'} + ${wf:conf('resumeFrom') eq 'Step11'} + ${wf:conf('resumeFrom') eq 'Step12'} + ${wf:conf('resumeFrom') eq 'Step13'} + ${wf:conf('resumeFrom') eq 'Step14'} + ${wf:conf('resumeFrom') eq 'Step15'} + ${wf:conf('resumeFrom') eq 'Step15_5'} + ${wf:conf('resumeFrom') eq 'Contexts'} + ${wf:conf('resumeFrom') eq 'Step16-createIndicatorsTables'} + ${wf:conf('resumeFrom') eq 'Step16_1-definitions'} + ${wf:conf('resumeFrom') eq 'Step16_5'} + ${wf:conf('resumeFrom') eq 'Step19-finalize'} + ${wf:conf('resumeFrom') eq 'step20-createMonitorDB'} + ${wf:conf('resumeFrom') eq 'step21-createObservatoryDB-pre'} + ${wf:conf('resumeFrom') eq 'step21-createObservatoryDB'} + ${wf:conf('resumeFrom') eq 'step21-createObservatoryDB-post'} + ${wf:conf('resumeFrom') eq 'Step22'} + + + + Action failed, error message[${wf:errorMessage(wf:lastErrorNode())}]