diff --git a/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Datasource.java b/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Datasource.java index 7984f87..7154287 100644 --- a/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Datasource.java +++ b/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Datasource.java @@ -7,6 +7,7 @@ import java.util.List; import com.github.imifou.jsonschema.module.addon.annotation.JsonSchema; import eu.dnetlib.dhp.oa.model.Container; +import eu.dnetlib.dhp.oa.model.Indicator; /** * To store information about the datasource OpenAIRE collects information from. It contains the following parameters: - @@ -128,6 +129,17 @@ public class Datasource implements Serializable { @JsonSchema(description = "Information about the journal, if this data source is of type Journal.") private Container journal; // issn etc del Journal + @JsonSchema(description = "Indicators computed for this Datasource, for example UsageCount ones") + private Indicator indicators; + + public Indicator getIndicators() { + return indicators; + } + + public void setIndicators(Indicator indicators) { + this.indicators = indicators; + } + public String getId() { return id; } diff --git a/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Project.java b/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Project.java index 67aa076..6480c87 100644 --- a/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Project.java +++ b/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Project.java @@ -6,6 +6,8 @@ import java.util.List; import com.github.imifou.jsonschema.module.addon.annotation.JsonSchema; +import eu.dnetlib.dhp.oa.model.Indicator; + /** * This is the class representing the Project in the model used for the dumps of the whole graph. At the moment the dump * of the Projects differs from the other dumps because we do not create relations between Funders (Organization) and @@ -68,6 +70,9 @@ public class Project implements Serializable { @JsonSchema(description = "The h2020 programme funding the project") private List h2020programme; + @JsonSchema(description = "Indicators computed for this project, for example UsageCount ones") + private Indicator indicators; + public String getId() { return id; } diff --git a/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Relation.java b/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Relation.java index 9f3832d..ceb0339 100644 --- a/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Relation.java +++ b/dump-schema/src/main/java/eu/dnetlib/dhp/oa/model/graph/Relation.java @@ -15,11 +15,17 @@ import eu.dnetlib.dhp.oa.model.Provenance; * provenance of the relation */ public class Relation implements Serializable { - @JsonSchema(description = "The node source in the relation") - private Node source; + @JsonSchema(description = "The identifier of the source in the relation") + private String source; - @JsonSchema(description = "The node target in the relation") - private Node target; + @JsonSchema(description = "The entity type of the source in the relation") + private String sourceType; + + @JsonSchema(description = "The identifier of the target in the relation") + private String target; + + @JsonSchema(description = "The entity type of the target in the relation") + private String targetType; @JsonSchema(description = "To represent the semantics of a relation between two entities") private RelType reltype; @@ -34,22 +40,42 @@ public class Relation implements Serializable { @JsonSchema(description = "The date when the relation was collected from OpenAIRE") private String validationDate; - public Node getSource() { + public String getSource() { return source; } - public void setSource(Node source) { + public void setSource(String source) { this.source = source; } - public Node getTarget() { + public String getSourceType() { + return sourceType; + } + + public void setSourceType(String sourceType) { + this.sourceType = sourceType; + } + + public String getTarget() { return target; } - public void setTarget(Node target) { + public void setTarget(String target) { this.target = target; } + public String getTargetType() { + return targetType; + } + + public void setTargetType(String targetType) { + this.targetType = targetType; + } + + public boolean isValidated() { + return validated; + } + public RelType getReltype() { return reltype; } @@ -85,13 +111,16 @@ public class Relation implements Serializable { @Override public int hashCode() { - return Objects.hash(source.getId(), target.getId(), reltype.getType() + ":" + reltype.getName()); + return Objects.hash(source, target, reltype.getType() + ":" + reltype.getName()); } - public static Relation newInstance(Node source, Node target, RelType reltype, Provenance provenance) { + public static Relation newInstance(String source, String sourceType, String target, String targetType, + RelType reltype, Provenance provenance) { Relation relation = new Relation(); relation.source = source; + relation.sourceType = sourceType; relation.target = target; + relation.targetType = targetType; relation.reltype = reltype; relation.provenance = provenance; return relation; diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/ResultMapper.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/ResultMapper.java index 9414cda..dd01252 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/ResultMapper.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/ResultMapper.java @@ -8,8 +8,7 @@ import java.util.*; import java.util.stream.Collectors; import org.apache.commons.lang3.StringUtils; -import org.slf4j.Logger; -import org.slf4j.LoggerFactory; +import org.jetbrains.annotations.NotNull; import eu.dnetlib.dhp.oa.graph.dump.exceptions.CardinalityTooHighException; import eu.dnetlib.dhp.oa.graph.dump.exceptions.NoAvailableEntityTypeException; @@ -21,6 +20,7 @@ import eu.dnetlib.dhp.oa.model.Indicator; import eu.dnetlib.dhp.oa.model.Instance; import eu.dnetlib.dhp.oa.model.OpenAccessRoute; import eu.dnetlib.dhp.oa.model.Result; +import eu.dnetlib.dhp.oa.model.Subject; import eu.dnetlib.dhp.oa.model.community.CfHbKeyValue; import eu.dnetlib.dhp.oa.model.community.CommunityInstance; import eu.dnetlib.dhp.oa.model.community.CommunityResult; @@ -30,7 +30,6 @@ import eu.dnetlib.dhp.schema.common.ModelConstants; import eu.dnetlib.dhp.schema.oaf.*; public class ResultMapper implements Serializable { - private static final Logger log = LoggerFactory.getLogger(ResultMapper.class); public static Result map( E in, Map communityMap, String dumpType) @@ -48,279 +47,32 @@ public class ResultMapper implements Serializable { if (ort.isPresent()) { try { - addTypeSpecificInformation(out, input, ort); - - Optional - .ofNullable(input.getAuthor()) - .ifPresent( - ats -> out.setAuthor(ats.stream().map(ResultMapper::getAuthor).collect(Collectors.toList()))); - - // I do not map Access Right UNKNOWN or OTHER - - Optional oar = Optional.ofNullable(input.getBestaccessright()); - if (oar.isPresent() && Constants.ACCESS_RIGHTS_COAR_MAP.containsKey(oar.get().getClassid())) { - String code = Constants.ACCESS_RIGHTS_COAR_MAP.get(oar.get().getClassid()); - out - .setBestaccessright( - - BestAccessRight - .newInstance( - code, - Constants.COAR_CODE_LABEL_MAP.get(code), - Constants.COAR_ACCESS_RIGHT_SCHEMA)); - } - - final List contributorList = new ArrayList<>(); - Optional - .ofNullable(input.getContributor()) - .ifPresent(value -> value.stream().forEach(c -> contributorList.add(c.getValue()))); - out.setContributor(contributorList); - - Optional - .ofNullable(input.getCountry()) - .ifPresent( - value -> out - .setCountry( - value - .stream() - .map( - c -> { - if (c.getClassid().equals((ModelConstants.UNKNOWN))) { - return null; - } - ResultCountry country = new ResultCountry(); - country.setCode(c.getClassid()); - country.setLabel(c.getClassname()); - Optional - .ofNullable(c.getDataInfo()) - .ifPresent( - provenance -> country - .setProvenance( - Provenance - .newInstance( - provenance - .getProvenanceaction() - .getClassname(), - c.getDataInfo().getTrust()))); - return country; - }) - .filter(Objects::nonNull) - .collect(Collectors.toList()))); - - final List coverageList = new ArrayList<>(); - Optional - .ofNullable(input.getCoverage()) - .ifPresent(value -> value.stream().forEach(c -> coverageList.add(c.getValue()))); - out.setCoverage(coverageList); - + addTypeSpecificInformation(out, input, ort.get()); + mapAuthor(out, input); + mapAccessRight(out, input); + mapContributor(out, input); + mapCountry(out, input); + mapCoverage(out, input); out.setDateofcollection(input.getDateofcollection()); - - final List descriptionList = new ArrayList<>(); - Optional - .ofNullable(input.getDescription()) - .ifPresent(value -> value.forEach(d -> descriptionList.add(d.getValue()))); - out.setDescription(descriptionList); - Optional> oStr = Optional.ofNullable(input.getEmbargoenddate()); - if (oStr.isPresent()) { - out.setEmbargoenddate(oStr.get().getValue()); - } - - final List formatList = new ArrayList<>(); - Optional - .ofNullable(input.getFormat()) - .ifPresent(value -> value.stream().forEach(f -> formatList.add(f.getValue()))); - out.setFormat(formatList); - out.setId(input.getId()); - out.setOriginalId(new ArrayList<>()); - Optional - .ofNullable(input.getOriginalId()) - .ifPresent( - v -> out - .setOriginalId( - input - .getOriginalId() - .stream() - .filter(s -> !s.startsWith("50|")) - .collect(Collectors.toList()))); - - Optional> oInst = Optional - .ofNullable(input.getInstance()); - - if (oInst.isPresent()) { - if (Constants.DUMPTYPE.COMPLETE.getType().equals(dumpType)) { - ((GraphResult) out) - .setInstance( - oInst.get().stream().map(ResultMapper::getGraphInstance).collect(Collectors.toList())); - } else { - ((CommunityResult) out) - .setInstance( - oInst - .get() - .stream() - .map(ResultMapper::getCommunityInstance) - .collect(Collectors.toList())); - } - } - - Optional oL = Optional.ofNullable(input.getLanguage()); - if (oL.isPresent()) { - eu.dnetlib.dhp.schema.oaf.Qualifier language = oL.get(); - out.setLanguage(Language.newInstance(language.getClassid(), language.getClassname())); - } - Optional oLong = Optional.ofNullable(input.getLastupdatetimestamp()); - if (oLong.isPresent()) { - out.setLastupdatetimestamp(oLong.get()); - } - Optional> otitle = Optional.ofNullable(input.getTitle()); - if (otitle.isPresent()) { - List iTitle = otitle - .get() - .stream() - .filter(t -> t.getQualifier().getClassid().equalsIgnoreCase("main title")) - .collect(Collectors.toList()); - if (!iTitle.isEmpty()) { - out.setMaintitle(iTitle.get(0).getValue()); - } - - iTitle = otitle - .get() - .stream() - .filter(t -> t.getQualifier().getClassid().equalsIgnoreCase("subtitle")) - .collect(Collectors.toList()); - if (!iTitle.isEmpty()) { - out.setSubtitle(iTitle.get(0).getValue()); - } - - } - - Optional - .ofNullable(input.getPid()) - .ifPresent( - value -> out - .setPid( - value - .stream() - .map( - p -> ResultPid - .newInstance(p.getQualifier().getClassid(), p.getValue())) - .collect(Collectors.toList()))); - - oStr = Optional.ofNullable(input.getDateofacceptance()); - if (oStr.isPresent()) { - out.setPublicationdate(oStr.get().getValue()); - } - oStr = Optional.ofNullable(input.getPublisher()); - if (oStr.isPresent()) { - out.setPublisher(oStr.get().getValue()); - } - - Optional - .ofNullable(input.getSource()) - .ifPresent( - value -> out.setSource(value.stream().map(Field::getValue).collect(Collectors.toList()))); - - List subjectList = new ArrayList<>(); - Optional - .ofNullable(input.getSubject()) - .ifPresent( - value -> value - .stream() - .filter( - s -> !((s.getQualifier().getClassid().equalsIgnoreCase("fos") && - Optional.ofNullable(s.getDataInfo()).isPresent() - && Optional.ofNullable(s.getDataInfo().getProvenanceaction()).isPresent() && - s.getDataInfo().getProvenanceaction().getClassid().equalsIgnoreCase("subject:fos")) - || - (s.getQualifier().getClassid().equalsIgnoreCase("sdg") && - Optional.ofNullable(s.getDataInfo()).isPresent() - && Optional.ofNullable(s.getDataInfo().getProvenanceaction()).isPresent() && - s - .getDataInfo() - .getProvenanceaction() - .getClassid() - .equalsIgnoreCase("subject:sdg")))) - .forEach(s -> subjectList.add(getSubject(s)))); - - out.setSubjects(subjectList); - + mapDescription(out, input); + mapEmbargo(out, input); + mapFormat(out, input); + out.setId(input.getId().substring(3)); + mapOriginalId(out, input); + mapInstance(dumpType, out, input); + mapLanguage(out, input); + mapLastUpdateTimestamp(out, input); + mapTitle(out, input); + mapPid(out, input); + mapDateOfAcceptance(out, input); + mapPublisher(out, input); + mapSource(out, input); + mapSubject(out, input); out.setType(input.getResulttype().getClassid()); - - if (Optional.ofNullable(input.getMeasures()).isPresent() && input.getMeasures().size() > 0) { - - out.setIndicators(getIndicator(input.getMeasures())); - } - + mapMeasure(out, input); if (!Constants.DUMPTYPE.COMPLETE.getType().equals(dumpType)) { - ((CommunityResult) out) - .setCollectedfrom( - input - .getCollectedfrom() - .stream() - .map(cf -> CfHbKeyValue.newInstance(cf.getKey(), cf.getValue())) - .collect(Collectors.toList())); - - Set communities = communityMap.keySet(); - List contextList = Optional - .ofNullable( - input - .getContext()) - .map( - value -> value - .stream() - .map(c -> { - String communityId = c.getId(); - if (communityId.contains("::")) { - communityId = communityId.substring(0, communityId.indexOf("::")); - } - if (communities.contains(communityId)) { - Context context = new Context(); - context.setCode(communityId); - context.setLabel(communityMap.get(communityId)); - Optional> dataInfo = Optional.ofNullable(c.getDataInfo()); - if (dataInfo.isPresent()) { - List provenance = new ArrayList<>(); - provenance - .addAll( - dataInfo - .get() - .stream() - .map( - di -> Optional - .ofNullable(di.getProvenanceaction()) - .map( - provenanceaction -> Provenance - .newInstance( - provenanceaction.getClassname(), - di.getTrust())) - .orElse(null)) - .filter(Objects::nonNull) - .collect(Collectors.toSet())); - - try { - context.setProvenance(getUniqueProvenance(provenance)); - } catch (NoAvailableEntityTypeException e) { - e.printStackTrace(); - } - } - return context; - } - return null; - }) - .filter(Objects::nonNull) - .collect(Collectors.toList())) - .orElse(new ArrayList<>()); - - if (!contextList.isEmpty()) { - Set hashValue = new HashSet<>(); - List remainigContext = new ArrayList<>(); - contextList.forEach(c -> { - if (!hashValue.contains(c.hashCode())) { - remainigContext.add(c); - hashValue.add(c.hashCode()); - } - }); - ((CommunityResult) out).setContext(remainigContext); - } + mapCollectedfrom((CommunityResult) out, input); + mapContext(communityMap, (CommunityResult) out, input); } } catch (ClassCastException cce) { return null; @@ -331,82 +83,325 @@ public class ResultMapper implements Serializable { } - private static Indicator getIndicator(List measures) { - UsageCounts uc = null; - ImpactMeasures im = null; - Indicator i = new Indicator(); - for (eu.dnetlib.dhp.schema.oaf.Measure m : measures) { - switch (m.getId()) { - case USAGE_COUNT_DOWNLOADS: - if (uc == null) { - uc = new UsageCounts(); - i.setUsageCounts(uc); - } - uc.setDownloads(m.getUnit().get(0).getValue()); - break; - case USAGE_COUNT_VIEWS: - if (uc == null) { - uc = new UsageCounts(); - i.setUsageCounts(uc); - } - uc.setViews(m.getUnit().get(0).getValue()); - break; - case IMPACT_POPULARITY: - if (im == null) { - im = new ImpactMeasures(); - i.setImpactMeasures(im); - } - im.setPopularity(getScore(m.getUnit())); - break; - case IMPACT_POPULARITY_ALT: - if (im == null) { - im = new ImpactMeasures(); - i.setImpactMeasures(im); - } - im.setPopularity_alt(getScore(m.getUnit())); - break; - case IMPACT_IMPULSE: - if (im == null) { - im = new ImpactMeasures(); - i.setImpactMeasures(im); - } - im.setImpulse(getScore(m.getUnit())); - break; - case IMPACT_INFLUENCE: - if (im == null) { - im = new ImpactMeasures(); - i.setImpactMeasures(im); - } - im.setInfluence(getScore(m.getUnit())); - break; - case IMPACT_INFLUENCE_ALT: - if (im == null) { - im = new ImpactMeasures(); - i.setImpactMeasures(im); - } - im.setInfluence_alt(getScore(m.getUnit())); - break; - } - } + private static void mapContext(Map communityMap, CommunityResult out, + eu.dnetlib.dhp.schema.oaf.Result input) { + Set communities = communityMap.keySet(); + List contextList = Optional + .ofNullable( + input + .getContext()) + .map( + value -> value + .stream() + .map(c -> { + String communityId = c.getId(); + if (communityId.contains("::")) { + communityId = communityId.substring(0, communityId.indexOf("::")); + } + if (communities.contains(communityId)) { + Context context = new Context(); + context.setCode(communityId); + context.setLabel(communityMap.get(communityId)); + Optional> dataInfo = Optional.ofNullable(c.getDataInfo()); + if (dataInfo.isPresent()) { + List provenance = new ArrayList<>(); + provenance + .addAll( + dataInfo + .get() + .stream() + .map( + di -> Optional + .ofNullable(di.getProvenanceaction()) + .map( + provenanceaction -> Provenance + .newInstance( + provenanceaction.getClassname(), + di.getTrust())) + .orElse(null)) + .filter(Objects::nonNull) + .collect(Collectors.toSet())); - return i; + try { + context.setProvenance(getUniqueProvenance(provenance)); + } catch (NoAvailableEntityTypeException e) { + e.printStackTrace(); + } + } + return context; + } + return null; + }) + .filter(Objects::nonNull) + .collect(Collectors.toList())) + .orElse(new ArrayList<>()); + + if (!contextList.isEmpty()) { + Set hashValue = new HashSet<>(); + List remainigContext = new ArrayList<>(); + contextList.forEach(c -> { + if (!hashValue.contains(c.hashCode())) { + remainigContext.add(c); + hashValue.add(c.hashCode()); + } + }); + out.setContext(remainigContext); + } } - private static Score getScore(List unit) { - Score s = new Score(); - for (KeyValue u : unit) { - if (u.getKey().equals("score")) { - s.setScore(u.getValue()); + private static void mapCollectedfrom(CommunityResult out, eu.dnetlib.dhp.schema.oaf.Result input) { + out + .setCollectedfrom( + input + .getCollectedfrom() + .stream() + .map(cf -> CfHbKeyValue.newInstance(cf.getKey(), cf.getValue())) + .collect(Collectors.toList())); + } + + private static void mapMeasure(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + if (Optional.ofNullable(input.getMeasures()).isPresent() && input.getMeasures().size() > 0) { + + out.setIndicators(Utils.getIndicator(input.getMeasures())); + } + } + + private static void mapSubject(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + List subjectList = new ArrayList<>(); + Optional + .ofNullable(input.getSubject()) + .ifPresent( + value -> value + .stream() + .filter( + s -> !((s.getQualifier().getClassid().equalsIgnoreCase("fos") && + Optional.ofNullable(s.getDataInfo()).isPresent() + && Optional.ofNullable(s.getDataInfo().getProvenanceaction()).isPresent() && + s.getDataInfo().getProvenanceaction().getClassid().equalsIgnoreCase("subject:fos")) + || + (s.getQualifier().getClassid().equalsIgnoreCase("sdg") && + Optional.ofNullable(s.getDataInfo()).isPresent() + && Optional.ofNullable(s.getDataInfo().getProvenanceaction()).isPresent() && + s + .getDataInfo() + .getProvenanceaction() + .getClassid() + .equalsIgnoreCase("subject:sdg")))) + .forEach(s -> subjectList.add(getSubject(s)))); + + out.setSubjects(subjectList); + } + + private static void mapSource(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional + .ofNullable(input.getSource()) + .ifPresent( + value -> out.setSource(value.stream().map(Field::getValue).collect(Collectors.toList()))); + } + + private static void mapPublisher(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional> oStr; + oStr = Optional.ofNullable(input.getPublisher()); + if (oStr.isPresent()) { + out.setPublisher(oStr.get().getValue()); + } + } + + private static void mapDateOfAcceptance(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional> oStr; + oStr = Optional.ofNullable(input.getDateofacceptance()); + if (oStr.isPresent()) { + out.setPublicationdate(oStr.get().getValue()); + } + } + + private static void mapPid(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional + .ofNullable(input.getPid()) + .ifPresent( + value -> out + .setPid( + value + .stream() + .map( + p -> ResultPid + .newInstance(p.getQualifier().getClassid(), p.getValue())) + .collect(Collectors.toList()))); + } + + private static void mapTitle(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional> otitle = Optional.ofNullable(input.getTitle()); + if (otitle.isPresent()) { + List iTitle = otitle + .get() + .stream() + .filter(t -> t.getQualifier().getClassid().equalsIgnoreCase("main title")) + .collect(Collectors.toList()); + if (!iTitle.isEmpty()) { + out.setMaintitle(iTitle.get(0).getValue()); + } + + iTitle = otitle + .get() + .stream() + .filter(t -> t.getQualifier().getClassid().equalsIgnoreCase("subtitle")) + .collect(Collectors.toList()); + if (!iTitle.isEmpty()) { + out.setSubtitle(iTitle.get(0).getValue()); + } + + } + } + + private static void mapLastUpdateTimestamp(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional oLong = Optional.ofNullable(input.getLastupdatetimestamp()); + if (oLong.isPresent()) { + out.setLastupdatetimestamp(oLong.get()); + } + } + + private static void mapLanguage(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional oL = Optional.ofNullable(input.getLanguage()); + if (oL.isPresent()) { + Qualifier language = oL.get(); + out.setLanguage(Language.newInstance(language.getClassid(), language.getClassname())); + } + } + + private static void mapInstance(String dumpType, Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional> oInst = Optional + .ofNullable(input.getInstance()); + + if (oInst.isPresent()) { + if (DUMPTYPE.COMPLETE.getType().equals(dumpType)) { + ((GraphResult) out) + .setInstance( + oInst.get().stream().map(ResultMapper::getGraphInstance).collect(Collectors.toList())); } else { - s.setClazz(u.getValue()); + ((CommunityResult) out) + .setInstance( + oInst + .get() + .stream() + .map(ResultMapper::getCommunityInstance) + .collect(Collectors.toList())); } } - return s; + } + + private static void mapOriginalId(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + out.setOriginalId(new ArrayList<>()); + Optional + .ofNullable(input.getOriginalId()) + .ifPresent( + v -> out + .setOriginalId( + input + .getOriginalId() + .stream() + .filter(s -> !s.startsWith("50|")) + .collect(Collectors.toList()))); + } + + private static void mapFormat(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + final List formatList = new ArrayList<>(); + Optional + .ofNullable(input.getFormat()) + .ifPresent(value -> value.stream().forEach(f -> formatList.add(f.getValue()))); + out.setFormat(formatList); + } + + private static void mapEmbargo(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional> oStr = Optional.ofNullable(input.getEmbargoenddate()); + if (oStr.isPresent()) { + out.setEmbargoenddate(oStr.get().getValue()); + } + } + + private static void mapDescription(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + final List descriptionList = new ArrayList<>(); + Optional + .ofNullable(input.getDescription()) + .ifPresent(value -> value.forEach(d -> descriptionList.add(d.getValue()))); + out.setDescription(descriptionList); + } + + private static void mapCoverage(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + final List coverageList = new ArrayList<>(); + Optional + .ofNullable(input.getCoverage()) + .ifPresent(value -> value.stream().forEach(c -> coverageList.add(c.getValue()))); + out.setCoverage(coverageList); + } + + private static void mapCountry(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional + .ofNullable(input.getCountry()) + .ifPresent( + value -> out + .setCountry( + value + .stream() + .map( + c -> { + if (c.getClassid().equals((ModelConstants.UNKNOWN))) { + return null; + } + ResultCountry country = new ResultCountry(); + country.setCode(c.getClassid()); + country.setLabel(c.getClassname()); + Optional + .ofNullable(c.getDataInfo()) + .ifPresent( + provenance -> country + .setProvenance( + Provenance + .newInstance( + provenance + .getProvenanceaction() + .getClassname(), + c.getDataInfo().getTrust()))); + return country; + }) + .filter(Objects::nonNull) + .collect(Collectors.toList()))); + } + + private static void mapContributor(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + final List contributorList = new ArrayList<>(); + Optional + .ofNullable(input.getContributor()) + .ifPresent(value -> value.stream().forEach(c -> contributorList.add(c.getValue()))); + out.setContributor(contributorList); + } + + private static void mapAccessRight(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + // I do not map Access Right UNKNOWN or OTHER + + Optional oar = Optional.ofNullable(input.getBestaccessright()); + if (oar.isPresent() && Constants.ACCESS_RIGHTS_COAR_MAP.containsKey(oar.get().getClassid())) { + String code = Constants.ACCESS_RIGHTS_COAR_MAP.get(oar.get().getClassid()); + out + .setBestaccessright( + + BestAccessRight + .newInstance( + code, + Constants.COAR_CODE_LABEL_MAP.get(code), + Constants.COAR_ACCESS_RIGHT_SCHEMA)); + } + } + + private static void mapAuthor(Result out, eu.dnetlib.dhp.schema.oaf.Result input) { + Optional + .ofNullable(input.getAuthor()) + .ifPresent( + ats -> out.setAuthor(ats.stream().map(ResultMapper::getAuthor).collect(Collectors.toList()))); } private static void addTypeSpecificInformation(Result out, eu.dnetlib.dhp.schema.oaf.Result input, - Optional ort) throws NoAvailableEntityTypeException { - switch (ort.get().getClassid()) { + eu.dnetlib.dhp.schema.oaf.Qualifier ort) throws NoAvailableEntityTypeException { + switch (ort.getClassid()) { case "publication": Optional journal = Optional .ofNullable(((Publication) input).getJournal()); @@ -547,8 +542,6 @@ public class ResultMapper implements Serializable { Constants.COAR_CODE_LABEL_MAP.get(code), Constants.COAR_ACCESS_RIGHT_SCHEMA)); - Optional> mes = Optional.ofNullable(i.getMeasures()); - if (opAr.get().getOpenAccessRoute() != null) { switch (opAr.get().getOpenAccessRoute()) { case hybrid: diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/Utils.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/Utils.java index 7328ce8..dca42f4 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/Utils.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/Utils.java @@ -1,9 +1,12 @@ package eu.dnetlib.dhp.oa.graph.dump; +import static eu.dnetlib.dhp.oa.graph.dump.Constants.*; + import java.io.BufferedReader; import java.io.IOException; import java.io.InputStreamReader; +import java.util.List; import org.apache.hadoop.fs.FileSystem; import org.apache.hadoop.fs.Path; @@ -12,6 +15,7 @@ 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.jetbrains.annotations.NotNull; import com.fasterxml.jackson.databind.ObjectMapper; import com.google.gson.Gson; @@ -19,9 +23,15 @@ import com.google.gson.Gson; import eu.dnetlib.dhp.common.HdfsSupport; import eu.dnetlib.dhp.oa.graph.dump.community.CommunityMap; import eu.dnetlib.dhp.oa.graph.dump.complete.Constants; +import eu.dnetlib.dhp.oa.model.ImpactMeasures; +import eu.dnetlib.dhp.oa.model.Indicator; +import eu.dnetlib.dhp.oa.model.Score; +import eu.dnetlib.dhp.oa.model.UsageCounts; import eu.dnetlib.dhp.oa.model.graph.GraphResult; import eu.dnetlib.dhp.oa.model.graph.Relation; import eu.dnetlib.dhp.oa.model.graph.ResearchCommunity; +import eu.dnetlib.dhp.schema.oaf.KeyValue; +import eu.dnetlib.dhp.schema.oaf.Measure; import eu.dnetlib.dhp.utils.DHPUtils; import eu.dnetlib.dhp.utils.ISLookupClientFactory; import eu.dnetlib.enabling.is.lookup.rmi.ISLookUpService; @@ -119,18 +129,18 @@ public class Utils { return dumpedIds; } - public static Dataset getValidRelations(SparkSession spark, Dataset relations, + public static Dataset getValidRelations(Dataset relations, Dataset entitiesIds) { Dataset> relationSource = relations .map( - (MapFunction>) r -> new Tuple2<>(r.getSource().getId(), r), + (MapFunction>) r -> new Tuple2<>(r.getSource(), r), Encoders.tuple(Encoders.STRING(), Encoders.bean(Relation.class))); Dataset> relJoinSource = relationSource .joinWith(entitiesIds, relationSource.col("_1").equalTo(entitiesIds.col("value"))) .map( (MapFunction, String>, Tuple2>) t2 -> new Tuple2<>( - t2._1()._2().getTarget().getId(), t2._1()._2()), + t2._1()._2().getTarget(), t2._1()._2()), Encoders.tuple(Encoders.STRING(), Encoders.bean(Relation.class))); return relJoinSource @@ -140,4 +150,64 @@ public class Utils { Encoders.bean(Relation.class)); } + public static Indicator getIndicator(List measures) { + Indicator i = new Indicator(); + for (eu.dnetlib.dhp.schema.oaf.Measure m : measures) { + switch (m.getId()) { + case USAGE_COUNT_DOWNLOADS: + getUsageCounts(i).setDownloads(m.getUnit().get(0).getValue()); + break; + case USAGE_COUNT_VIEWS: + getUsageCounts(i).setViews(m.getUnit().get(0).getValue()); + break; + case IMPACT_POPULARITY: + getImpactMeasure(i).setPopularity(getScore(m.getUnit())); + break; + case IMPACT_POPULARITY_ALT: + getImpactMeasure(i).setPopularity_alt(getScore(m.getUnit())); + break; + case IMPACT_IMPULSE: + getImpactMeasure(i).setImpulse(getScore(m.getUnit())); + break; + case IMPACT_INFLUENCE: + getImpactMeasure(i).setInfluence(getScore(m.getUnit())); + break; + case IMPACT_INFLUENCE_ALT: + getImpactMeasure(i).setInfluence_alt(getScore(m.getUnit())); + break; + default: + break; + } + } + + return i; + } + + @NotNull + private static UsageCounts getUsageCounts(Indicator i) { + if (i.getUsageCounts() == null) { + i.setUsageCounts(new UsageCounts()); + } + return i.getUsageCounts(); + } + + @NotNull + private static ImpactMeasures getImpactMeasure(Indicator i) { + if (i.getImpactMeasures() == null) { + i.setImpactMeasures(new ImpactMeasures()); + } + return i.getImpactMeasures(); + } + + private static Score getScore(List unit) { + Score s = new Score(); + for (KeyValue u : unit) { + if (u.getKey().equals("score")) { + s.setScore(u.getValue()); + } else { + s.setClazz(u.getValue()); + } + } + return s; + } } diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Extractor.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Extractor.java index 1f2d1a4..5bcc571 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Extractor.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Extractor.java @@ -85,7 +85,7 @@ public class Extractor implements Serializable { .orElse(null)) .orElse(null); Relation r = getRelation( - value.getId(), contextId, + value.getId().substring(3), contextId.substring(3), Constants.RESULT_ENTITY, Constants.CONTEXT_ENTITY, ModelConstants.IS_RELATED_TO, ModelConstants.RELATIONSHIP, provenance); @@ -95,7 +95,7 @@ public class Extractor implements Serializable { hashCodes.add(r.hashCode()); } r = getRelation( - contextId, value.getId(), + contextId.substring(3), value.getId().substring(3), Constants.CONTEXT_ENTITY, Constants.RESULT_ENTITY, ModelConstants.IS_RELATED_TO, @@ -164,8 +164,8 @@ public class Extractor implements Serializable { eu.dnetlib.dhp.oa.graph.dump.Constants.HARVESTED, eu.dnetlib.dhp.oa.graph.dump.Constants.DEFAULT_TRUST)); Relation r = getRelation( - value.getId(), - cf.getKey(), Constants.RESULT_ENTITY, Constants.DATASOURCE_ENTITY, + value.getId().substring(3), + cf.getKey().substring(3), Constants.RESULT_ENTITY, Constants.DATASOURCE_ENTITY, resultDatasource, ModelConstants.PROVISION, provenance); if (!hashCodes.contains(r.hashCode())) { @@ -175,7 +175,7 @@ public class Extractor implements Serializable { } r = getRelation( - cf.getKey(), value.getId(), + cf.getKey().substring(3), value.getId().substring(3), Constants.DATASOURCE_ENTITY, Constants.RESULT_ENTITY, datasourceResult, ModelConstants.PROVISION, provenance); @@ -191,8 +191,10 @@ public class Extractor implements Serializable { private static Relation getRelation(String source, String target, String sourceType, String targetType, String relName, String relType, Provenance provenance) { Relation r = new Relation(); - r.setSource(Node.newInstance(source, sourceType)); - r.setTarget(Node.newInstance(target, targetType)); + r.setSource(source); + r.setSourceType(sourceType); + r.setTarget(target); + r.setTargetType(targetType); r.setReltype(RelType.newInstance(relName, relType)); r.setProvenance(provenance); return r; diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Process.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Process.java index 07511a9..55390c6 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Process.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/Process.java @@ -63,10 +63,9 @@ public class Process implements Serializable { .add( Relation .newInstance( - Node - .newInstance( - contextId, eu.dnetlib.dhp.oa.model.graph.Constants.CONTEXT_ENTITY), - Node.newInstance(ds, nodeType), + + contextId, eu.dnetlib.dhp.oa.model.graph.Constants.CONTEXT_ENTITY, + ds, nodeType, RelType.newInstance(ModelConstants.IS_RELATED_TO, ModelConstants.RELATIONSHIP), Provenance .newInstance( @@ -77,10 +76,8 @@ public class Process implements Serializable { .add( Relation .newInstance( - Node.newInstance(ds, nodeType), - Node - .newInstance( - contextId, eu.dnetlib.dhp.oa.model.graph.Constants.CONTEXT_ENTITY), + ds, nodeType, + contextId, eu.dnetlib.dhp.oa.model.graph.Constants.CONTEXT_ENTITY, RelType.newInstance(ModelConstants.IS_RELATED_TO, ModelConstants.RELATIONSHIP), Provenance .newInstance( diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkCollectAndSave.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkCollectAndSave.java index ade2fb9..f6f7c9f 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkCollectAndSave.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkCollectAndSave.java @@ -116,7 +116,7 @@ public class SparkCollectAndSave implements Serializable { .union(Utils.readPath(spark, inputPath + "/relation/context", Relation.class)) .union(Utils.readPath(spark, inputPath + "/relation/relation", Relation.class)); - Utils.getValidRelations(spark, relations, Utils.getEntitiesId(spark, outputPath)) + Utils.getValidRelations(relations, Utils.getEntitiesId(spark, outputPath)) // Dataset relJoinSource = relations // .joinWith(dumpedIds, relations.col("source.id").equalTo(dumpedIds.col("value"))) // .map((MapFunction, Relation>) t2 -> t2._1(), diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpEntitiesJob.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpEntitiesJob.java index ab5eb7c..6f9a0e0 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpEntitiesJob.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpEntitiesJob.java @@ -396,7 +396,7 @@ public class SparkDumpEntitiesJob implements Serializable { Optional .ofNullable(p.getId()) - .ifPresent(id -> project.setId(id)); + .ifPresent(id -> project.setId(id.substring(3))); Optional .ofNullable(p.getWebsiteurl()) @@ -502,6 +502,9 @@ public class SparkDumpEntitiesJob implements Serializable { } project.setFunding(funList); + if (Optional.ofNullable(p.getMeasures()).isPresent()) { + + } return project; } diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpRelationJob.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpRelationJob.java index c39f7c5..5a2c073 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpRelationJob.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkDumpRelationJob.java @@ -84,18 +84,12 @@ public class SparkDumpRelationJob implements Serializable { .map((MapFunction) relation -> { eu.dnetlib.dhp.oa.model.graph.Relation relNew = new eu.dnetlib.dhp.oa.model.graph.Relation(); relNew - .setSource( - Node - .newInstance( - relation.getSource(), - ModelSupport.idPrefixEntity.get(relation.getSource().substring(0, 2)))); + .setSource(relation.getSource().substring(3)); + relNew.setSourceType(ModelSupport.idPrefixEntity.get(relation.getSource().substring(0, 2))); relNew - .setTarget( - Node - .newInstance( - relation.getTarget(), - ModelSupport.idPrefixEntity.get(relation.getTarget().substring(0, 2)))); + .setTarget(relation.getTarget().substring(3)); + relNew.setTargetType(ModelSupport.idPrefixEntity.get(relation.getTarget().substring(0, 2))); relNew .setReltype( diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkOrganizationRelation.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkOrganizationRelation.java index d0ae79d..7a0750f 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkOrganizationRelation.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/complete/SparkOrganizationRelation.java @@ -155,8 +155,9 @@ public class SparkOrganizationRelation implements Serializable { .add( eu.dnetlib.dhp.oa.model.graph.Relation .newInstance( - Node.newInstance(id, Constants.CONTEXT_ENTITY), - Node.newInstance(organization, ModelSupport.idPrefixEntity.get(organization.substring(0, 2))), + id, Constants.CONTEXT_ENTITY, + organization, + ModelSupport.idPrefixEntity.get(organization.substring(0, 2)), RelType.newInstance(ModelConstants.IS_RELATED_TO, ModelConstants.RELATIONSHIP), Provenance .newInstance( @@ -167,8 +168,8 @@ public class SparkOrganizationRelation implements Serializable { .add( eu.dnetlib.dhp.oa.model.graph.Relation .newInstance( - Node.newInstance(organization, ModelSupport.idPrefixEntity.get(organization.substring(0, 2))), - Node.newInstance(id, Constants.CONTEXT_ENTITY), + organization, ModelSupport.idPrefixEntity.get(organization.substring(0, 2)), + id, Constants.CONTEXT_ENTITY, RelType.newInstance(ModelConstants.IS_RELATED_TO, ModelConstants.RELATIONSHIP), Provenance .newInstance( diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelation.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelation.java index 8e1db7b..022d6d6 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelation.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelation.java @@ -73,7 +73,7 @@ public class SparkSelectValidRelation implements Serializable { // read the results getValidRelations( - spark, Utils + Utils .readPath(spark, relationPath, Relation.class), getEntitiesId(spark, inputPath)) diff --git a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelationContext.java b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelationContext.java index 073782d..779c4c2 100644 --- a/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelationContext.java +++ b/dump/src/main/java/eu/dnetlib/dhp/oa/graph/dump/subset/SparkSelectValidRelationContext.java @@ -108,7 +108,7 @@ public class SparkSelectValidRelationContext implements Serializable { .readPath(spark, contextRelationPath + "/context", Relation.class) .union(Utils.readPath(spark, contextRelationPath + "/contextOrg", Relation.class)) .map( - (MapFunction>) r -> new Tuple2<>(r.getSource().getId(), r), + (MapFunction>) r -> new Tuple2<>(r.getSource(), r), Encoders.tuple(Encoders.STRING(), Encoders.bean(Relation.class))); Dataset allowedContext = Utils @@ -118,7 +118,7 @@ public class SparkSelectValidRelationContext implements Serializable { .joinWith(dumpedIds, relationSource.col("_1").equalTo(dumpedIds.col("value"))) .map( (MapFunction, String>, Tuple2>) t2 -> new Tuple2<>( - t2._1()._2().getTarget().getId(), t2._1()._2()), + t2._1()._2().getTarget(), t2._1()._2()), Encoders.tuple(Encoders.STRING(), Encoders.bean(Relation.class))); relJoinSource @@ -135,7 +135,7 @@ public class SparkSelectValidRelationContext implements Serializable { .joinWith(allowedContext, relationSource.col("_1").equalTo(allowedContext.col("id"))) .map( (MapFunction, ResearchCommunity>, Tuple2>) t2 -> new Tuple2<>( - t2._1()._2().getTarget().getId(), t2._1()._2()), + t2._1()._2().getTarget(), t2._1()._2()), Encoders.tuple(Encoders.STRING(), Encoders.bean(Relation.class))); relJoinSource diff --git a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/DumpJobTest.java b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/DumpJobTest.java index a47c572..9f5c05b 100644 --- a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/DumpJobTest.java +++ b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/DumpJobTest.java @@ -356,7 +356,7 @@ public class DumpJobTest { Assertions.assertTrue(null == gr.getGeolocation() || gr.getGeolocation().size() == 0); - Assertions.assertEquals("50|pensoft_____::00ea4a1cd53806a97d62ea6bf268f2a2", gr.getId()); + Assertions.assertEquals("pensoft_____::00ea4a1cd53806a97d62ea6bf268f2a2", gr.getId()); Assertions.assertEquals(1, gr.getOriginalId().size()); Assertions @@ -1028,9 +1028,9 @@ public class DumpJobTest { Assertions.assertTrue(temp.count() == 2); - Assertions.assertTrue(temp.filter("id = '50|datacite____::05c611fdfc93d7a2a703d1324e28104a'").count() == 1); + Assertions.assertTrue(temp.filter("id = 'datacite____::05c611fdfc93d7a2a703d1324e28104a'").count() == 1); - Assertions.assertTrue(temp.filter("id = '50|dedup_wf_001::01e6a28565ca01376b7548e530c6f6e8'").count() == 1); + Assertions.assertTrue(temp.filter("id = 'dedup_wf_001::01e6a28565ca01376b7548e530c6f6e8'").count() == 1); temp = spark .sql( @@ -1043,7 +1043,7 @@ public class DumpJobTest { .assertEquals( "3131.64", temp - .filter("id = '50|datacite____::05c611fdfc93d7a2a703d1324e28104a'") + .filter("id = 'datacite____::05c611fdfc93d7a2a703d1324e28104a'") .collectAsList() .get(0) .getString(1)); @@ -1051,7 +1051,7 @@ public class DumpJobTest { .assertEquals( "EUR", temp - .filter("id = '50|datacite____::05c611fdfc93d7a2a703d1324e28104a'") + .filter("id = 'datacite____::05c611fdfc93d7a2a703d1324e28104a'") .collectAsList() .get(0) .getString(2)); @@ -1060,7 +1060,7 @@ public class DumpJobTest { .assertEquals( "2578.35", temp - .filter("id = '50|dedup_wf_001::01e6a28565ca01376b7548e530c6f6e8'") + .filter("id = 'dedup_wf_001::01e6a28565ca01376b7548e530c6f6e8'") .collectAsList() .get(0) .getString(1)); @@ -1068,7 +1068,7 @@ public class DumpJobTest { .assertEquals( "EUR", temp - .filter("id = '50|dedup_wf_001::01e6a28565ca01376b7548e530c6f6e8'") + .filter("id = 'dedup_wf_001::01e6a28565ca01376b7548e530c6f6e8'") .collectAsList() .get(0) .getString(2)); diff --git a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/CreateRelationTest.java b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/CreateRelationTest.java index c8aa41b..e01cb3e 100644 --- a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/CreateRelationTest.java +++ b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/CreateRelationTest.java @@ -562,7 +562,7 @@ class CreateRelationTest { .assertTrue( rList .stream() - .map(r -> r.getSource().getId()) + .map(r -> r.getSource()) .collect(Collectors.toSet()) .contains( String @@ -579,7 +579,7 @@ class CreateRelationTest { .filter( r -> r .getSource() - .getId() + .equals( String .format( @@ -597,7 +597,7 @@ class CreateRelationTest { .filter( r -> r .getTarget() - .getId() + .equals( String .format( @@ -612,14 +612,14 @@ class CreateRelationTest { .filter( r -> r .getSource() - .getId() + .equals( String .format( "%s|%s::%s", Constants.CONTEXT_ID, Constants.CONTEXT_NS_PREFIX, DHPUtils.md5("dh-ch")))) - .map(r -> r.getTarget().getId()) + .map(r -> r.getTarget()) .collect(Collectors.toSet()); Assertions @@ -657,7 +657,7 @@ class CreateRelationTest { .assertFalse( rList .stream() - .map(r -> r.getSource().getId()) + .map(r -> r.getSource()) .collect(Collectors.toSet()) .contains( String @@ -674,7 +674,7 @@ class CreateRelationTest { .filter( r -> r .getSource() - .getId() + .equals( String .format( @@ -692,7 +692,7 @@ class CreateRelationTest { .filter( r -> r .getTarget() - .getId() + .equals( String .format( @@ -707,14 +707,14 @@ class CreateRelationTest { .filter( r -> r .getSource() - .getId() + .equals( String .format( "%s|%s::%s", Constants.CONTEXT_ID, Constants.CONTEXT_NS_PREFIX, DHPUtils.md5("clarin")))) - .map(r -> r.getTarget().getId()) + .map(r -> r.getTarget()) .collect(Collectors.toSet()); Assertions @@ -723,8 +723,8 @@ class CreateRelationTest { tmp.contains("40|corda_______::ef782b2d85676aa3e5a907427feb18c4")); rList.forEach(rel -> { - if (rel.getSource().getId().startsWith("40|")) { - String proj = rel.getSource().getId().substring(3); + if (rel.getSource().startsWith("40|")) { + String proj = rel.getSource().substring(3); Assertions.assertTrue(proj.substring(0, proj.indexOf("::")).length() == 12); } }); diff --git a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/DumpRelationTest.java b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/DumpRelationTest.java index a768ab1..2ac7afd 100644 --- a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/DumpRelationTest.java +++ b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/DumpRelationTest.java @@ -97,7 +97,7 @@ public class DumpRelationTest { Dataset check = spark .sql( - "SELECT reltype.name, source.id source, source.type stype, target.id target,target.type ttype, provenance.provenance " + "SELECT reltype.name, source, sourceType stype, target,targetType ttype, provenance.provenance " + "from table "); @@ -158,7 +158,7 @@ public class DumpRelationTest { Dataset check = spark .sql( - "SELECT reltype.name, source.id source, source.type stype, target.id target,target.type ttype, provenance.provenance " + "SELECT reltype.name, source, sourceType stype, target,targetType ttype, provenance.provenance " + "from table "); @@ -229,7 +229,7 @@ public class DumpRelationTest { Dataset check = spark .sql( - "SELECT reltype.name, source.id source, source.type stype, target.id target,target.type ttype, provenance.provenance " + "SELECT reltype.name, source, sourceType stype, target,targetType ttype, provenance.provenance " + "from table "); @@ -283,7 +283,7 @@ public class DumpRelationTest { Dataset check = spark .sql( - "SELECT reltype.name, source.id source, source.type stype, target.id target,target.type ttype, provenance.provenance " + "SELECT reltype.name, source, sourceType stype, target,targetType ttype, provenance.provenance " + "from table "); diff --git a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/ExtractRelationFromEntityTest.java b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/ExtractRelationFromEntityTest.java index 49fae57..01a9f5d 100644 --- a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/ExtractRelationFromEntityTest.java +++ b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/complete/ExtractRelationFromEntityTest.java @@ -90,20 +90,22 @@ public class ExtractRelationFromEntityTest { org.apache.spark.sql.Dataset verificationDataset = spark .createDataset(tmp.rdd(), Encoders.bean(Relation.class)); - Assertions - .assertEquals( - 9, - verificationDataset.filter("source.id = '50|dedup_wf_001::15270b996fa8fd2fb5723daeab3685c3'").count()); + verificationDataset.show(false); Assertions .assertEquals( 9, - verificationDataset.filter("source.id = '50|dedup_wf_001::15270b996fa8fd2fb5723daxab3685c3'").count()); + verificationDataset.filter("source = 'dedup_wf_001::15270b996fa8fd2fb5723daeab3685c3'").count()); + + Assertions + .assertEquals( + 9, + verificationDataset.filter("source = 'dedup_wf_001::15270b996fa8fd2fb5723daxab3685c3'").count()); Assertions .assertEquals( "IsRelatedTo", verificationDataset - .filter((FilterFunction) row -> row.getSource().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getSourceType().equals("context")) .collectAsList() .get(0) .getReltype() @@ -112,7 +114,7 @@ public class ExtractRelationFromEntityTest { Assertions .assertEquals( "relationship", verificationDataset - .filter((FilterFunction) row -> row.getSource().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getSourceType().equals("context")) .collectAsList() .get(0) .getReltype() @@ -121,24 +123,22 @@ public class ExtractRelationFromEntityTest { Assertions .assertEquals( "context", verificationDataset - .filter((FilterFunction) row -> row.getSource().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getSourceType().equals("context")) .collectAsList() .get(0) - .getSource() - .getType()); + .getSourceType()); Assertions .assertEquals( "result", verificationDataset - .filter((FilterFunction) row -> row.getSource().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getSourceType().equals("context")) .collectAsList() .get(0) - .getTarget() - .getType()); + .getTargetType()); Assertions .assertEquals( "IsRelatedTo", verificationDataset - .filter((FilterFunction) row -> row.getTarget().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getTargetType().equals("context")) .collectAsList() .get(0) .getReltype() @@ -147,7 +147,7 @@ public class ExtractRelationFromEntityTest { Assertions .assertEquals( "relationship", verificationDataset - .filter((FilterFunction) row -> row.getTarget().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getTargetType().equals("context")) .collectAsList() .get(0) .getReltype() @@ -156,20 +156,18 @@ public class ExtractRelationFromEntityTest { Assertions .assertEquals( "context", verificationDataset - .filter((FilterFunction) row -> row.getTarget().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getTargetType().equals("context")) .collectAsList() .get(0) - .getTarget() - .getType()); + .getTargetType()); Assertions .assertEquals( "result", verificationDataset - .filter((FilterFunction) row -> row.getTarget().getId().startsWith("00")) + .filter((FilterFunction) row -> row.getTargetType().equals("context")) .collectAsList() .get(0) - .getSource() - .getType()); + .getSourceType()); } @Test diff --git a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/subset/DumpSubsetTest.java b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/subset/DumpSubsetTest.java index 0b3c479..a9dcb5e 100644 --- a/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/subset/DumpSubsetTest.java +++ b/dump/src/test/java/eu/dnetlib/dhp/oa/graph/dump/subset/DumpSubsetTest.java @@ -472,19 +472,20 @@ public class DumpSubsetTest { .textFile(workingDir.toString() + "/dump/relation") .map(item -> OBJECT_MAPPER.readValue(item, eu.dnetlib.dhp.oa.model.graph.Relation.class)); + Assertions.assertEquals(10, tmp.count()); - Assertions.assertEquals(5, tmp.filter(r -> r.getSource().getId().startsWith("00")).count()); - Assertions.assertEquals(5, tmp.filter(r -> r.getTarget().getId().startsWith("00")).count()); + Assertions.assertEquals(5, tmp.filter(r -> r.getSourceType().equals("context")).count()); + Assertions.assertEquals(5, tmp.filter(r -> r.getTargetType().equals("context")).count()); - Assertions.assertEquals(2, tmp.filter(r -> r.getSource().getId().startsWith("10")).count()); - Assertions.assertEquals(2, tmp.filter(r -> r.getTarget().getId().startsWith("10")).count()); + Assertions.assertEquals(2, tmp.filter(r -> r.getSourceType().equals("datasource")).count()); + Assertions.assertEquals(2, tmp.filter(r -> r.getTargetType().equals("datasource")).count()); - Assertions.assertEquals(1, tmp.filter(r -> r.getSource().getId().startsWith("40")).count()); - Assertions.assertEquals(1, tmp.filter(r -> r.getTarget().getId().startsWith("40")).count()); + Assertions.assertEquals(1, tmp.filter(r -> r.getSourceType().equals("project")).count()); + Assertions.assertEquals(1, tmp.filter(r -> r.getTargetType().equals("project")).count()); - Assertions.assertEquals(2, tmp.filter(r -> r.getSource().getId().startsWith("20")).count()); - Assertions.assertEquals(2, tmp.filter(r -> r.getTarget().getId().startsWith("20")).count()); + Assertions.assertEquals(2, tmp.filter(r -> r.getSourceType().equals("organization")).count()); + Assertions.assertEquals(2, tmp.filter(r -> r.getTargetType().equals("organization")).count()); } @@ -514,9 +515,9 @@ public class DumpSubsetTest { Assertions.assertEquals(102, tmp.count()); - Assertions.assertEquals(51, tmp.filter(r -> r.getSource().getId().startsWith("50|")).count()); - Assertions.assertEquals(39, tmp.filter(r -> r.getSource().getId().startsWith("10|")).count()); - Assertions.assertEquals(12, tmp.filter(r -> r.getSource().getId().startsWith("00|")).count()); + Assertions.assertEquals(51, tmp.filter(r -> r.getSourceType().equals("result") ).count()); + Assertions.assertEquals(39, tmp.filter(r -> r.getSourceType().equals("datasource")).count()); + Assertions.assertEquals(12, tmp.filter(r -> r.getSourceType().equals("context")).count()); } } diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/community_infrastructure b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/community_infrastructure index d72fa66..cc7566b 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/community_infrastructure +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/community_infrastructure @@ -1,6 +1,6 @@ -{"id":"00|context_____::e15922110564cf669aaed346e871bc01","acronym":"eutopia","name":"EUTOPIA Open Research Portal","type":"Research Community","description":"

EUTOPIA is an ambitious alliance of 10 like-minded universities ready to reinvent themselves: the Babeș-Bolyai University in Cluj-Napoca (Romania), the Vrije Universiteit Brussels (Belgium), the Ca'Foscari University of Europe (Italy), CY Cergy Paris Université (France), the Technische Universität Dresden (Germany), the University of Gothenburg (Sweden), the University of Ljubljana (Slovenia), the NOVA University Lisbon (Portugal), the University of Pompeu Fabra (Spain) and the University of Warwick (United Kingdom). Together, these 10 pioneers join forces to build the university of the future.

","zenodo_community":null} -{"id":"00|context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","acronym":"enermaps","name":"Welcome to EnerMaps Gateway! Find the latest scientific data.","type":"Research Community","description":"","zenodo_community":null,"subject":[]} -{"id":"00|context_____::6f567d9abd1c6603b0c0205a832bc757","acronym":"neanias-underwater","name":"NEANIAS Underwater Research Community","type":"Research Community","description":"","zenodo_community":null,"subject":["Ocean mapping","Multibeam Backscatter","Bathymetry","Seabed classification","Submarine Geomorphology","Underwater Photogrammetry"]} -{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","acronym":"dh-ch","name":"Digital Humanities and Cultural Heritage","type":"Research Community","description":"This community gathers research results, data, scientific publications and projects related to the domain of Digital Humanities. This broad definition includes Humanities, Cultural Heritage, History, Archaeology and related fields.","zenodo_community":"https://zenodo.org/communities/oac_dh-ch","subject":["modern art","monuments","europeana data model","field walking","frescoes","LIDO metadata schema","art history","excavation","Arts and Humanities General","coins","temples","numismatics","lithics","environmental archaeology","digital cultural heritage","archaeological reports","history","CRMba","churches","cultural heritage","archaeological stratigraphy","religious art","digital humanities","archaeological sites","linguistic studies","bioarchaeology","architectural orders","palaeoanthropology","fine arts","europeana","CIDOC CRM","decorations","classic art","stratigraphy","digital archaeology","intangible cultural heritage","walls","chapels","CRMtex","Language and Literature","paintings","archaeology","mosaics","burials","medieval art","castles","CARARE metadata schema","statues","natural language processing","inscriptions","CRMsci","vaults","contemporary art","Arts and Humanities","CRMarchaeo","pottery"]} -{"id":"00|context_____::5fde864866ea5ded4cc873b3170b63c3","acronym":"beopen","name":"Transport Research","type":"Research Community","description":"Welcome to the Open Research Gateway for Transport Research. This gateway is part of the TOPOS Observatory (https://www.topos-observatory.eu). The TOPOS aims to showcase the status and progress of open science uptake in transport research. It focuses on promoting territorial and cross border cooperation and contributing in the optimization of open science in transport research.\nThe TOPOS Observatory is supported by the EC H2020 BEOPEN project (824323)","zenodo_community":"https://zenodo.org/communities/be-open-transport","subject":["Green Transport","City mobility systems","Vulnerable road users","Traffic engineering","Transport electrification","Intermodal freight transport","Clean vehicle fleets","Intelligent mobility","Inflight refueling","District mobility systems","Navigation and control systems for optimised planning and routing","European Space Technology Platform","European Transport networks","Green cars","Inter-modality infrastructures","Advanced Take Off and Landing Ideas","Sustainable urban systems","port-area railway networks","Innovative forms of urban transport","Alliance for Logistics Innovation through Collaboration in Europe","Advisory Council for Aeronautics Research in Europe","Mobility services for people and goods","Guidance and traffic management","Passenger mobility","Smart mobility and services","transport innovation","high-speed railway","Vehicle design","Inland shipping","public transportation","aviation’s climate impact","Road transport","On-demand public transport","Personal Air Transport","Pipeline transport","European Association of Aviation Training and Education Organisations","Defrosting of railway infrastructure","Inclusive and affordable transport","River Information Services","jel:L92","Increased use of public transport","Seamless mobility","STRIA","trolleybus transport","Intelligent Transport System","Low-emission alternative energy for transport","Shared mobility for people and goods","Business model for urban mobility","Interoperability of transport systems","Cross-border train slot booking","Air transport","Transport pricing","Sustainable transport","European Rail Transport Research Advisory Council","Alternative aircraft configurations","Railways applications","urban transport","Environmental impact of transport","urban freight delivery systems","Automated Road Transport","Alternative fuels in public transport","Active LIDAR-sensor for GHG-measurements","Autonomous logistics operations","Rational use of motorised transport","Network and traffic management systems","electrification of railway wagons","Single European Sky","Electrified road systems","Railway dynamics","Motorway of the Sea","smart railway communications","Maritime transport","Environmental- friendly transport","Combined transport","Connected automated driving technology","Innovative freight logistics services","automated and shared vehicles","Alternative Aircraft Systems","Land-use and transport interaction","Public transport system","Business plan for shared mobility","Shared mobility","Growing of mobility demand","European Road Transport Research Advisory Council","WATERBORNE ETP","Effective transport management system","Short Sea Shipping","air traffic management","Sea hubs and the motorways of the sea","Urban mobility solutions","Smart city planning","Maritime spatial planning","EUropean rail Research Network of Excellence","ENERGY CONSUMPTION BY THE TRANSPORT SECTOR","Integrated urban plan","inland waterway services","European Conference of Transport Research Institutes","air vehicles","E-freight","Automated Driving","Automated ships","pricing for cross-border passenger transport","Vehicle efficiency","Railway transport","Electric vehicles","Road traffic monitoring","Deep sea shipping","Circular economy in transport","Traffic congestion","air transport system","Urban logistics","Rail transport","OpenStreetMap","high speed rail","Transportation engineering","Intermodal travel information","Flight Data Recorders","Advanced driver assistance systems","long distance freight transport","Inland waterway transport","Smart mobility","Mobility integration","Personal Rapid Transit system","Safety measures & requirements for roads","Green rail transport","Vehicle manufacturing","Future Airport Layout","Rail technologies","European Intermodal Research Advisory Council","inland navigation","Automated urban vehicles","ECSS-standards","Traveller services","Polluting transport","Air Traffic Control","Cooperative and connected and automated transport","Innovative powertrains","Quality of transport system and services","door-to- door logistics chain","Inter-modal aspects of urban mobility","Innovative freight delivery systems","urban freight delivery infrastructures"]} -{"id":"00|context_____::a38bf77184799906a6ce86b9eb761c80","acronym":"sdsn-gr","name":"Sustainable Development Solutions Network - Greece","type":"Research Community","description":"The UN Sustainable Development Solutions Network (SDSN) has been operating since 2012 under the auspices of the UN Secretary-General. SDSN mobilizes global scientific and technological expertise to promote practical solutions for sustainable development, including the implementation of the Sustainable Development Goals (SDGs) and the Paris Climate Agreement. The Greek hub of SDSN has been included in the SDSN network in 2017 and is co-hosted by ICRE8: International Center for Research on the Environment and the Economy and the Political Economy of Sustainable Development Lab.","zenodo_community":"https://zenodo.org/communities/oac_sdsn-greece","subject":["SDG13 - Climate action","SDG8 - Decent work and economic\n\t\t\t\t\tgrowth","SDG15 - Life on land","SDG2 - Zero hunger","SDG17 - Partnerships for the\n\t\t\t\t\tgoals","SDG10 - Reduced inequalities","SDG5 - Gender equality","SDG12 - Responsible\n\t\t\t\t\tconsumption and production","SDG14 - Life below water","SDG6 - Clean water and\n\t\t\t\t\tsanitation","SDG11 - Sustainable cities and communities","SDG1 - No poverty","SDG3 -\n\t\t\t\t\tGood health and well being","SDG7 - Affordable and clean energy","SDG4 - Quality\n\t\t\t\t\teducation","SDG9 - Industry innovation and infrastructure","SDG16 - Peace justice\n\t\t\t\t\tand strong institutions"]} \ No newline at end of file +{"id":"context_____::e15922110564cf669aaed346e871bc01","acronym":"eutopia","name":"EUTOPIA Open Research Portal","type":"Research Community","description":"

EUTOPIA is an ambitious alliance of 10 like-minded universities ready to reinvent themselves: the Babeș-Bolyai University in Cluj-Napoca (Romania), the Vrije Universiteit Brussels (Belgium), the Ca'Foscari University of Europe (Italy), CY Cergy Paris Université (France), the Technische Universität Dresden (Germany), the University of Gothenburg (Sweden), the University of Ljubljana (Slovenia), the NOVA University Lisbon (Portugal), the University of Pompeu Fabra (Spain) and the University of Warwick (United Kingdom). Together, these 10 pioneers join forces to build the university of the future.

","zenodo_community":null} +{"id":"context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","acronym":"enermaps","name":"Welcome to EnerMaps Gateway! Find the latest scientific data.","type":"Research Community","description":"","zenodo_community":null,"subject":[]} +{"id":"context_____::6f567d9abd1c6603b0c0205a832bc757","acronym":"neanias-underwater","name":"NEANIAS Underwater Research Community","type":"Research Community","description":"","zenodo_community":null,"subject":["Ocean mapping","Multibeam Backscatter","Bathymetry","Seabed classification","Submarine Geomorphology","Underwater Photogrammetry"]} +{"id":"context_____::04a00617ca659adc944977ac700ea14b","acronym":"dh-ch","name":"Digital Humanities and Cultural Heritage","type":"Research Community","description":"This community gathers research results, data, scientific publications and projects related to the domain of Digital Humanities. This broad definition includes Humanities, Cultural Heritage, History, Archaeology and related fields.","zenodo_community":"https://zenodo.org/communities/oac_dh-ch","subject":["modern art","monuments","europeana data model","field walking","frescoes","LIDO metadata schema","art history","excavation","Arts and Humanities General","coins","temples","numismatics","lithics","environmental archaeology","digital cultural heritage","archaeological reports","history","CRMba","churches","cultural heritage","archaeological stratigraphy","religious art","digital humanities","archaeological sites","linguistic studies","bioarchaeology","architectural orders","palaeoanthropology","fine arts","europeana","CIDOC CRM","decorations","classic art","stratigraphy","digital archaeology","intangible cultural heritage","walls","chapels","CRMtex","Language and Literature","paintings","archaeology","mosaics","burials","medieval art","castles","CARARE metadata schema","statues","natural language processing","inscriptions","CRMsci","vaults","contemporary art","Arts and Humanities","CRMarchaeo","pottery"]} +{"id":"context_____::5fde864866ea5ded4cc873b3170b63c3","acronym":"beopen","name":"Transport Research","type":"Research Community","description":"Welcome to the Open Research Gateway for Transport Research. This gateway is part of the TOPOS Observatory (https://www.topos-observatory.eu). The TOPOS aims to showcase the status and progress of open science uptake in transport research. It focuses on promoting territorial and cross border cooperation and contributing in the optimization of open science in transport research.\nThe TOPOS Observatory is supported by the EC H2020 BEOPEN project (824323)","zenodo_community":"https://zenodo.org/communities/be-open-transport","subject":["Green Transport","City mobility systems","Vulnerable road users","Traffic engineering","Transport electrification","Intermodal freight transport","Clean vehicle fleets","Intelligent mobility","Inflight refueling","District mobility systems","Navigation and control systems for optimised planning and routing","European Space Technology Platform","European Transport networks","Green cars","Inter-modality infrastructures","Advanced Take Off and Landing Ideas","Sustainable urban systems","port-area railway networks","Innovative forms of urban transport","Alliance for Logistics Innovation through Collaboration in Europe","Advisory Council for Aeronautics Research in Europe","Mobility services for people and goods","Guidance and traffic management","Passenger mobility","Smart mobility and services","transport innovation","high-speed railway","Vehicle design","Inland shipping","public transportation","aviation’s climate impact","Road transport","On-demand public transport","Personal Air Transport","Pipeline transport","European Association of Aviation Training and Education Organisations","Defrosting of railway infrastructure","Inclusive and affordable transport","River Information Services","jel:L92","Increased use of public transport","Seamless mobility","STRIA","trolleybus transport","Intelligent Transport System","Low-emission alternative energy for transport","Shared mobility for people and goods","Business model for urban mobility","Interoperability of transport systems","Cross-border train slot booking","Air transport","Transport pricing","Sustainable transport","European Rail Transport Research Advisory Council","Alternative aircraft configurations","Railways applications","urban transport","Environmental impact of transport","urban freight delivery systems","Automated Road Transport","Alternative fuels in public transport","Active LIDAR-sensor for GHG-measurements","Autonomous logistics operations","Rational use of motorised transport","Network and traffic management systems","electrification of railway wagons","Single European Sky","Electrified road systems","Railway dynamics","Motorway of the Sea","smart railway communications","Maritime transport","Environmental- friendly transport","Combined transport","Connected automated driving technology","Innovative freight logistics services","automated and shared vehicles","Alternative Aircraft Systems","Land-use and transport interaction","Public transport system","Business plan for shared mobility","Shared mobility","Growing of mobility demand","European Road Transport Research Advisory Council","WATERBORNE ETP","Effective transport management system","Short Sea Shipping","air traffic management","Sea hubs and the motorways of the sea","Urban mobility solutions","Smart city planning","Maritime spatial planning","EUropean rail Research Network of Excellence","ENERGY CONSUMPTION BY THE TRANSPORT SECTOR","Integrated urban plan","inland waterway services","European Conference of Transport Research Institutes","air vehicles","E-freight","Automated Driving","Automated ships","pricing for cross-border passenger transport","Vehicle efficiency","Railway transport","Electric vehicles","Road traffic monitoring","Deep sea shipping","Circular economy in transport","Traffic congestion","air transport system","Urban logistics","Rail transport","OpenStreetMap","high speed rail","Transportation engineering","Intermodal travel information","Flight Data Recorders","Advanced driver assistance systems","long distance freight transport","Inland waterway transport","Smart mobility","Mobility integration","Personal Rapid Transit system","Safety measures & requirements for roads","Green rail transport","Vehicle manufacturing","Future Airport Layout","Rail technologies","European Intermodal Research Advisory Council","inland navigation","Automated urban vehicles","ECSS-standards","Traveller services","Polluting transport","Air Traffic Control","Cooperative and connected and automated transport","Innovative powertrains","Quality of transport system and services","door-to- door logistics chain","Inter-modal aspects of urban mobility","Innovative freight delivery systems","urban freight delivery infrastructures"]} +{"id":"context_____::a38bf77184799906a6ce86b9eb761c80","acronym":"sdsn-gr","name":"Sustainable Development Solutions Network - Greece","type":"Research Community","description":"The UN Sustainable Development Solutions Network (SDSN) has been operating since 2012 under the auspices of the UN Secretary-General. SDSN mobilizes global scientific and technological expertise to promote practical solutions for sustainable development, including the implementation of the Sustainable Development Goals (SDGs) and the Paris Climate Agreement. The Greek hub of SDSN has been included in the SDSN network in 2017 and is co-hosted by ICRE8: International Center for Research on the Environment and the Economy and the Political Economy of Sustainable Development Lab.","zenodo_community":"https://zenodo.org/communities/oac_sdsn-greece","subject":["SDG13 - Climate action","SDG8 - Decent work and economic\n\t\t\t\t\tgrowth","SDG15 - Life on land","SDG2 - Zero hunger","SDG17 - Partnerships for the\n\t\t\t\t\tgoals","SDG10 - Reduced inequalities","SDG5 - Gender equality","SDG12 - Responsible\n\t\t\t\t\tconsumption and production","SDG14 - Life below water","SDG6 - Clean water and\n\t\t\t\t\tsanitation","SDG11 - Sustainable cities and communities","SDG1 - No poverty","SDG3 -\n\t\t\t\t\tGood health and well being","SDG7 - Affordable and clean energy","SDG4 - Quality\n\t\t\t\t\teducation","SDG9 - Industry innovation and infrastructure","SDG16 - Peace justice\n\t\t\t\t\tand strong institutions"]} \ No newline at end of file diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/datasource b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/datasource index 5f5a354..3c1f311 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/datasource +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/datasource @@ -1,4 +1,4 @@ -{"id":"10|doajarticles::9c4b678901e5276d9e3addee566816af","originalId":["doajarticles::1798-355X"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"not available","officialname":"Pelitutkimuksen vuosikirja","englishname":"Pelitutkimuksen vuosikirja","websiteurl":"http://www.pelitutkimus.fi","logourl":null,"dateofvalidation":null,"description":null,"subjects":["Geography. Anthropology. Recreation: Recreation. Leisure | Science: Mathematics: Instruments and machines: Electronic computers. Computer science: Computer software"],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} -{"id":"10|doajarticles::acb7c79bb85d3b3a7b75389f5d9570f5","originalId":["doajarticles::1879-9337"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"collected from a compatible aggregator","officialname":"Review of Development Finance","englishname":"Review of Development Finance","websiteurl":"http://www.journals.elsevier.com/review-of-development-finance/","logourl":null,"dateofvalidation":null,"description":null,"subjects":["Social Sciences: Industries. Land use. Labor: Economic growth, development, planning | Social Sciences: Finance"],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} -{"id":"10|doajarticles::1fa6859d71faa77b32d82f278c6ed1df","originalId":["doajarticles::1048-9533"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"collected from a compatible aggregator","officialname":"Journal of Applied Mathematics and Stochastic Analysis","englishname":"Journal of Applied Mathematics and Stochastic Analysis","websiteurl":"https://www.hindawi.com/journals/jamsa","logourl":null,"dateofvalidation":null,"description":null,"subjects":[],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} -{"id":"10|doajarticles::a5314b60f79b869cb5d3a2709167bc3a","originalId":["doajarticles::0322-788X"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"collected from a compatible aggregator","officialname":"Statistika: Statistics and Economy Journal","englishname":"Statistika: Statistics and Economy Journal","websiteurl":"http://www.czso.cz/statistika_journal","logourl":null,"dateofvalidation":null,"description":null,"subjects":["Social Sciences: Statistics"],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} \ No newline at end of file +{"id":"doajarticles::9c4b678901e5276d9e3addee566816af","originalId":["doajarticles::1798-355X"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"not available","officialname":"Pelitutkimuksen vuosikirja","englishname":"Pelitutkimuksen vuosikirja","websiteurl":"http://www.pelitutkimus.fi","logourl":null,"dateofvalidation":null,"description":null,"subjects":["Geography. Anthropology. Recreation: Recreation. Leisure | Science: Mathematics: Instruments and machines: Electronic computers. Computer science: Computer software"],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} +{"id":"doajarticles::acb7c79bb85d3b3a7b75389f5d9570f5","originalId":["doajarticles::1879-9337"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"collected from a compatible aggregator","officialname":"Review of Development Finance","englishname":"Review of Development Finance","websiteurl":"http://www.journals.elsevier.com/review-of-development-finance/","logourl":null,"dateofvalidation":null,"description":null,"subjects":["Social Sciences: Industries. Land use. Labor: Economic growth, development, planning | Social Sciences: Finance"],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} +{"id":"doajarticles::1fa6859d71faa77b32d82f278c6ed1df","originalId":["doajarticles::1048-9533"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"collected from a compatible aggregator","officialname":"Journal of Applied Mathematics and Stochastic Analysis","englishname":"Journal of Applied Mathematics and Stochastic Analysis","websiteurl":"https://www.hindawi.com/journals/jamsa","logourl":null,"dateofvalidation":null,"description":null,"subjects":[],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} +{"id":"doajarticles::a5314b60f79b869cb5d3a2709167bc3a","originalId":["doajarticles::0322-788X"],"pid":[],"datasourcetype":{"scheme":"pubsrepository::journal","value":"Journal"},"openairecompatibility":"collected from a compatible aggregator","officialname":"Statistika: Statistics and Economy Journal","englishname":"Statistika: Statistics and Economy Journal","websiteurl":"http://www.czso.cz/statistika_journal","logourl":null,"dateofvalidation":null,"description":null,"subjects":["Social Sciences: Statistics"],"languages":[],"contenttypes":["Journal articles"],"releasestartdate":null,"releaseenddate":null,"missionstatementurl":null,"accessrights":null,"uploadrights":null,"databaseaccessrestriction":null,"datauploadrestriction":null,"versioning":false,"citationguidelineurl":null,"pidsystems":null,"certificates":null,"policies":[],"journal":null} \ No newline at end of file diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/organization b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/organization index da634c2..5e728c5 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/organization +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/organization @@ -1,3 +1,3 @@ -{"legalshortname":"SHoF","legalname":"Swedish House of Finance","websiteurl":"http://houseoffinance.se/","alternativenames":["SHoF"],"country":{"code":"SE","label":"Sweden"},"id":"20|grid________::87698402476531ba39e61f1df38f2a91","pid":[{"scheme":"grid","value":"grid.451954.8"}]} -{"legalshortname":"Korean Elementary Moral Education Society","legalname":"Korean Elementary Moral Education Society","websiteurl":"http://www.ethics.or.kr/","alternativenames":["한국초등도덕교육학회"],"country":{"code":"KR","label":"Korea (Republic of)"},"id":"20|grid________::bd5cbea5dc434b8fd811a880cb9d4a05","pid":[{"scheme":"grid","value":"grid.496778.3"}]} -{"legalshortname":"NHC","legalname":"National Health Council","websiteurl":"http://www.nationalhealthcouncil.org/","alternativenames":["NHC"],"country":{"code":"US","label":"United States"},"id":"20|grid________::94948cc036605bf4a00ec77ce5ca92d3","pid":[{"scheme":"grid","value":"grid.487707.b"}]} \ No newline at end of file +{"legalshortname":"SHoF","legalname":"Swedish House of Finance","websiteurl":"http://houseoffinance.se/","alternativenames":["SHoF"],"country":{"code":"SE","label":"Sweden"},"id":"grid________::87698402476531ba39e61f1df38f2a91","pid":[{"scheme":"grid","value":"grid.451954.8"}]} +{"legalshortname":"Korean Elementary Moral Education Society","legalname":"Korean Elementary Moral Education Society","websiteurl":"http://www.ethics.or.kr/","alternativenames":["한국초등도덕교육학회"],"country":{"code":"KR","label":"Korea (Republic of)"},"id":"grid________::bd5cbea5dc434b8fd811a880cb9d4a05","pid":[{"scheme":"grid","value":"grid.496778.3"}]} +{"legalshortname":"NHC","legalname":"National Health Council","websiteurl":"http://www.nationalhealthcouncil.org/","alternativenames":["NHC"],"country":{"code":"US","label":"United States"},"id":"grid________::94948cc036605bf4a00ec77ce5ca92d3","pid":[{"scheme":"grid","value":"grid.487707.b"}]} \ No newline at end of file diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/project b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/project index d09314b..549a83d 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/project +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/project @@ -1,3 +1,3 @@ -{"id":"40|aka_________::01bb7b48e29d732a1c7bc5150b9195c4","websiteurl":null,"code":"135027","acronym":null,"title":"Dynamic 3D resolution-enhanced low-coherence interferometric imaging / Consortium: Hi-Lo","startdate":null,"enddate":null,"callidentifier":"Fotoniikka ja modernit kuvantamismenetelmät LT","keywords":null,"openaccessmandateforpublications":false,"openaccessmandatefordataset":false,"subject":[],"funding":[{"shortName":"AKA","name":"Academy of Finland","jurisdiction":"FI","funding_stream":null}],"summary":null,"granted":null,"h2020programme":[]} -{"id":"40|aka_________::9d1af21dbd0f5bc719f71553d19a6b3a","websiteurl":null,"code":"316061","acronym":null,"title":"Finnish Imaging of Degenerative Shoulder Study (FIMAGE): A study on the prevalence of degenerative imaging changes of the shoulder and their relevance to clinical symptoms in the general population.","startdate":null,"enddate":null,"callidentifier":"Academy Project Funding TT","keywords":null,"openaccessmandateforpublications":false,"openaccessmandatefordataset":false,"subject":[],"funding":[{"shortName":"AKA","name":"Academy of Finland","jurisdiction":"FI","funding_stream":null}],"summary":null,"granted":null,"h2020programme":[]} -{"id":"40|anr_________::1f21edc5c902be305ee47148955c6e50","websiteurl":null,"code":"ANR-17-CE05-0033","acronym":"MOISE","title":"METAL OXIDES AS LOW LOADED NANO-IRIDIUM SUPPORT FOR COMPETITIVE WATER ELECTROLYSIS","startdate":null,"enddate":null,"callidentifier":null,"keywords":null,"openaccessmandateforpublications":false,"openaccessmandatefordataset":false,"subject":[],"funding":[{"shortName":"ANR","name":"French National Research Agency (ANR)","jurisdiction":"FR","funding_stream":null}],"summary":null,"granted":null,"h2020programme":[]} \ No newline at end of file +{"id":"aka_________::01bb7b48e29d732a1c7bc5150b9195c4","websiteurl":null,"code":"135027","acronym":null,"title":"Dynamic 3D resolution-enhanced low-coherence interferometric imaging / Consortium: Hi-Lo","startdate":null,"enddate":null,"callidentifier":"Fotoniikka ja modernit kuvantamismenetelmät LT","keywords":null,"openaccessmandateforpublications":false,"openaccessmandatefordataset":false,"subject":[],"funding":[{"shortName":"AKA","name":"Academy of Finland","jurisdiction":"FI","funding_stream":null}],"summary":null,"granted":null,"h2020programme":[]} +{"id":"aka_________::9d1af21dbd0f5bc719f71553d19a6b3a","websiteurl":null,"code":"316061","acronym":null,"title":"Finnish Imaging of Degenerative Shoulder Study (FIMAGE): A study on the prevalence of degenerative imaging changes of the shoulder and their relevance to clinical symptoms in the general population.","startdate":null,"enddate":null,"callidentifier":"Academy Project Funding TT","keywords":null,"openaccessmandateforpublications":false,"openaccessmandatefordataset":false,"subject":[],"funding":[{"shortName":"AKA","name":"Academy of Finland","jurisdiction":"FI","funding_stream":null}],"summary":null,"granted":null,"h2020programme":[]} +{"id":"anr_________::1f21edc5c902be305ee47148955c6e50","websiteurl":null,"code":"ANR-17-CE05-0033","acronym":"MOISE","title":"METAL OXIDES AS LOW LOADED NANO-IRIDIUM SUPPORT FOR COMPETITIVE WATER ELECTROLYSIS","startdate":null,"enddate":null,"callidentifier":null,"keywords":null,"openaccessmandateforpublications":false,"openaccessmandatefordataset":false,"subject":[],"funding":[{"shortName":"ANR","name":"French National Research Agency (ANR)","jurisdiction":"FR","funding_stream":null}],"summary":null,"granted":null,"h2020programme":[]} \ No newline at end of file diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/publication b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/publication index 0af68b8..aadfe07 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/publication +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/dump/publication @@ -1,15 +1,15 @@ -{"author":[{"fullname":"van Someren, Christian","name":"Christian","surname":"van Someren","rank":1,"pid":null}],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"energieproductie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Management"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Monitoring"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Policy and Law"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Energie interventies en gedrag"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"publieke ondersteuning en communicatie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Professional practice & society"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Energie opwek","description":["Over het Energieakkoord. In het energieakkoord voor duurzame groei is afgesproken dat in 2020 14 procent van de opwek hernieuwbaar moet zijn en in 2023 16 procent. De doelstelling is een uitdagende opgave waarbij de eerste vraag is: \"Hoeveel hernieuwbare energie wordt er op dit moment opgewekt in Nederland?\" Deze website geeft antwoord op de vraag voor de actueel opgewekte windenergie, zonne-energie en biogas."],"publicationdate":"2016-11-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|DansKnawCris::3c81248c335f0aa07e06817ece6fa6af","originalId":["DansKnawCris::3c81248c335f0aa07e06817ece6fa6af"],"pid":[{"scheme":"urn","value":"urn:nbn:nl:hs:18-813a5dfa-4fd0-44c4-8cbf-310324dc724d"},{"scheme":"urn","value":"urn:nbn:nl:hs:18-813a5dfa-4fd0-44c4-8cbf-310324dc724d"}],"dateofcollection":"","lastupdatetimestamp":1591282663379,"instance":[{"accessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Other literature type","url":["http://energieopwek.nl/"],"publicationdate":"2016-11-01"}]} -{"author":[],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Vlaardingen"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Plangebied Het Hof en Oranjepark : gemeente Vlaardingen : archeologisch vooronderzoek: een inventariserend veldonderzoek (verkennende fase)","description":["Met lit. opg"],"publicationdate":"2010-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|DansKnawCris::4669a378a73661417182c208e6fdab53","originalId":["DansKnawCris::4669a378a73661417182c208e6fdab53"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceFullCatalogue&search=priref=800007467"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceFullCatalogue&search=priref=800007467"}],"dateofcollection":"","lastupdatetimestamp":1591282758835,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2010-01-01"}]} -{"author":[],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"prospectie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Honselersdijk tracé persleiding (gemeente Westland) : een bureauonderzoek en inventariserend veldonderzoek in de vorm van een verkennend en karterend booronderzoek","description":["Lit.opg."],"publicationdate":"2008-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|DansKnawCris::52c4541c9bffde34daa945ece8dcf635","originalId":["DansKnawCris::52c4541c9bffde34daa945ece8dcf635"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550013915"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550013915"}],"dateofcollection":"","lastupdatetimestamp":1591283000091,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2008-01-01"}]} -{"author":[],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Archeologisch onderzoek plangebied Akker-Boekenderweg te Thorn","description":[],"publicationdate":"2012-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|DansKnawCris::794d07c2e66f1fbf07d61b9bfca36dc2","originalId":["DansKnawCris::794d07c2e66f1fbf07d61b9bfca36dc2"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550028404"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550028404"}],"dateofcollection":"","lastupdatetimestamp":1591282847497,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2012-01-01"}]} -{"author":[{"fullname":"Zwieten, van, P.A.M.","name":"van, P.A.M.","surname":"Zwieten","rank":1,"pid":null},{"fullname":"Banda, M.","name":"M.","surname":"Banda","rank":2,"pid":null},{"fullname":"Kolding, J.","name":"J.","surname":"Kolding","rank":3,"pid":null}],"type":"publication","language":{"code":"en","label":"en"},"country":[],"subjects":[{"subject":{"scheme":"","value":"african great-lakes"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"cichlid fishes"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"reference points"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"east-africa"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"management"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"perspective"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"tanganyika"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"diversity"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"history"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"nyasa"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Selecting indicators to assess the fisheries of Lake Malawi and Lake Malombe: Knowledge base and evaluative capacity","description":["The provision of management information on the fisheries of Lakes Malawi and Malombe has been characterised by top–down controlled single species steady-state assessment techniques originating from single gear industrial fisheries but applied to an open access highly diverse and adaptive small-scale multispecies and multi-gear fishery. The result has largely been an unhappy marriage with uncertainties blamed more on the data than the process, although the data collection generally is detailed and comprehensive on catch and effort parameters. An extensive literature review of primary and grey literature on ecosystem drivers, exploitation pressures, and fish population and community states shows that Malawi has the necessary knowledge base for expanding their assessment into multi-causal and exploratory indicator-based methods that can assist in better understanding and more disciplined use of existing data and monitoring systems. Selection and ranking of a suite of indicators focusing on the major fisheries in the Southeast arm of Lake Malawi and Lake Malombe were done by a group of Malawian fisheries researchers and management advisers, thereby testing a framework of scoring criteria assessing an indicator's acceptability, observability, and relatedness to management. Indicators that are close to raw observational data and that require limited permutations and few assumptions appear to be preferable in the Malawian context. CPUE-based assessments can improve the utility of data and information in communicating developments and processes and evaluate fisheries management policies"],"publicationdate":"2011-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"container":{"name":"Journal of Great Lakes Research","issnPrinted":"0380-1330","issnOnline":"","issnLinking":"","ep":"44","iss":"1","sp":"26","vol":"37","edition":"","conferenceplace":null,"conferencedate":null},"id":"50|DansKnawCris::b90247718304c409331edb82fd0e8d56","originalId":["DansKnawCris::b90247718304c409331edb82fd0e8d56"],"pid":[{"scheme":"urn","value":"urn:nbn:nl:ui:32-401847"},{"scheme":"urn","value":"urn:nbn:nl:ui:32-401847"}],"dateofcollection":"","lastupdatetimestamp":1591282621858,"instance":[{"accessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Article","publicationdate":"2011-01-01"}]} -{"author":[],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Bureauonderzoek"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Clavecymbelstraat te Maastricht","description":[],"publicationdate":"2010-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|DansKnawCris::ba8f1ea3adf1bba501ec9da3a58e9638","originalId":["DansKnawCris::ba8f1ea3adf1bba501ec9da3a58e9638"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550019564"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550019564"}],"dateofcollection":"","lastupdatetimestamp":1591282723014,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2010-01-01"}]} -{"author":[{"fullname":"Wegwarth, Odette","name":"Odette","surname":"Wegwarth","rank":1,"pid":null},{"fullname":"Pashayan, Nora","name":"Nora","surname":"Pashayan","rank":2,"pid":null},{"fullname":"Widschwendter, Martin","name":"Martin","surname":"Widschwendter","rank":3,"pid":null},{"fullname":"Rebitschek, Felix","name":"Felix","surname":"Rebitschek","rank":4,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Medicine"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Molecular Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Sociology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"19999 Mathematical Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Developmental Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Cancer"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Additional file 1: of Womenâ s perception, attitudes, and intended behavior towards predictive epigenetic risk testing for female cancers in 5 European countries: a cross-sectional online survey","description":["STROBE checklist. (DOC 98 kb)"],"publicationdate":"2019-01-01","publisher":"Figshare","source":[],"format":[],"contributor":[],"coverage":[],"id":"50|datacite____::016dfd6ecbfaa929bbd90ec3a2b51521","originalId":["datacite____::016dfd6ecbfaa929bbd90ec3a2b51521"],"pid":[{"scheme":"doi","value":"10.6084/m9.figshare.8207303.v1"}],"dateofcollection":"","lastupdatetimestamp":1591282908770,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.6084/m9.figshare.8207303.v1"],"publicationdate":"2019-01-01"}]} -{"author":[{"fullname":"Archaeology South East","name":"","surname":"","rank":1,"pid":null}],"type":"publication","language":{"code":"en","label":"en"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Grey Literature"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"An Archaeological Evaluation at 290 -294 Golder's Green Road, London Borough of Barnet NW11","description":[],"publicationdate":"2007-01-01","publisher":"Archaeology Data Service","source":[],"format":["PDF"],"contributor":[],"coverage":[],"id":"50|datacite____::05c611fdfc93d7a2a703d1324e28104a","originalId":["datacite____::05c611fdfc93d7a2a703d1324e28104a"],"pid":[{"scheme":"doi","value":"10.5284/1003453"}],"dateofcollection":"","lastupdatetimestamp":1591282746270,"instance":[{"type":"Other literature type","url":["http://dx.doi.org/10.5284/1003453"],"articleprocessingcharge":{"currency":"EUR","amount":"3131.64"},"publicationdate":"2007-01-01"}]} -{"author":[{"fullname":"Veen, V. Van Der","name":"V.","surname":"Veen","rank":1,"pid":null}],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"verkennend booronderzoek"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Onbekend (XXX)"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Archeologisch bureau- en verkennend veldonderzoek door middel van boringen Twaalf apostelenweg te Nijmegen","description":[],"publicationdate":"2017-01-01","publisher":"Aeres Milieu","embargoenddate":"2017-07-06","source":[],"format":["application/pdf"],"contributor":["Feest, NJW Van Der","Aeres Milieu"],"coverage":[],"bestaccessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|datacite____::0a15c3ad876db2ffa2f8f1c9a63c3cd0","originalId":["datacite____::0a15c3ad876db2ffa2f8f1c9a63c3cd0"],"pid":[{"scheme":"doi","value":"10.17026/dans-24w-bckq"}],"dateofcollection":"","lastupdatetimestamp":1591283098682,"instance":[{"accessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Other literature type","url":["http://dx.doi.org/10.17026/dans-24w-bckq"],"publicationdate":"2017-01-01"}]} -{"author":[{"fullname":"Daas, Martinus","name":"Martinus","surname":"Daas","rank":1,"pid":null},{"fullname":"Weijer, Antonius Van De","name":"Antonius","surname":"Weijer","rank":2,"pid":null},{"fullname":"Vos, Willem De","name":"Willem","surname":"Vos","rank":3,"pid":null},{"fullname":"Oost, John Van Der","name":"John","surname":"Oost","rank":4,"pid":null},{"fullname":"Kranenburg, Richard Van","name":"Richard","surname":"Kranenburg","rank":5,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Microbiology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Genetics"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Molecular Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Biotechnology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"59999 Environmental Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"39999 Chemical Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Ecology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Immunology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Inorganic Chemistry"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Plant Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"MOESM3 of Isolation of a genetically accessible thermophilic xylan degrading bacterium from compost","description":["Additional file 3: Table S2. HPLC data from isolates ranked on total organic acid production and total lactic acid production on cellobiose (C6)."],"publicationdate":"2016-01-01","publisher":"Figshare","source":[],"format":[],"contributor":[],"coverage":[],"id":"50|datacite____::150d96a57b37c02f5d14a6ace965d790","originalId":["datacite____::150d96a57b37c02f5d14a6ace965d790"],"pid":[{"scheme":"doi","value":"10.6084/m9.figshare.c.3603305_d2"}],"dateofcollection":"","lastupdatetimestamp":1591283087583,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.6084/m9.figshare.c.3603305_d2"],"publicationdate":"2016-01-01"}]} -{"author":[{"fullname":"Mosleh, Marwan","name":"Marwan","surname":"Mosleh","rank":1,"pid":null},{"fullname":"Jeesh, Yousef Al","name":"Yousef Al","surname":"Jeesh","rank":2,"pid":null},{"fullname":"Koustuv Dalal","name":"","surname":"","rank":3,"pid":null},{"fullname":"Charli Eriksson","name":"","surname":"","rank":4,"pid":null},{"fullname":"Carlerby, Heidi","name":"Heidi","surname":"Carlerby","rank":5,"pid":null},{"fullname":"Viitasara, Eija","name":"Eija","surname":"Viitasara","rank":6,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Medicine"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Ecology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Sociology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"69999 Biological Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"acm","value":"Data_FILES"},"provenance":{"provenance":"iis","trust":"0.891"}}],"maintitle":"Additional file 1 of Barriers to managing and delivery of care to war-injured survivors or patients with non-communicable disease: a qualitative study of Palestinian patients’ and policy-makers’ perspectives","description":["Additional file 1. Study discussion guides."],"publicationdate":"2020-01-01","publisher":"figshare","source":[],"format":[],"contributor":[],"coverage":[],"id":"50|datacite____::1e099cf76219212d554ad35b45d2345c","originalId":["datacite____::1e099cf76219212d554ad35b45d2345c"],"pid":[{"scheme":"doi","value":"10.6084/m9.figshare.12285566"}],"dateofcollection":"","lastupdatetimestamp":1591283012211,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.6084/m9.figshare.12285566"],"publicationdate":"2020-01-01"}]} -{"author":[{"fullname":"Kuijl, E.E.A. Van Der","name":"E. E. A.","surname":"Kuijl","rank":1,"pid":null}],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"PROSPECTIE"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Inventariserend veldonderzoek d.m.v. boringen, Ittervoorterweg te Swartbroek","description":[],"publicationdate":"2009-01-01","publisher":"Synthegra","embargoenddate":"2009-11-27","source":[],"format":["25 p."],"contributor":["Janssens, M.","Hoeven, F. Van Der","Hensen, G.","Coolen, J.","Wijnen, J.","Synthegra Archeologie"],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"50|datacite____::24cce4f26db20e50803102c3c7961a8e","originalId":["datacite____::24cce4f26db20e50803102c3c7961a8e"],"pid":[{"scheme":"doi","value":"10.17026/dans-zwz-6cvc"}],"dateofcollection":"","lastupdatetimestamp":1591282632316,"instance":[{"license":"http://creativecommons.org/publicdomain/zero/1.0","accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Other literature type","url":["http://dx.doi.org/10.17026/dans-zwz-6cvc"],"publicationdate":"2009-01-01"}]} -{"author":[{"fullname":"Embree, Jennifer","name":"Jennifer","surname":"Embree","rank":1,"pid":null}],"type":"publication","language":{"code":"English","label":"English"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Destruction of cultural property"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Digital humanities"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Syria--History--Syrian Civil War, 2011-"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Archives by Any Other name: Archiving Memory During Times of Conflict through Non-Traditional Methods--A Case Study on Digital Humanities Projects Manar al-Athar and Project Syria","description":["Over the last century, conflicts across the world have resulted in an unprecedented number of cultural heritage sites being purposefully targeted for destruction. While there have been several historical attempts to combat this destruction, the emerging field of digital humanities is now using new digital technologies to also document and preserve cultural heritage demolishment. This article conducts case studies of two such projects: Project Syria, a virtual reality experience documenting the Syrian Civil War, and Manar al-Athar, a digital photo archive that collects pictures of cultural heritage sites in the Middle East. This exploratory study seeks to compare past methods of preservation and documentation of cultural heritage during times of conflict to current methods of preservation and documentation through digital humanities projects, and to determine what digital humanities projects can accomplish that more traditional methods of preservation cannot."],"publicationdate":"2018-01-01","publisher":"The University of North Carolina at Chapel Hill University Libraries","source":[],"format":[],"contributor":[],"coverage":[],"id":"50|datacite____::26243564100cd29b39382d2321372a95","originalId":["datacite____::26243564100cd29b39382d2321372a95"],"pid":[{"scheme":"doi","value":"10.17615/xh7w-qv18"}],"dateofcollection":"","lastupdatetimestamp":1591282702184,"instance":[{"type":"Other literature type","url":["http://dx.doi.org/10.17615/xh7w-qv18"],"publicationdate":"2018-01-01"}]} -{"author":[{"fullname":"Huber, Brigitte","name":"Brigitte","surname":"Huber","rank":1,"pid":null},{"fullname":"Barnidge, Matthew","name":"Matthew","surname":"Barnidge","rank":2,"pid":null},{"fullname":"Zúñiga, Homero Gil De","name":"Homero Gil","surname":"Zúñiga","rank":3,"pid":null},{"fullname":"Liu, James","name":"James","surname":"Liu","rank":4,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"200199 Communication and Media Studies not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Supplemental_Material – Supplemental material for Fostering public trust in science: The role of social media","description":["Supplemental material, Supplemental_Material for Fostering public trust in science: The role of social media by Brigitte Huber, Matthew Barnidge, Homero Gil de Zúñiga and James Liu in Public Understanding of Science"],"publicationdate":"2019-01-01","publisher":"SAGE Journals","source":[],"format":[],"contributor":[],"coverage":[],"id":"50|datacite____::2d1773354e6c79eee7001407cd8da2f0","originalId":["datacite____::2d1773354e6c79eee7001407cd8da2f0"],"pid":[{"scheme":"doi","value":"10.25384/sage.9869183.v1"}],"dateofcollection":"","lastupdatetimestamp":1591282547342,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.25384/sage.9869183.v1"],"publicationdate":"2019-01-01"}]} -{"author":[{"fullname":"Шогенцукова Залина Хасановна","name":"","surname":"","rank":1,"pid":null},{"fullname":"Гедгафова Ирина Юрьевна","name":"","surname":"","rank":2,"pid":null},{"fullname":"Мирзоева Жанна Мухарбиевна","name":"","surname":"","rank":3,"pid":null},{"fullname":"Шогенцуков Али Хасанович","name":"","surname":"","rank":4,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"кластеры"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"урожайность в овощеводстве"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"селекция"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"современные технологии"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"«продовольственная безопасность»"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"АПК"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"растениеводство"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"животноводство"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"модель «тройной спирали»"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"модернизация"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"селекция."},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"clusters"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"productivity in vegetable growing"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modern technologies"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“food security”"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"agriculture"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"crop production"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"animal husbandry"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“triple helix” model"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modernization"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection."},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"clusters"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"productivity in vegetable growing"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modern technologies"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“food security”"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"agriculture"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"crop production"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"animal husbandry"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“triple helix” model"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modernization"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection."},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Кластеры как инструмент управления агробизнесом Кабардино-Балкарской Республики","description":["Статья посвящена исследованию понятия кластера и его использования как инструмента управления повышения эффективности деятельности агропромышленным комплексом Кабардино-Балкарской Республики. Рассматриваются предпосылки и особенности кластеризации АПК как в отдельном регионе, так и в России в целом. Реализация кластерной политики в области сельского хозяйства России является инновационным подходом развития отрасли и повышения конкурентоспособности производимой продукции на рынке, повышения эффективности производственного процесса и т.д. В статье исследована модель «тройной спирали», используемой при создании и функционировании кластеров в сфере АПК. Исследование кластеров, как инструмент управления АПК отдельного региона, в частности Кабардино-Балкарской Республики, позволяет выявить факторы, обуславливающие необходимость данного процесса с одной стороны, а также выявлять резервы и иные возможности для общего развития эффективности АПК России и активации внедрения инновационных механизмов в сельское хозяйство.","The Article is devoted to the study of the concept of cluster and their use as a management tool to improve the efficiency of the agro-industrial complex of the KabardinoBalkaria Republic. The prerequisites and features of agribusiness clustering both in a separate region and in Russia as a whole are considered. The implementations of the cluster policy in the field of agriculture in Russia are an innovative approach to the development of the industry and improve the competitiveness of products in the market, improve the efficiency of the production process, etc. The article investigates the model of “triple helix” used in the creation and functioning of clusters in the field of agriculture. The study of clusters as an instrument of agribusiness management in a particular region, in particular the Kabardino-Balkaria Republic, allows to identify the factors causing the need for this process on the one hand, as well as to identify reserves and other opportunities for the overall development of the efficiency of the Russian agribusiness and the activation of the introduction of innovative mechanisms in agriculture."],"publicationdate":"2019-01-01","publisher":"Московский экономический журнал","source":[],"format":[],"contributor":[],"coverage":[],"id":"50|datacite____::2fa3de5d0846180a43214310234e5526","originalId":["datacite____::2fa3de5d0846180a43214310234e5526"],"pid":[{"scheme":"doi","value":"10.24411/2413-046x-2019-16022"}],"dateofcollection":"","lastupdatetimestamp":1591283178985,"instance":[{"type":"Other literature type","url":["http://dx.doi.org/10.24411/2413-046x-2019-16022"],"publicationdate":"2019-01-01"}]} \ No newline at end of file +{"author":[{"fullname":"van Someren, Christian","name":"Christian","surname":"van Someren","rank":1,"pid":null}],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"energieproductie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Management"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Monitoring"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Policy and Law"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Energie interventies en gedrag"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"publieke ondersteuning en communicatie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Professional practice & society"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Energie opwek","description":["Over het Energieakkoord. In het energieakkoord voor duurzame groei is afgesproken dat in 2020 14 procent van de opwek hernieuwbaar moet zijn en in 2023 16 procent. De doelstelling is een uitdagende opgave waarbij de eerste vraag is: \"Hoeveel hernieuwbare energie wordt er op dit moment opgewekt in Nederland?\" Deze website geeft antwoord op de vraag voor de actueel opgewekte windenergie, zonne-energie en biogas."],"publicationdate":"2016-11-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"DansKnawCris::3c81248c335f0aa07e06817ece6fa6af","originalId":["DansKnawCris::3c81248c335f0aa07e06817ece6fa6af"],"pid":[{"scheme":"urn","value":"urn:nbn:nl:hs:18-813a5dfa-4fd0-44c4-8cbf-310324dc724d"},{"scheme":"urn","value":"urn:nbn:nl:hs:18-813a5dfa-4fd0-44c4-8cbf-310324dc724d"}],"dateofcollection":"","lastupdatetimestamp":1591282663379,"instance":[{"accessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Other literature type","url":["http://energieopwek.nl/"],"publicationdate":"2016-11-01"}]} +{"author":[],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Vlaardingen"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Plangebied Het Hof en Oranjepark : gemeente Vlaardingen : archeologisch vooronderzoek: een inventariserend veldonderzoek (verkennende fase)","description":["Met lit. opg"],"publicationdate":"2010-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"DansKnawCris::4669a378a73661417182c208e6fdab53","originalId":["DansKnawCris::4669a378a73661417182c208e6fdab53"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceFullCatalogue&search=priref=800007467"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceFullCatalogue&search=priref=800007467"}],"dateofcollection":"","lastupdatetimestamp":1591282758835,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2010-01-01"}]} +{"author":[],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"prospectie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Honselersdijk tracé persleiding (gemeente Westland) : een bureauonderzoek en inventariserend veldonderzoek in de vorm van een verkennend en karterend booronderzoek","description":["Lit.opg."],"publicationdate":"2008-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"DansKnawCris::52c4541c9bffde34daa945ece8dcf635","originalId":["DansKnawCris::52c4541c9bffde34daa945ece8dcf635"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550013915"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550013915"}],"dateofcollection":"","lastupdatetimestamp":1591283000091,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2008-01-01"}]} +{"author":[],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Archeologisch onderzoek plangebied Akker-Boekenderweg te Thorn","description":[],"publicationdate":"2012-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"DansKnawCris::794d07c2e66f1fbf07d61b9bfca36dc2","originalId":["DansKnawCris::794d07c2e66f1fbf07d61b9bfca36dc2"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550028404"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550028404"}],"dateofcollection":"","lastupdatetimestamp":1591282847497,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2012-01-01"}]} +{"author":[{"fullname":"Zwieten, van, P.A.M.","name":"van, P.A.M.","surname":"Zwieten","rank":1,"pid":null},{"fullname":"Banda, M.","name":"M.","surname":"Banda","rank":2,"pid":null},{"fullname":"Kolding, J.","name":"J.","surname":"Kolding","rank":3,"pid":null}],"type":"publication","language":{"code":"en","label":"en"},"country":[],"subjects":[{"subject":{"scheme":"","value":"african great-lakes"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"cichlid fishes"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"reference points"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"east-africa"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"management"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"perspective"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"tanganyika"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"diversity"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"history"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"nyasa"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Selecting indicators to assess the fisheries of Lake Malawi and Lake Malombe: Knowledge base and evaluative capacity","description":["The provision of management information on the fisheries of Lakes Malawi and Malombe has been characterised by top–down controlled single species steady-state assessment techniques originating from single gear industrial fisheries but applied to an open access highly diverse and adaptive small-scale multispecies and multi-gear fishery. The result has largely been an unhappy marriage with uncertainties blamed more on the data than the process, although the data collection generally is detailed and comprehensive on catch and effort parameters. An extensive literature review of primary and grey literature on ecosystem drivers, exploitation pressures, and fish population and community states shows that Malawi has the necessary knowledge base for expanding their assessment into multi-causal and exploratory indicator-based methods that can assist in better understanding and more disciplined use of existing data and monitoring systems. Selection and ranking of a suite of indicators focusing on the major fisheries in the Southeast arm of Lake Malawi and Lake Malombe were done by a group of Malawian fisheries researchers and management advisers, thereby testing a framework of scoring criteria assessing an indicator's acceptability, observability, and relatedness to management. Indicators that are close to raw observational data and that require limited permutations and few assumptions appear to be preferable in the Malawian context. CPUE-based assessments can improve the utility of data and information in communicating developments and processes and evaluate fisheries management policies"],"publicationdate":"2011-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"container":{"name":"Journal of Great Lakes Research","issnPrinted":"0380-1330","issnOnline":"","issnLinking":"","ep":"44","iss":"1","sp":"26","vol":"37","edition":"","conferenceplace":null,"conferencedate":null},"id":"DansKnawCris::b90247718304c409331edb82fd0e8d56","originalId":["DansKnawCris::b90247718304c409331edb82fd0e8d56"],"pid":[{"scheme":"urn","value":"urn:nbn:nl:ui:32-401847"},{"scheme":"urn","value":"urn:nbn:nl:ui:32-401847"}],"dateofcollection":"","lastupdatetimestamp":1591282621858,"instance":[{"accessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Article","publicationdate":"2011-01-01"}]} +{"author":[],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"archeologie"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Bureauonderzoek"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Clavecymbelstraat te Maastricht","description":[],"publicationdate":"2010-01-01","source":[],"format":[],"contributor":[],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"DansKnawCris::ba8f1ea3adf1bba501ec9da3a58e9638","originalId":["DansKnawCris::ba8f1ea3adf1bba501ec9da3a58e9638"],"pid":[{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550019564"},{"scheme":"urn","value":"http://cultureelerfgoed.adlibsoft.com/dispatcher.aspx?action=search&database=ChoiceRapporten&search=priref=550019564"}],"dateofcollection":"","lastupdatetimestamp":1591282723014,"instance":[{"accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Report","publicationdate":"2010-01-01"}]} +{"author":[{"fullname":"Wegwarth, Odette","name":"Odette","surname":"Wegwarth","rank":1,"pid":null},{"fullname":"Pashayan, Nora","name":"Nora","surname":"Pashayan","rank":2,"pid":null},{"fullname":"Widschwendter, Martin","name":"Martin","surname":"Widschwendter","rank":3,"pid":null},{"fullname":"Rebitschek, Felix","name":"Felix","surname":"Rebitschek","rank":4,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Medicine"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Molecular Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Sociology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"19999 Mathematical Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Developmental Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Cancer"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Additional file 1: of Womenâ s perception, attitudes, and intended behavior towards predictive epigenetic risk testing for female cancers in 5 European countries: a cross-sectional online survey","description":["STROBE checklist. (DOC 98 kb)"],"publicationdate":"2019-01-01","publisher":"Figshare","source":[],"format":[],"contributor":[],"coverage":[],"id":"datacite____::016dfd6ecbfaa929bbd90ec3a2b51521","originalId":["datacite____::016dfd6ecbfaa929bbd90ec3a2b51521"],"pid":[{"scheme":"doi","value":"10.6084/m9.figshare.8207303.v1"}],"dateofcollection":"","lastupdatetimestamp":1591282908770,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.6084/m9.figshare.8207303.v1"],"publicationdate":"2019-01-01"}]} +{"author":[{"fullname":"Archaeology South East","name":"","surname":"","rank":1,"pid":null}],"type":"publication","language":{"code":"en","label":"en"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Grey Literature"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"An Archaeological Evaluation at 290 -294 Golder's Green Road, London Borough of Barnet NW11","description":[],"publicationdate":"2007-01-01","publisher":"Archaeology Data Service","source":[],"format":["PDF"],"contributor":[],"coverage":[],"id":"datacite____::05c611fdfc93d7a2a703d1324e28104a","originalId":["datacite____::05c611fdfc93d7a2a703d1324e28104a"],"pid":[{"scheme":"doi","value":"10.5284/1003453"}],"dateofcollection":"","lastupdatetimestamp":1591282746270,"instance":[{"type":"Other literature type","url":["http://dx.doi.org/10.5284/1003453"],"articleprocessingcharge":{"currency":"EUR","amount":"3131.64"},"publicationdate":"2007-01-01"}]} +{"author":[{"fullname":"Veen, V. Van Der","name":"V.","surname":"Veen","rank":1,"pid":null}],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"verkennend booronderzoek"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Onbekend (XXX)"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Archeologisch bureau- en verkennend veldonderzoek door middel van boringen Twaalf apostelenweg te Nijmegen","description":[],"publicationdate":"2017-01-01","publisher":"Aeres Milieu","embargoenddate":"2017-07-06","source":[],"format":["application/pdf"],"contributor":["Feest, NJW Van Der","Aeres Milieu"],"coverage":[],"bestaccessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"datacite____::0a15c3ad876db2ffa2f8f1c9a63c3cd0","originalId":["datacite____::0a15c3ad876db2ffa2f8f1c9a63c3cd0"],"pid":[{"scheme":"doi","value":"10.17026/dans-24w-bckq"}],"dateofcollection":"","lastupdatetimestamp":1591283098682,"instance":[{"accessright":{"code":"c_16ec","label":"RESTRICTED","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Other literature type","url":["http://dx.doi.org/10.17026/dans-24w-bckq"],"publicationdate":"2017-01-01"}]} +{"author":[{"fullname":"Daas, Martinus","name":"Martinus","surname":"Daas","rank":1,"pid":null},{"fullname":"Weijer, Antonius Van De","name":"Antonius","surname":"Weijer","rank":2,"pid":null},{"fullname":"Vos, Willem De","name":"Willem","surname":"Vos","rank":3,"pid":null},{"fullname":"Oost, John Van Der","name":"John","surname":"Oost","rank":4,"pid":null},{"fullname":"Kranenburg, Richard Van","name":"Richard","surname":"Kranenburg","rank":5,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Microbiology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Genetics"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Molecular Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Biotechnology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"59999 Environmental Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"39999 Chemical Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Ecology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Immunology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Inorganic Chemistry"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Plant Biology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"MOESM3 of Isolation of a genetically accessible thermophilic xylan degrading bacterium from compost","description":["Additional file 3: Table S2. HPLC data from isolates ranked on total organic acid production and total lactic acid production on cellobiose (C6)."],"publicationdate":"2016-01-01","publisher":"Figshare","source":[],"format":[],"contributor":[],"coverage":[],"id":"datacite____::150d96a57b37c02f5d14a6ace965d790","originalId":["datacite____::150d96a57b37c02f5d14a6ace965d790"],"pid":[{"scheme":"doi","value":"10.6084/m9.figshare.c.3603305_d2"}],"dateofcollection":"","lastupdatetimestamp":1591283087583,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.6084/m9.figshare.c.3603305_d2"],"publicationdate":"2016-01-01"}]} +{"author":[{"fullname":"Mosleh, Marwan","name":"Marwan","surname":"Mosleh","rank":1,"pid":null},{"fullname":"Jeesh, Yousef Al","name":"Yousef Al","surname":"Jeesh","rank":2,"pid":null},{"fullname":"Koustuv Dalal","name":"","surname":"","rank":3,"pid":null},{"fullname":"Charli Eriksson","name":"","surname":"","rank":4,"pid":null},{"fullname":"Carlerby, Heidi","name":"Heidi","surname":"Carlerby","rank":5,"pid":null},{"fullname":"Viitasara, Eija","name":"Eija","surname":"Viitasara","rank":6,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Medicine"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Ecology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Sociology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"69999 Biological Sciences not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"acm","value":"Data_FILES"},"provenance":{"provenance":"iis","trust":"0.891"}}],"maintitle":"Additional file 1 of Barriers to managing and delivery of care to war-injured survivors or patients with non-communicable disease: a qualitative study of Palestinian patients’ and policy-makers’ perspectives","description":["Additional file 1. Study discussion guides."],"publicationdate":"2020-01-01","publisher":"figshare","source":[],"format":[],"contributor":[],"coverage":[],"id":"datacite____::1e099cf76219212d554ad35b45d2345c","originalId":["datacite____::1e099cf76219212d554ad35b45d2345c"],"pid":[{"scheme":"doi","value":"10.6084/m9.figshare.12285566"}],"dateofcollection":"","lastupdatetimestamp":1591283012211,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.6084/m9.figshare.12285566"],"publicationdate":"2020-01-01"}]} +{"author":[{"fullname":"Kuijl, E.E.A. Van Der","name":"E. E. A.","surname":"Kuijl","rank":1,"pid":null}],"type":"publication","language":{"code":"nl","label":"nl"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Archaeology"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"PROSPECTIE"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Inventariserend veldonderzoek d.m.v. boringen, Ittervoorterweg te Swartbroek","description":[],"publicationdate":"2009-01-01","publisher":"Synthegra","embargoenddate":"2009-11-27","source":[],"format":["25 p."],"contributor":["Janssens, M.","Hoeven, F. Van Der","Hensen, G.","Coolen, J.","Wijnen, J.","Synthegra Archeologie"],"coverage":[],"bestaccessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/"},"id":"datacite____::24cce4f26db20e50803102c3c7961a8e","originalId":["datacite____::24cce4f26db20e50803102c3c7961a8e"],"pid":[{"scheme":"doi","value":"10.17026/dans-zwz-6cvc"}],"dateofcollection":"","lastupdatetimestamp":1591282632316,"instance":[{"license":"http://creativecommons.org/publicdomain/zero/1.0","accessright":{"code":"c_abf2","label":"OPEN","scheme":"http://vocabularies.coar-repositories.org/documentation/access_rights/","openAccessRoute":null},"type":"Other literature type","url":["http://dx.doi.org/10.17026/dans-zwz-6cvc"],"publicationdate":"2009-01-01"}]} +{"author":[{"fullname":"Embree, Jennifer","name":"Jennifer","surname":"Embree","rank":1,"pid":null}],"type":"publication","language":{"code":"English","label":"English"},"country":[],"subjects":[{"subject":{"scheme":"","value":"Destruction of cultural property"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Digital humanities"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Syria--History--Syrian Civil War, 2011-"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Archives by Any Other name: Archiving Memory During Times of Conflict through Non-Traditional Methods--A Case Study on Digital Humanities Projects Manar al-Athar and Project Syria","description":["Over the last century, conflicts across the world have resulted in an unprecedented number of cultural heritage sites being purposefully targeted for destruction. While there have been several historical attempts to combat this destruction, the emerging field of digital humanities is now using new digital technologies to also document and preserve cultural heritage demolishment. This article conducts case studies of two such projects: Project Syria, a virtual reality experience documenting the Syrian Civil War, and Manar al-Athar, a digital photo archive that collects pictures of cultural heritage sites in the Middle East. This exploratory study seeks to compare past methods of preservation and documentation of cultural heritage during times of conflict to current methods of preservation and documentation through digital humanities projects, and to determine what digital humanities projects can accomplish that more traditional methods of preservation cannot."],"publicationdate":"2018-01-01","publisher":"The University of North Carolina at Chapel Hill University Libraries","source":[],"format":[],"contributor":[],"coverage":[],"id":"datacite____::26243564100cd29b39382d2321372a95","originalId":["datacite____::26243564100cd29b39382d2321372a95"],"pid":[{"scheme":"doi","value":"10.17615/xh7w-qv18"}],"dateofcollection":"","lastupdatetimestamp":1591282702184,"instance":[{"type":"Other literature type","url":["http://dx.doi.org/10.17615/xh7w-qv18"],"publicationdate":"2018-01-01"}]} +{"author":[{"fullname":"Huber, Brigitte","name":"Brigitte","surname":"Huber","rank":1,"pid":null},{"fullname":"Barnidge, Matthew","name":"Matthew","surname":"Barnidge","rank":2,"pid":null},{"fullname":"Zúñiga, Homero Gil De","name":"Homero Gil","surname":"Zúñiga","rank":3,"pid":null},{"fullname":"Liu, James","name":"James","surname":"Liu","rank":4,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"200199 Communication and Media Studies not elsewhere classified"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"Science Policy"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Supplemental_Material – Supplemental material for Fostering public trust in science: The role of social media","description":["Supplemental material, Supplemental_Material for Fostering public trust in science: The role of social media by Brigitte Huber, Matthew Barnidge, Homero Gil de Zúñiga and James Liu in Public Understanding of Science"],"publicationdate":"2019-01-01","publisher":"SAGE Journals","source":[],"format":[],"contributor":[],"coverage":[],"id":"datacite____::2d1773354e6c79eee7001407cd8da2f0","originalId":["datacite____::2d1773354e6c79eee7001407cd8da2f0"],"pid":[{"scheme":"doi","value":"10.25384/sage.9869183.v1"}],"dateofcollection":"","lastupdatetimestamp":1591282547342,"instance":[{"license":"https://creativecommons.org/licenses/by/4.0","type":"Other literature type","url":["http://dx.doi.org/10.25384/sage.9869183.v1"],"publicationdate":"2019-01-01"}]} +{"author":[{"fullname":"Шогенцукова Залина Хасановна","name":"","surname":"","rank":1,"pid":null},{"fullname":"Гедгафова Ирина Юрьевна","name":"","surname":"","rank":2,"pid":null},{"fullname":"Мирзоева Жанна Мухарбиевна","name":"","surname":"","rank":3,"pid":null},{"fullname":"Шогенцуков Али Хасанович","name":"","surname":"","rank":4,"pid":null}],"type":"publication","language":{"code":"UNKNOWN","label":"UNKNOWN"},"country":[],"subjects":[{"subject":{"scheme":"","value":"кластеры"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"урожайность в овощеводстве"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"селекция"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"современные технологии"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"«продовольственная безопасность»"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"АПК"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"растениеводство"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"животноводство"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"модель «тройной спирали»"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"модернизация"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"селекция."},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"clusters"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"productivity in vegetable growing"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modern technologies"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“food security”"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"agriculture"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"crop production"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"animal husbandry"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“triple helix” model"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modernization"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection."},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"clusters"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"productivity in vegetable growing"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modern technologies"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“food security”"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"agriculture"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"crop production"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"animal husbandry"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"“triple helix” model"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"modernization"},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}},{"subject":{"scheme":"","value":"selection."},"provenance":{"provenance":"sysimport:crosswalk:datasetarchive","trust":"0.9"}}],"maintitle":"Кластеры как инструмент управления агробизнесом Кабардино-Балкарской Республики","description":["Статья посвящена исследованию понятия кластера и его использования как инструмента управления повышения эффективности деятельности агропромышленным комплексом Кабардино-Балкарской Республики. Рассматриваются предпосылки и особенности кластеризации АПК как в отдельном регионе, так и в России в целом. Реализация кластерной политики в области сельского хозяйства России является инновационным подходом развития отрасли и повышения конкурентоспособности производимой продукции на рынке, повышения эффективности производственного процесса и т.д. В статье исследована модель «тройной спирали», используемой при создании и функционировании кластеров в сфере АПК. Исследование кластеров, как инструмент управления АПК отдельного региона, в частности Кабардино-Балкарской Республики, позволяет выявить факторы, обуславливающие необходимость данного процесса с одной стороны, а также выявлять резервы и иные возможности для общего развития эффективности АПК России и активации внедрения инновационных механизмов в сельское хозяйство.","The Article is devoted to the study of the concept of cluster and their use as a management tool to improve the efficiency of the agro-industrial complex of the KabardinoBalkaria Republic. The prerequisites and features of agribusiness clustering both in a separate region and in Russia as a whole are considered. The implementations of the cluster policy in the field of agriculture in Russia are an innovative approach to the development of the industry and improve the competitiveness of products in the market, improve the efficiency of the production process, etc. The article investigates the model of “triple helix” used in the creation and functioning of clusters in the field of agriculture. The study of clusters as an instrument of agribusiness management in a particular region, in particular the Kabardino-Balkaria Republic, allows to identify the factors causing the need for this process on the one hand, as well as to identify reserves and other opportunities for the overall development of the efficiency of the Russian agribusiness and the activation of the introduction of innovative mechanisms in agriculture."],"publicationdate":"2019-01-01","publisher":"Московский экономический журнал","source":[],"format":[],"contributor":[],"coverage":[],"id":"datacite____::2fa3de5d0846180a43214310234e5526","originalId":["datacite____::2fa3de5d0846180a43214310234e5526"],"pid":[{"scheme":"doi","value":"10.24411/2413-046x-2019-16022"}],"dateofcollection":"","lastupdatetimestamp":1591283178985,"instance":[{"type":"Other literature type","url":["http://dx.doi.org/10.24411/2413-046x-2019-16022"],"publicationdate":"2019-01-01"}]} \ No newline at end of file diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/context b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/context index 5a117c3..c881b17 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/context +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/context @@ -1,25 +1,25 @@ -{"source":{"id":"00|context_____::99c8ef576f385bc322564d5694df6fc2","type":"context"},"target":{"id":"10|doajarticles::9c4b678901e5276d9e3addee566816af","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|doajarticles::9c4b678901e5276d9e3addee566816af","type":"datasource"},"target":{"id":"00|context_____::99c8ef576f385bc322564d5694df6fc2","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::e15922110564cf669aaed346e871bc01","type":"context"},"target":{"id":"10|doajarticles::acb7c79bb85d3b3a7b75389f5d9570f5","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|doajarticles::acb7c79bb85d3b3a7b75389f5d9570f5","type":"datasource"},"target":{"id":"00|context_____::e15922110564cf669aaed346e871bc01","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","type":"context"},"target":{"id":"10|doajarticles::1fa6859d71faa77b32d82f278c6ed1df","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|doajarticles::1fa6859d71faa77b32d82f278c6ed1df","type":"datasource"},"target":{"id":"00|context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","type":"context"},"target":{"id":"10|doajarticles::6eb31d13b12bc06bbac06aef63cf33c9","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|doajarticles::6eb31d13b12bc06bbac06aef63cf33c9","type":"datasource"},"target":{"id":"00|context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"40|aka_________::01bb7b48e29d732a1c7bc5150b9195c4","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"40|aka_________::01bb7b48e29d732a1c7bc5150b9195c4","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"40|aka_________::01bb7b48e29d732a1c7bc5150b9195c2","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"40|aka_________::01bb7b48e29d732a1c7bc5150b9195c2","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"10|openaire____::c5502a43e76feab55dd00cf50f519125","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|openaire____::c5502a43e76feab55dd00cf50f519125","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"10|re3data_____::a48f09c562b247a9919acfe195549b47","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|re3data_____::a48f09c562b247a9919acfe195549b47","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"10|opendoar____::97275a23ca44226c9964043c8462be96","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|opendoar____::97275a23ca44226c9964043c8462be96","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"10|doajarticles::2899208a99aa7d142646e0a80bfeef05","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|doajarticles::2899208a99aa7d142646e0a80bfeef05","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"target":{"id":"10|re3data_____::5b9bf9171d92df854cf3c520692e9122","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|re3data_____::5b9bf9171d92df854cf3c520692e9122","type":"datasource"},"target":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"target":{"id":"10|doajarticles::c7d3de67dc77af72f6747157441252ec","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"10|doajarticles::c7d3de67dc77af72f6747157441252ec","type":"datasource"},"target":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"target":{"id":"10|re3data_____::8515794670370f49c1d176c399c714f5","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} \ No newline at end of file +{"source":"context_____::99c8ef576f385bc322564d5694df6fc2","sourceType":"context","target":"doajarticles::9c4b678901e5276d9e3addee566816af","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"doajarticles::9c4b678901e5276d9e3addee566816af","sourceType":"datasource","target":"context_____::99c8ef576f385bc322564d5694df6fc2","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::e15922110564cf669aaed346e871bc01","sourceType":"context","target":"doajarticles::acb7c79bb85d3b3a7b75389f5d9570f5","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"doajarticles::acb7c79bb85d3b3a7b75389f5d9570f5","sourceType":"datasource","target":"context_____::e15922110564cf669aaed346e871bc01","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","sourceType":"context","target":"doajarticles::1fa6859d71faa77b32d82f278c6ed1df","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"doajarticles::1fa6859d71faa77b32d82f278c6ed1df","sourceType":"datasource","target":"context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","sourceType":"context","target":"doajarticles::6eb31d13b12bc06bbac06aef63cf33c9","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"doajarticles::6eb31d13b12bc06bbac06aef63cf33c9","sourceType":"datasource","target":"context_____::aa0e56dd2e9d2a0be749f5debdd2b3d8","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"aka_________::01bb7b48e29d732a1c7bc5150b9195c4","targetType":"project","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"aka_________::01bb7b48e29d732a1c7bc5150b9195c4","sourceType":"project","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"aka_________::01bb7b48e29d732a1c7bc5150b9195c2","targetType":"project","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"aka_________::01bb7b48e29d732a1c7bc5150b9195c2","sourceType":"project","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"openaire____::c5502a43e76feab55dd00cf50f519125","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"openaire____::c5502a43e76feab55dd00cf50f519125","sourceType":"datasource","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"re3data_____::a48f09c562b247a9919acfe195549b47","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"re3data_____::a48f09c562b247a9919acfe195549b47","sourceType":"datasource","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"opendoar____::97275a23ca44226c9964043c8462be96","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"opendoar____::97275a23ca44226c9964043c8462be96","sourceType":"datasource","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"doajarticles::2899208a99aa7d142646e0a80bfeef05","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"doajarticles::2899208a99aa7d142646e0a80bfeef05","sourceType":"datasource","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","sourceType":"context","target":"re3data_____::5b9bf9171d92df854cf3c520692e9122","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"re3data_____::5b9bf9171d92df854cf3c520692e9122","sourceType":"datasource","target":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","sourceType":"context","target":"doajarticles::c7d3de67dc77af72f6747157441252ec","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"doajarticles::c7d3de67dc77af72f6747157441252ec","sourceType":"datasource","target":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","sourceType":"context","target":"re3data_____::8515794670370f49c1d176c399c714f5","targetType":"datasource","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} \ No newline at end of file diff --git a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/contextOrg b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/contextOrg index 8654fce..3f0beba 100644 --- a/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/contextOrg +++ b/dump/src/test/resources/eu/dnetlib/dhp/oa/graph/dump/subset/working/relation/contextOrg @@ -1,6 +1,6 @@ -{"source":{"id":"20|grid________::87698402476531ba39e61f1df38f2a91","type":"datasource"},"target":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::04a00617ca659adc944977ac700ea14b","type":"context"},"target":{"id":"20|grid________::87698402476531ba39e61f1df38f2a91","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"20|grid________::94948cc036605bf4a00ec77ce5ca92d3","type":"datasource"},"target":{"id":"00|context_____::5fde864866ea5ded4cc873b3170b63c3","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::5fde864866ea5ded4cc873b3170b63c3","type":"context"},"target":{"id":"20|grid________::94948cc036605bf4a00ec77ce5ca92d3","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"20|grid________::94948cc036605bf4a00ec77ce5ca92d3","type":"datasource"},"target":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} -{"source":{"id":"00|context_____::e6c151d449e1db05b1ffb5ad5ec656cf","type":"context"},"target":{"id":"20|grid________::94948cc036605bf4a00ec77ce5ca92d3","type":"datasource"},"reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} \ No newline at end of file +{"source":"grid________::87698402476531ba39e61f1df38f2a91","sourceType":"organization","target":"context_____::04a00617ca659adc944977ac700ea14b","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::04a00617ca659adc944977ac700ea14b","sourceType":"context","target":"grid________::87698402476531ba39e61f1df38f2a91","targetType":"organization","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"grid________::94948cc036605bf4a00ec77ce5ca92d3","sourceType":"organization","target":"context_____::5fde864866ea5ded4cc873b3170b63c3","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::5fde864866ea5ded4cc873b3170b63c3","sourceType":"context","target":"grid________::94948cc036605bf4a00ec77ce5ca92d3","targetType":"organization","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"grid________::94948cc036605bf4a00ec77ce5ca92d3","sourceType":"organization","target":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","targetType":"context","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} +{"source":"context_____::e6c151d449e1db05b1ffb5ad5ec656cf","sourceType":"context","target":"grid________::94948cc036605bf4a00ec77ce5ca92d3","targetType":"organization","reltype":{"name":"IsRelatedTo","type":"relationship"},"provenance":{"provenance":"Linked by user","trust":"0.9"},"validated":false,"validationDate":null} \ No newline at end of file diff --git a/pom.xml b/pom.xml index 7f650b4..c889688 100644 --- a/pom.xml +++ b/pom.xml @@ -102,7 +102,7 @@ 5.6.1 3.5 11.0.2 - [2.12.1] + [3.16.0] \ No newline at end of file