Project

General

Profile

« Previous | Next » 

Revision 59277

[maven-release-plugin] copy for tag dnet-modular-collector-service-3.3.26

View differences:

modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/deploy.info
1
{"type_source": "SVN", "goal": "package -U source:jar", "url": "http://svn-public.driver.research-infrastructures.eu/driver/dnet45/modules/dnet-modular-collector-service/trunk/", "deploy_repository": "dnet45-snapshots", "version": "4", "mail": "sandro.labruzzo@isti.cnr.it,michele.artini@isti.cnr.it, claudio.atzori@isti.cnr.it, alessia.bardi@isti.cnr.it", "deploy_repository_url": "http://maven.research-infrastructures.eu/nexus/content/repositories/dnet45-snapshots", "name": "dnet-modular-collector-service"}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/ApplyXsltTest.java
1
package eu.dnetlib.data.collector;
2

  
3
import org.junit.Before;
4
import org.junit.Test;
5

  
6
import eu.dnetlib.miscutils.functional.xml.ApplyXslt;
7

  
8
public class ApplyXsltTest {
9

  
10
	private final String xslt = "<?xml version=\"1.0\" encoding=\"UTF-8\"?>\n"
11
			+ "<xsl:stylesheet version=\"1.0\" xmlns:xsl=\"http://www.w3.org/1999/XSL/Transform\" "
12
			+ "xmlns:dyn=\"http://exslt.org/dynamic\" extension-element-prefixes=\"dyn\"> " + "<xsl:param name=\"elem\" select=\"string('aa')\"/> "
13
			+ "<xsl:template match=\"/\"> " + "<output>" + "<cc><xsl:value-of select=\"//*[local-name()=$elem]\" /></cc>" + "</output>"
14
			+ "</xsl:template>" + "</xsl:stylesheet>";
15

  
16
	private ApplyXslt f;
17

  
18
	@Before
19
	public void setUp() throws Exception {
20
		//System.out.println(xslt);
21
		f = new ApplyXslt(xslt);
22
		System.out.println(f.getTransformer().getClass().getCanonicalName());
23
	}
24

  
25
	@Test
26
	public void test() {
27
		System.out.println(f.evaluate("<record><aa>1234</aa><bb>metadata</bb></record>"));
28
	}
29

  
30
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPluginTest.java
1
package eu.dnetlib.data.collector.plugins;
2

  
3
import java.util.HashMap;
4

  
5
import org.junit.Assert;
6
import org.junit.Before;
7
import org.junit.Test;
8
import org.springframework.core.io.ClassPathResource;
9
import org.springframework.core.io.Resource;
10

  
11
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
12
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
13

  
14
public class FileGZipCollectorPluginTest {
15

  
16
	private Resource gzResource = new ClassPathResource("eu/dnetlib/data/collector/plugins/opendoar.xml.gz");
17
	private InterfaceDescriptor descr;
18
	private FileGZipCollectorPlugin plugin;
19

  
20
	@Before
21
	public void setUp() throws Exception {
22
		descr = new InterfaceDescriptor();
23
		String thePath = gzResource.getFile().getAbsolutePath();
24
		descr.setBaseUrl("file://" + thePath);
25
		HashMap<String, String> params = new HashMap<String, String>();
26
		params.put("splitOnElement", "repository");
27
		descr.setParams(params);
28
		plugin = new FileGZipCollectorPlugin();
29
	}
30

  
31
	@Test
32
	public void test() throws CollectorServiceException {
33
		int i = 0;
34
		for (String s : plugin.collect(descr, null, null)) {
35
			Assert.assertTrue(s.length() > 0);
36
			i++;
37
			break;
38
		}
39
		Assert.assertTrue(i > 0);
40
	}
41

  
42
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/mogno/MongoDumpTest.java
1
package eu.dnetlib.data.collector.plugins.mogno;
2

  
3
import java.io.IOException;
4

  
5
import org.junit.Assert;
6
import org.junit.Test;
7
import org.springframework.core.io.ClassPathResource;
8

  
9
import eu.dnetlib.data.collector.plugins.mongo.MongoDumpPlugin;
10
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
11
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
12

  
13
public class MongoDumpTest {
14

  
15
	@Test
16
	public void test() throws CollectorServiceException, IOException {
17

  
18
		ClassPathResource resource = new ClassPathResource("eu/dnetlib/data/collector/plugins/inputTest.json");
19

  
20
		InterfaceDescriptor id = new InterfaceDescriptor();
21
		id.setBaseUrl(resource.getFile().getAbsolutePath());
22
		MongoDumpPlugin plugin = new MongoDumpPlugin();
23

  
24
		int i = 0;
25
		for (String s : plugin.collect(id, null, null)) {
26
			Assert.assertNotNull(s);
27
			i++;
28
		}
29
		Assert.assertEquals(i, 10);
30

  
31
	}
32
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/archives/zip/ZipIteratorTest.java
1
package eu.dnetlib.data.collector.plugins.archives.zip;
2

  
3
import java.io.File;
4
import java.io.FileOutputStream;
5
import java.io.IOException;
6
import java.util.zip.ZipEntry;
7
import java.util.zip.ZipOutputStream;
8

  
9
import junit.framework.Assert;
10

  
11
import org.junit.Ignore;
12
import org.junit.Test;
13

  
14
import eu.dnetlib.data.collector.plugins.archive.zip.ZipIterator;
15

  
16
@Ignore
17
public class ZipIteratorTest {
18

  
19
	@Ignore
20
	@Test
21
	public void test() {
22
		try {
23
			int nFiles = 100;
24
			File f1 = createZipArchive(nFiles);
25
			iterate(nFiles, f1);
26
			f1.delete();
27

  
28
			nFiles = 2000;
29
			File f2 = createZipArchive(nFiles);
30
			iterate(nFiles, f2);
31
			f2.delete();
32

  
33
			nFiles = 124569;
34
			File f3 = createZipArchive(nFiles);
35
			iterate(nFiles, f3);
36
			f3.delete();
37
		} catch (IOException e) {
38
			e.printStackTrace();
39
		}
40
	}
41

  
42
	private File createZipArchive(final int nFiles) throws IOException {
43
		final StringBuilder sb = new StringBuilder();
44
		sb.append("Test String");
45

  
46
		File zip = File.createTempFile("testZip", ".zip");
47
		final ZipOutputStream out = new ZipOutputStream(new FileOutputStream(zip));
48

  
49
		for (int i = 0; i < nFiles; i++) {
50
			ZipEntry e = new ZipEntry(String.format("%d.txt", i));
51
			out.putNextEntry(e);
52

  
53
			byte[] data = sb.toString().getBytes();
54
			out.write(data, 0, data.length);
55
			out.closeEntry();
56
		}
57

  
58
		out.close();
59
		return zip;
60
	}
61

  
62
	private void iterate(final int nFiles, final File zipFile) {
63
		ZipIterator testedIterator = new ZipIterator(zipFile);
64
		int counter = 0;
65
		while (testedIterator.hasNext()) {
66
			testedIterator.next();
67
			counter++;
68
		}
69
		Assert.assertEquals(nFiles, counter);
70
	}
71
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/archives/targz/TarGzIteratorTest.java
1
package eu.dnetlib.data.collector.plugins.archives.targz;
2

  
3
import java.io.BufferedOutputStream;
4
import java.io.File;
5
import java.io.FileOutputStream;
6
import java.io.IOException;
7

  
8
import junit.framework.Assert;
9

  
10
import org.apache.commons.compress.archivers.tar.TarArchiveEntry;
11
import org.apache.commons.compress.archivers.tar.TarArchiveOutputStream;
12
import org.apache.commons.compress.compressors.gzip.GzipCompressorOutputStream;
13
import org.junit.Ignore;
14
import org.junit.Test;
15

  
16
import eu.dnetlib.data.collector.plugins.archive.targz.TarGzIterator;
17

  
18
@Ignore
19
public class TarGzIteratorTest {
20

  
21
	@Ignore
22
	@Test
23
	public void test() {
24
		try {
25
			int nFiles = 14860;
26
			File f1 = createTarGzArchive(nFiles);
27
			iterate(nFiles, f1);
28
			// f1.delete();
29

  
30
			nFiles = 5971;
31
			File f2 = createTarGzArchive(nFiles);
32
			iterate(nFiles, f2);
33
			// f2.delete();
34

  
35
			nFiles = 198463;
36
			File f3 = createTarGzArchive(nFiles);
37
			iterate(nFiles, f3);
38
			// f3.delete();
39
		} catch (IOException e) {
40
			e.printStackTrace();
41
		}
42
	}
43

  
44
	private File createTarGzArchive(final int nFiles) throws IOException {
45
		final StringBuilder sb = new StringBuilder();
46
		sb.append("Test String");
47

  
48
		File targz = File.createTempFile("testTarGz", ".tar.gz");
49
		FileOutputStream fOut = new FileOutputStream(targz);
50
		BufferedOutputStream bOut = new BufferedOutputStream(fOut);
51
		GzipCompressorOutputStream gzOut = new GzipCompressorOutputStream(bOut);
52
		TarArchiveOutputStream tOut = new TarArchiveOutputStream(gzOut);
53

  
54
		byte[] data = sb.toString().getBytes();
55
		for (int i = 0; i < nFiles; i++) {
56
			TarArchiveEntry tarEntry = new TarArchiveEntry(String.format("%d.txt", i));
57
			tarEntry.setSize(data.length);
58
			tOut.putArchiveEntry(tarEntry);
59

  
60
			tOut.write(data, 0, data.length);
61
			tOut.closeArchiveEntry();
62
		}
63

  
64
		tOut.close();
65
		gzOut.close();
66
		bOut.close();
67
		fOut.close();
68
		return targz;
69
	}
70

  
71
	private void iterate(final int nFiles, final File zipFile) {
72
		TarGzIterator testedIterator = new TarGzIterator(zipFile);
73
		int counter = 0;
74
		while (testedIterator.hasNext()) {
75
			testedIterator.next();
76
			counter++;
77
		}
78
		Assert.assertEquals(nFiles, counter);
79
	}
80
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/filesystem/FileSystemCollectorPluginTest.java
1
package eu.dnetlib.data.collector.plugins.filesystem;
2

  
3
import java.io.FileInputStream;
4
import java.io.IOException;
5
import java.nio.file.FileVisitResult;
6
import java.nio.file.FileVisitor;
7
import java.nio.file.Files;
8
import java.nio.file.Path;
9
import java.nio.file.Paths;
10
import java.nio.file.SimpleFileVisitor;
11
import java.nio.file.attribute.BasicFileAttributes;
12
import java.util.HashMap;
13
import java.util.Iterator;
14

  
15
import org.apache.commons.io.IOUtils;
16
import org.junit.Assert;
17
import org.junit.Ignore;
18
import org.junit.Test;
19

  
20
import eu.dnetlib.data.collector.plugins.filesystem.FilesystemCollectorPlugin;
21
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
22
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
23

  
24
@Ignore
25
public class FileSystemCollectorPluginTest {
26

  
27
	Path edh = Paths.get("/var/lib/eagle/content/EDH");
28
	Path dai = Paths.get("/var/lib/eagle/content/DAI/arachne-eagle-images-v1-flat");
29
	Path datacite = Paths.get("/media/andrea/xfs/datacite/output");
30

  
31
	@Ignore
32
	@Test
33
	public void testCollection() throws CollectorServiceException {
34
		InterfaceDescriptor descr = new InterfaceDescriptor();
35
		HashMap<String, String> params = new HashMap<String, String>();
36
		params.put("extensions", "xml");
37
		descr.setBaseUrl("file:///var/lib/eagle/content/EDH");
38
		descr.setParams(params);
39

  
40
		FilesystemCollectorPlugin plugin = new FilesystemCollectorPlugin();
41
		Iterable<String> result = plugin.collect(descr, null, null);
42

  
43
		int counter = 0;
44
		double totalTime = 0;
45
		long lastTimestamp = System.currentTimeMillis();
46

  
47
		for (String s : result) {
48
			counter++;
49
			if (counter % 10000 == 0) {
50
				double deltaT = (System.currentTimeMillis() - lastTimestamp) / 1000.00;
51
				totalTime += deltaT;
52
				System.out.println("10K records collected in " + deltaT + " seconds");
53
				lastTimestamp = System.currentTimeMillis();
54
			}
55
			Assert.assertNotNull(s);
56
		}
57
		System.out.println("Total " + counter + " in " + totalTime + " seconds");
58

  
59
	}
60

  
61
	@Ignore
62
	@Test
63
	public void testJavaNioDirectoryStream() throws IOException {
64
		int counter = 0;
65
		double totalTime = 0;
66
		long lastTimestamp = System.currentTimeMillis();
67

  
68
		Iterator<Path> pathIterator = Files.newDirectoryStream(edh).iterator();
69
		while (pathIterator.hasNext()) {
70
			Path next = pathIterator.next();
71
			FileInputStream fileInputStream = new FileInputStream(next.toString());
72
			String s = IOUtils.toString(fileInputStream);
73
			counter++;
74
			if (counter % 10000 == 0) {
75
				double deltaT = (System.currentTimeMillis() - lastTimestamp) / 1000.00;
76
				totalTime += deltaT;
77
				System.out.println("10K records collected in " + deltaT + " seconds");
78
				lastTimestamp = System.currentTimeMillis();
79
			}
80
			Assert.assertNotNull(s);
81
			fileInputStream.close();
82
		}
83
		System.out.println("Total " + counter + " in " + totalTime + " seconds");
84
	}
85

  
86
	@Test
87
	public void testJavaNioWalkTree() throws IOException {
88

  
89
		FileVisitor<Path> fv = new SimpleFileVisitor<Path>() {
90

  
91
			int counter = 0;
92
			double totalTime = 0;
93
			long lastTimestamp = System.currentTimeMillis();
94

  
95
			@Override
96
			public FileVisitResult visitFile(final Path file, final BasicFileAttributes attrs) throws IOException {
97
				FileInputStream fileInputStream = new FileInputStream(file.toString());
98
				String s = IOUtils.toString(fileInputStream);
99
				Assert.assertNotNull(s);
100
				counter++;
101
				if (counter % 10000 == 0) {
102
					double deltaT = (System.currentTimeMillis() - lastTimestamp) / 1000.00;
103
					totalTime += deltaT;
104
					System.out.println("10K records collected in " + deltaT + " seconds");
105
					lastTimestamp = System.currentTimeMillis();
106
				}
107
				fileInputStream.close();
108
				return FileVisitResult.CONTINUE;
109
			}
110
		};
111

  
112
		try {
113
			Files.walkFileTree(edh, fv);
114
		} catch (IOException e) {
115
			e.printStackTrace();
116
		}
117
	}
118

  
119
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/oaisets/OaiSetsCollectorPluginTest.java
1
package eu.dnetlib.data.collector.plugins.oaisets;
2

  
3
import java.util.HashMap;
4
import javax.annotation.Resource;
5

  
6
import com.google.common.base.Joiner;
7
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
8
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
9
import org.junit.Before;
10
import org.junit.Ignore;
11
import org.junit.Test;
12
import org.junit.runner.RunWith;
13
import org.springframework.test.context.ContextConfiguration;
14
import org.springframework.test.context.junit4.SpringJUnit4ClassRunner;
15

  
16
@RunWith(SpringJUnit4ClassRunner.class)
17
@ContextConfiguration(value = "applicationContext-OaiSetsCollectorPluginTest.xml")
18
public class OaiSetsCollectorPluginTest {
19

  
20
	private OaiSetsCollectorPlugin oaiSetsPlugin;
21
	@Resource
22
	OaiSetsIteratorFactory oaiSetsIteratorFactory;
23

  
24
	private static final String BASE_URL = "http://oai.cwi.nl/oai";
25
	private static final String BASE_URL_DATACITE = "http://oai.datacite.org/oai";
26

  
27
	@Before
28
	public void setUp() throws Exception {
29
		oaiSetsPlugin = new OaiSetsCollectorPlugin();
30
		oaiSetsPlugin.setOaiSetsIteratorFactory(oaiSetsIteratorFactory);
31
	}
32

  
33
	@Ignore
34
	@Test
35
	public void testCollect() throws CollectorServiceException {
36
		final InterfaceDescriptor iface = new InterfaceDescriptor();
37
		iface.setId("123");
38
		iface.setProtocol("oai_set");
39
		iface.setBaseUrl(BASE_URL);
40
		iface.setParams(new HashMap<String, String>());
41

  
42
		Iterable<String> sets = oaiSetsPlugin.collect(iface, null, null);
43
		System.out.println(Joiner.on(",").join(sets));
44
	}
45

  
46
	@Ignore
47
	@Test
48
	public void testCollectDatacite() throws CollectorServiceException {
49
		final InterfaceDescriptor iface = new InterfaceDescriptor();
50
		iface.setId("123");
51
		iface.setProtocol("oai_set");
52
		iface.setBaseUrl(BASE_URL_DATACITE);
53
		iface.setParams(new HashMap<String, String>());
54

  
55
		Iterable<String> sets = oaiSetsPlugin.collect(iface, null, null);
56
		System.out.println(Joiner.on(",").join(sets));
57
	}
58
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginRealTest.java
1
package eu.dnetlib.data.collector.plugins.oai;
2

  
3
import java.util.HashMap;
4

  
5
import eu.dnetlib.data.collector.plugins.HttpConnector;
6
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
7
import org.junit.Before;
8
import org.junit.Ignore;
9
import org.junit.Test;
10

  
11
public class OaiCollectorPluginRealTest {
12

  
13
	private OaiCollectorPlugin oai;
14

  
15
	private static final String BASE_URL = "http://oai.d.efg.research-infrastructures.eu/oai.do";
16
	private static final String FORMAT = "oai_dc";
17
	private static final String SETS = "d937bab1-d44c-44aa-bf7d-df5312a3b623, e5b14959-1e87-4c07-9f85-942c9cdd9136, 13302eb6-764a-4ed2-8d08-2a1c9526f442, 31701e97-096f-4266-81b5-30b9bc3a06b0";
18

  
19
	@Before
20
	public void setUp() {
21
		oai = new OaiCollectorPlugin();
22
		HttpConnector connector = new HttpConnector();
23
		OaiIteratorFactory oif = new OaiIteratorFactory();
24
		oif.setHttpConnector(connector);
25
		oai.setOaiIteratorFactory(oif);
26
	}
27

  
28
	@Test
29
	@Ignore
30
	public void testCollect() throws Exception {
31
		final InterfaceDescriptor iface = new InterfaceDescriptor();
32
		iface.setId("123");
33
		iface.setProtocol("OAI");
34
		iface.setBaseUrl(BASE_URL);
35
		iface.setParams(new HashMap<String, String>());
36
		iface.getParams().put("format", FORMAT);
37
		iface.getParams().put("set", SETS);
38

  
39
		int count = 0;
40
		for (String s : oai.collect(iface, null, null)) {
41
			System.out.println(s);
42
			count++;
43
		}
44
		System.out.println("TOTAL: " + count);
45
	}
46

  
47
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiIteratorTest.java
1
package eu.dnetlib.data.collector.plugins.oai;
2

  
3
import org.junit.Before;
4
import org.junit.Ignore;
5
import org.junit.Test;
6

  
7
import eu.dnetlib.data.collector.plugins.HttpConnector;
8

  
9
public class OaiIteratorTest {
10
	
11
	private static final String BASE_URL = "http://oai.d.efg.research-infrastructures.eu/oai.do";
12
	private static final String FORMAT = "oai_dc";
13
	private static final String SET = "d937bab1-d44c-44aa-bf7d-df5312a3b623";
14
	
15
	private OaiIterator oai;
16
	
17
	@Before
18
	public void setUp() {
19
		HttpConnector httpConnector = new HttpConnector();
20
		httpConnector.initTrustManager();
21
		oai = new OaiIterator(BASE_URL, FORMAT, SET, null, null, httpConnector);
22
	}
23
	
24
	@Test
25
	@Ignore
26
	public void test() {
27
		int count = 0;
28
		while (oai.hasNext()) {
29
			oai.next();
30
			count++;
31
		}
32
		System.out.println("TOTAL: " + count);
33
	}
34
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/oai/OaiCollectorPluginTest.java
1
package eu.dnetlib.data.collector.plugins.oai;
2

  
3
import static org.junit.Assert.assertEquals;
4
import static org.junit.Assert.assertNotNull;
5
import static org.mockito.Mockito.verify;
6
import static org.mockito.Mockito.when;
7

  
8
import java.util.ArrayList;
9
import java.util.HashMap;
10
import java.util.Iterator;
11
import java.util.List;
12

  
13
import org.junit.Before;
14
import org.junit.Test;
15
import org.junit.runner.RunWith;
16
import org.mockito.Mock;
17
import org.mockito.internal.verification.Times;
18
import org.mockito.junit.MockitoJUnitRunner;
19

  
20
import com.google.common.base.Joiner;
21
import com.google.common.collect.Lists;
22

  
23
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
24
import eu.dnetlib.data.collector.rmi.ProtocolDescriptor;
25
import eu.dnetlib.data.collector.rmi.ProtocolParameter;
26

  
27
@RunWith(MockitoJUnitRunner.class)
28
public class OaiCollectorPluginTest {
29

  
30
	private OaiCollectorPlugin oai;
31

  
32
	@Mock
33
	private OaiIteratorFactory oaiIteratorFactory;
34

  
35
	private List<String> elements = Lists.newArrayList("0", "1", "2", "3", "4", "5", "6", "7", "8", "9", "10", "11", "12");
36

  
37
	private Iterator<String> oaiIterator1 = elements.subList(0, 3).iterator();
38
	private Iterator<String> oaiIterator2 = elements.subList(3, 7).iterator();
39
	private Iterator<String> oaiIterator3 = elements.subList(7, elements.size()).iterator();
40

  
41
	private static final String BASE_URL = "http://oai.test.it/oai";
42
	private static final String FORMAT = "oai_dc";
43
	private static final String PROTOCOL = "OAI";
44
	private static final String SET_1 = "set01";
45
	private static final String SET_2 = "set02";
46
	private static final String SET_3 = "set03";
47

  
48
	@Before
49
	public void setUp() {
50
		oai = new OaiCollectorPlugin();
51
		oai.setOaiIteratorFactory(oaiIteratorFactory);
52
		oai.setProtocolDescriptor(new ProtocolDescriptor(PROTOCOL, new ArrayList<ProtocolParameter>()));
53
		when(oaiIteratorFactory.newIterator(BASE_URL, FORMAT, SET_1, null, null)).thenReturn(oaiIterator1);
54
		when(oaiIteratorFactory.newIterator(BASE_URL, FORMAT, SET_2, null, null)).thenReturn(oaiIterator2);
55
		when(oaiIteratorFactory.newIterator(BASE_URL, FORMAT, SET_3, null, null)).thenReturn(oaiIterator3);
56
	}
57

  
58
	public void test() {
59
		oai = new OaiCollectorPlugin();
60
	}
61

  
62
	@Test
63
	public void testGetProtocol() {
64
		assertEquals(PROTOCOL, oai.getProtocol());
65
	}
66

  
67
	@Test
68
	public void testCollect() throws Exception {
69
		final InterfaceDescriptor iface = new InterfaceDescriptor();
70
		iface.setId("123");
71
		iface.setProtocol(PROTOCOL);
72
		iface.setBaseUrl(BASE_URL);
73
		iface.setParams(new HashMap<String, String>());
74
		iface.getParams().put("format", FORMAT);
75
		iface.getParams().put("set", Joiner.on(", ").join(SET_1, SET_2, SET_3));
76

  
77
		final Iterable<String> records = oai.collect(iface, null, null);
78

  
79
		assertNotNull(records);
80
		verify(oaiIteratorFactory, new Times(0)).newIterator(BASE_URL, FORMAT, SET_1, null, null);
81
		verify(oaiIteratorFactory, new Times(0)).newIterator(BASE_URL, FORMAT, SET_2, null, null);
82
		verify(oaiIteratorFactory, new Times(0)).newIterator(BASE_URL, FORMAT, SET_3, null, null);
83

  
84
		int count = 0;
85
		for (String s : records) {
86
			System.out.println("RECORD: " + s);
87
			assertEquals("" + count, s);
88
			count++;
89
		}
90
		assertEquals(elements.size(), count);
91
		verify(oaiIteratorFactory).newIterator(BASE_URL, FORMAT, SET_1, null, null);
92
		verify(oaiIteratorFactory).newIterator(BASE_URL, FORMAT, SET_2, null, null);
93
		verify(oaiIteratorFactory).newIterator(BASE_URL, FORMAT, SET_3, null, null);
94
	}
95
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/ftp/FtpIteratorTest.java
1
package eu.dnetlib.data.collector.plugins.ftp;
2

  
3
import java.util.Set;
4

  
5
import com.google.common.collect.Sets;
6
import org.junit.Ignore;
7
import org.junit.Test;
8

  
9
import static org.junit.Assert.assertFalse;
10
import static org.junit.Assert.assertTrue;
11

  
12
@Ignore
13
public class FtpIteratorTest {
14

  
15
	private String baseUrl = "ftp://ftp.eagle.research-infrastructures.eu/content/ELTE";
16
	private String username = "eaglecontent";
17
	private String password = "$eagl3$CP";
18
	private boolean isRecursive = true;
19
	private Set<String> extensions = Sets.newHashSet("xml");
20

  
21
	@Test
22
	public void test() {
23
		final FtpIterator iterator = new FtpIterator(baseUrl, username, password, isRecursive, extensions, null);
24
		int i =5;
25
		while (iterator.hasNext() && i > 0) {
26
			iterator.next();
27
			i--;
28
		}
29
	}
30

  
31
	@Test
32
	public void testIncremental() {
33
		final FtpIterator iterator = new FtpIterator(baseUrl, username, password, isRecursive, extensions, "2016-01-04");
34
		assertTrue(iterator.hasNext());
35
		int i =5;
36
		while (iterator.hasNext() && i > 0) {
37
			iterator.next();
38
			i--;
39
		}
40
	}
41

  
42
	@Test
43
	public void testIncrementalNoRecords() {
44
		final FtpIterator iterator = new FtpIterator(baseUrl, username, password, isRecursive, extensions, "2017-01-04");
45
		assertFalse(iterator.hasNext());
46

  
47
	}
48

  
49
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/remotemdstore/RemoteMdstorePluginTest.java
1
package eu.dnetlib.data.collector.plugins.remotemdstore;
2

  
3
import org.junit.Before;
4
import org.junit.Ignore;
5
import org.junit.Test;
6

  
7
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
8
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
9

  
10
public class RemoteMdstorePluginTest {
11

  
12
	private RemoteMdstorePlugin plugin;
13

  
14
	@Before
15
	public void setUp() throws Exception {
16
		plugin = new RemoteMdstorePlugin();
17
	}
18

  
19
	@Test
20
	@Ignore
21
	public void testCollect() throws CollectorServiceException {
22
		final InterfaceDescriptor interfaceDescriptor = new InterfaceDescriptor();
23
		interfaceDescriptor.setBaseUrl("mongodb://localhost");
24
		interfaceDescriptor.getParams().put("remote_database", "mdstore_isti");
25
		interfaceDescriptor.getParams().put("remote_mdstore_id", "f9161d2e-b247-4f47-81c2-70e4cf44e7ce_TURTdG9yZURTUmVzb3VyY2VzL01EU3RvcmVEU1Jlc291cmNlVHlwZQ==");
26

  
27
		int count = 0;
28
		for (final String s : plugin.collect(interfaceDescriptor, null, null)) {
29
			count++;
30
		}
31
		System.out.println("TOTAL: " + count);
32

  
33
	}
34

  
35
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/HttpConnectorTest.java
1
package eu.dnetlib.data.collector.plugins;
2

  
3
import java.io.IOException;
4
import java.io.InputStream;
5
import java.net.HttpURLConnection;
6
import java.net.URL;
7
import java.util.concurrent.TimeUnit;
8
import javax.net.ssl.HttpsURLConnection;
9
import javax.net.ssl.SSLProtocolException;
10

  
11
import com.google.common.base.Joiner;
12
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
13
import org.apache.commons.io.IOUtils;
14
import org.apache.commons.logging.Log;
15
import org.apache.commons.logging.LogFactory;
16
import org.apache.http.HttpResponse;
17
import org.apache.http.client.methods.CloseableHttpResponse;
18
import org.apache.http.client.methods.HttpGet;
19
import org.apache.http.client.methods.HttpUriRequest;
20
import org.apache.http.conn.ssl.SSLConnectionSocketFactory;
21
import org.apache.http.impl.client.HttpClientBuilder;
22
import org.apache.http.impl.client.HttpClients;
23
import org.apache.http.ssl.SSLContextBuilder;
24
import org.junit.Before;
25
import org.junit.Ignore;
26
import org.junit.Test;
27
import org.springframework.http.client.HttpComponentsClientHttpRequestFactory;
28
@Ignore
29
public class HttpConnectorTest {
30

  
31
	private static final Log log = LogFactory.getLog(HttpConnectorTest.class);
32
	private HttpConnector connector;
33

  
34
	private static final String URL = "https://researchdata.ands.org.au/registry/services/oai?verb=Identify";
35
	private static final String URL_MISCONFIGURED_SERVER = "https://www.alexandria.unisg.ch/cgi/oai2?verb=Identify";
36
	private static final String URL_GOODSNI_SERVER = "https://air.unimi.it/oai/openaire?verb=Identify";
37

  
38
	private static final SSLContextBuilder sslContextBuilder = new SSLContextBuilder();
39
	private static SSLConnectionSocketFactory sslSocketFactory;
40

  
41
	private static final HttpComponentsClientHttpRequestFactory httpRequestFactory = new HttpComponentsClientHttpRequestFactory(HttpClientBuilder
42
			.create()
43
			.setConnectionTimeToLive(0, TimeUnit.MILLISECONDS)
44
			.setMaxConnPerRoute(1)
45
			.setMaxConnTotal(1)
46
			.disableAutomaticRetries()
47
			.disableConnectionState()
48
			.setSSLSocketFactory(sslSocketFactory)
49
			.build());
50

  
51
//	static {
52
//		System.setProperty("javax.net.debug", "ssl,handshake");
53
//		System.setProperty("jsse.enableSNIExtension", "true");
54
//		try {
55
//			sslContextBuilder.loadTrustMaterial(null, (chain, authType) -> true);
56
//			SSLParameters sslParameters = new SSLParameters();
57
//			List sniHostNames = new ArrayList(1);
58
//			//sniHostNames.add(new SNIHostName(url.getHost()));
59
//			sslParameters.setServerNames(sniHostNames);
60
//			sslSocketFactory = new SSLConnectionSocketFactory(sslContextBuilder.build().se, sslParameters);
61
//
62
//		} catch (final NoSuchAlgorithmException | KeyStoreException | KeyManagementException e) {
63
//			log.error(e);;
64
//		}
65
//	}
66

  
67
	@Before
68
	public void setUp() {
69
		connector = new HttpConnector();
70
	}
71

  
72
	@Test
73
	@Ignore
74
	public void testConnectionRelease() throws IOException, InterruptedException {
75

  
76
		InputStream in;
77

  
78
		final HttpGet get = new HttpGet("http://www.google.com");
79
		try(CloseableHttpResponse rsp = HttpClients.createDefault().execute(get)) {
80

  
81
			in = rsp.getEntity().getContent();
82
		}
83

  
84
		log.info("going to sleep ... ");
85
		Thread.sleep(1000);
86

  
87
		log.info("wake up!");
88

  
89
		System.out.println(IOUtils.toString(in));
90
	}
91

  
92
	@Test
93
	@Ignore
94
	public void testGetInputSource() throws CollectorServiceException {
95
		System.out.println(connector.getInputSource(URL));
96
	}
97

  
98
	@Test
99
	@Ignore
100
	public void testMisconfiguredServers() throws CollectorServiceException {
101
		System.out.println(connector.getInputSource(URL_MISCONFIGURED_SERVER));
102
	}
103

  
104
	@Test
105
	@Ignore
106
	public void testMisconfiguredServers2() throws IOException {
107
		HttpURLConnection urlConn = (HttpURLConnection) new URL(URL_MISCONFIGURED_SERVER).openConnection();
108
		urlConn.getResponseMessage();
109
	}
110

  
111
	@Test
112
	public void testDisablingSNI() throws IOException {
113
		HttpURLConnection urlConn = null;
114
		try {
115
			urlConn = (HttpURLConnection) new URL(URL_MISCONFIGURED_SERVER).openConnection();
116
			urlConn.getResponseMessage();
117
		 } catch(SSLProtocolException sslExce) {
118
			if (sslExce.getMessage() != null && sslExce.getMessage().equals("handshake alert:  unrecognized_name")) {
119
				System.out.println("Server has misconfigured SSL SNI (handshake alert:  unrecognized_name). Trying to disable SNI");
120
				if (urlConn instanceof HttpsURLConnection) {
121
					HttpResponse res = httpRequestFactory.getHttpClient().execute(new HttpGet(URL_MISCONFIGURED_SERVER));
122
					System.out.println(res.getStatusLine());
123
//					HttpsURLConnection httpsUrlConnection = (HttpsURLConnection) urlConn;
124
//					httpsUrlConnection.setSSLSocketFactory(sslSocketFactory);
125
//					httpsUrlConnection.setHostnameVerifier(new HostnameVerifier() {
126
//						public boolean verify( String s, SSLSession sess ) {
127
//							return true;
128
//						}});
129
//					httpsUrlConnection.getResponseMessage();
130
				}
131

  
132
			}
133
		}
134
	}
135

  
136

  
137

  
138

  
139
	@Test
140
	public void testGoodServers() throws CollectorServiceException {
141
		System.out.println(connector.getInputSource(URL_GOODSNI_SERVER));
142
	}
143

  
144

  
145
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/csv/CSVCollectorPluginTest.java
1
package eu.dnetlib.data.collector.plugins.csv;
2

  
3
import java.net.URISyntaxException;
4
import java.net.URL;
5
import java.util.HashMap;
6

  
7
import org.junit.Assert;
8
import org.junit.Test;
9

  
10
import eu.dnetlib.data.collector.plugins.FileCSVCollectorPlugin;
11
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
12
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
13

  
14
public class CSVCollectorPluginTest {
15

  
16
	@Test
17
	public void testCSVHeader() throws URISyntaxException, CollectorServiceException {
18
		URL resource = CSVCollectorPluginTest.class.getResource("/eu/dnetlib/data/collector/filesystem/csv/input.tsv");
19
		InterfaceDescriptor descr = new InterfaceDescriptor();
20
		HashMap<String, String> params = new HashMap<String, String>();
21
		params.put("header", "TrUe");
22
		params.put("separator", "\t");
23
		params.put("identifier", "56");
24
		descr.setBaseUrl(resource.toString());
25
		descr.setParams(params);
26
		FileCSVCollectorPlugin plugin = new FileCSVCollectorPlugin();
27
		int i = 0;
28
		for (String s : plugin.collect(descr, null, null)) {
29
			Assert.assertTrue(s.length() > 0);
30
			i++;
31
			System.out.println(s);
32
			break;
33
		}
34
		Assert.assertTrue(i > 0);
35

  
36
	}
37

  
38

  
39
	@Test
40
	public void testTSVQuote() throws URISyntaxException, CollectorServiceException {
41
		URL resource = CSVCollectorPluginTest.class.getResource("/eu/dnetlib/data/collector/filesystem/csv/input-quoted.tsv");
42
		InterfaceDescriptor descr = new InterfaceDescriptor();
43
		HashMap<String, String> params = new HashMap<String, String>();
44
		params.put("header", "true");
45
		params.put("separator", ";");
46
		params.put("identifier", "0");
47
		params.put("quote", "\\\"");
48
		descr.setBaseUrl(resource.toString());
49
		descr.setParams(params);
50
		FileCSVCollectorPlugin plugin = new FileCSVCollectorPlugin();
51
		int i = 0;
52
		for (String s : plugin.collect(descr, null, null)) {
53
			Assert.assertTrue(s.length() > 0);
54
			i++;
55
			System.out.println(s);
56
			break;
57
		}
58
		Assert.assertTrue(i > 0);
59

  
60
	}
61
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/csv/HTTPCSVCollectorPluginTest.java
1
package eu.dnetlib.data.collector.plugins.csv;
2

  
3
import java.net.URISyntaxException;
4
import java.util.HashMap;
5

  
6
import eu.dnetlib.data.collector.plugins.HttpCSVCollectorPlugin;
7
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
8
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
9
import org.junit.Test;
10

  
11
import static org.junit.Assert.assertFalse;
12
import static org.junit.Assert.assertTrue;
13

  
14
public class HTTPCSVCollectorPluginTest {
15

  
16
	private String FILE_URL = HTTPCSVCollectorPluginTest.class.getResource("testCSVwithBOM.csv").toString();
17
	final HttpCSVCollectorPlugin plugin = new HttpCSVCollectorPlugin();
18

  
19
	@Test
20
	public void testCSVHeader() throws URISyntaxException, CollectorServiceException {
21

  
22
		final InterfaceDescriptor descr = new InterfaceDescriptor();
23
		final HashMap<String, String> params = new HashMap<String, String>();
24

  
25
		params.put("separator", ",");
26
		params.put("quote", "\"");
27
		params.put("identifier", "ID");
28
		descr.setBaseUrl(FILE_URL);
29
		descr.setParams(params);
30

  
31
		int i = 0;
32
		for (final String s : plugin.collect(descr, null, null)) {
33
			assertTrue(s.length() > 0);
34
			System.out.println(s);
35
			i++;
36
		}
37
		System.out.println(i);
38
		assertTrue(i > 0);
39
	}
40

  
41
	@Test
42
	public void testVerifyQuotesOk(){
43
		String correct = "\"5\",\"Il Padrino\",\"EEEEEEEE \"\"ZZZZZ\"\" EEEEEEEEEE\",1970";
44
		assertTrue(plugin.verifyQuotes(correct, ','));
45
	}
46

  
47
	@Test
48
	public void testVerifyQuotesWRONG(){
49
		String correct = "5\",\"Il Padrino\",\"EEEEEEEE \"ZZZZZ\" EEEEEEEEEE\",1970";
50
		assertFalse(plugin.verifyQuotes(correct, ','));
51
	}
52

  
53
	@Test
54
	public void testSNSF(){
55
		String s = "\"8773\";\"3101-008773\";\"EMBO workshop on structure, function and regulation of membrane transport proteins\";\"\";\"Rossier Bernard C.\";\"Scientific Conferences\";\"Science communication\";\"Département de Pharmacologie & Toxicologie Faculté de Biologie et de Médecine Université de Lausanne\";\"Université de Lausanne - LA\";\"30103\";\"Cellular Biology, Cytology\";\"Biology and Medicine;Basic Biological Research\";\"01.04.1987\";\"30.09.1987\";\"10000.00\";\"\";\"30103\"" ;
56
		assertTrue(plugin.verifyQuotes(s, ';'));
57
	}
58

  
59
	@Test
60
	public void testSNSF2(){
61
		String s = "\"11000\";\"4021-011000\";\"Literarische und nationale Erziehung : Schweizerisches Selbstverständnis in der Literatur für Kinder und Jugend- liche\";\"\";\"Tschirky Rosmarie\";\"NRP 21 Cultural Diversity and National Identity\";\"Programmes;National Research Programmes (NRPs)\";\"Schweiz. Inst. für Kinder- und Jugendmedien\";\"Universität Zürich - ZH\";\"10501\";\"German and English languages and literature\";\"Human and Social Sciences;Linguistics and literature, philosophy\";\"10501\";\"01.10.1986\";\"31.03.1990\";\"308807.00\";\"\"";
62
		assertTrue(plugin.verifyQuotes(s, ';'));
63
	}
64

  
65
	@Test
66
	public void testSNSFInvalid(){
67
		String s = "\"35918\";\"1113-035918\";\"Entwicklung eines dreisprachigen Thesaurus des schweizerischen Rechts zur Unterstützung der Suche in Volltextdatenbanken.\";\"\";\"Verein \"Schweizerische Juristische Datenbank\"\";\"Project funding (Div. I-III)\";\"Project funding\";\"Verein \"\"Schweizerische Juristische Datenbank\"\"\";\"NPO (Biblioth., Museen, Verwalt.) - NPO\";\"10205\";\"Legal sciences\";\"Human and Social Sciences;Economics, law\";\"10205\";\"01.12.1992\";\"31.03.1995\";\"500366.00\";\"\"";
68
		assertFalse(plugin.verifyQuotes(s, ';'));
69
	}
70

  
71
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/httplist/HttpListIteratorTest.java
1
package eu.dnetlib.data.collector.plugins.httplist;
2

  
3
import java.io.File;
4
import java.io.FileWriter;
5
import java.io.IOException;
6
import java.util.Iterator;
7

  
8
import eu.dnetlib.data.collector.plugins.HttpConnector;
9
import org.apache.commons.io.FileUtils;
10
import org.junit.Before;
11
import org.junit.Ignore;
12
import org.junit.Test;
13

  
14
public class HttpListIteratorTest {
15

  
16
	private HttpConnector httpConnector;
17
	// Under test
18
	private Iterator<String> iter;
19

  
20
	@Before
21
	public void setUp() throws Exception {
22
		httpConnector = new HttpConnector();
23
		iter = new HttpListIterator("http://www.dlib.org/", "http://www.dlib.org/metadata/dlib_meta_files.txt", httpConnector);
24
	}
25

  
26
	@Test
27
	@Ignore
28
	public void testHttpListIterator() throws IOException {
29
		FileUtils.forceMkdir(new File("/tmp/dlibmagazine"));
30

  
31
		int i = 0;
32
		while (iter.hasNext()) {
33
			final String file = "/tmp/dlibmagazine/" + i++ + ".xml";
34
			final FileWriter fw = new FileWriter(file);
35
			System.out.println("Download " + file);
36
			fw.append(iter.next());
37
			fw.flush();
38
			fw.close();
39
		}
40
		System.out.println("* END *");
41
	}
42
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/java/eu/dnetlib/data/collector/plugins/sftp/SftpIteratorTest.java
1
package eu.dnetlib.data.collector.plugins.sftp;
2

  
3
import java.net.URI;
4
import java.net.URISyntaxException;
5
import java.util.Set;
6

  
7
import com.google.common.collect.Sets;
8
import com.jcraft.jsch.*;
9
import org.apache.commons.logging.Log;
10
import org.apache.commons.logging.LogFactory;
11
import org.joda.time.DateTime;
12
import org.joda.time.format.DateTimeFormat;
13
import org.joda.time.format.DateTimeFormatter;
14
import org.junit.Ignore;
15
import org.junit.Test;
16

  
17
import static org.junit.Assert.assertFalse;
18
import static org.junit.Assert.assertTrue;
19

  
20
/**
21
 * Created by andrea on 12/01/16.
22
 */
23
@Ignore
24
public class SftpIteratorTest {
25

  
26
	private static final Log log = LogFactory.getLog(SftpIteratorTest.class);
27
/*
28
	private String baseUrl = "sftp://fts.ec.europa.eu/H2020";
29
	private String username = "openaire";
30
	private String password = "I732x6854e";
31
*/
32

  
33
    private String baseUrl = "sftp://node6.t.openaire.research-infrastructures.eu/corda_h2020/";
34
    private String username = "openaire";
35
    private String password = "OpenDnet.";
36

  
37

  
38
    private boolean isRecursive = true;
39
    private Set<String> extensions = Sets.newHashSet("xml");
40

  
41
	private int mtime = 1458471600;
42
	private String mtimeStr = "Sun Mar 20 12:00:00 CET 2016";
43

  
44
	@Ignore
45
	@Test
46
    public void test() {
47
	    SftpIterator iterator = new SftpIterator(baseUrl, username, password, isRecursive, extensions, null);
48
	    while (iterator.hasNext()) {
49
            String remotePath = iterator.next();
50
            System.out.println(remotePath);
51
        }
52
    }
53

  
54
	@Ignore
55
	@Test
56
	public void timeTest() throws JSchException, SftpException, URISyntaxException {
57
		URI sftpServer = new URI(baseUrl);
58
		final String sftpURIScheme = sftpServer.getScheme();
59
		final String sftpServerAddress = sftpServer.getHost();
60
		final String remoteSftpBasePath = sftpServer.getPath();
61
		JSch jsch = new JSch();
62
		JSch.setConfig("StrictHostKeyChecking", "no");
63
		Session sftpSession = jsch.getSession(username, sftpServerAddress);
64
		sftpSession.setPassword(password);
65
		sftpSession.connect();
66

  
67
		Channel channel = sftpSession.openChannel(sftpURIScheme);
68
		channel.connect();
69
		ChannelSftp sftpChannel = (ChannelSftp) channel;
70
		sftpChannel.cd(sftpChannel.pwd() + remoteSftpBasePath);
71
		log.info("Connected to SFTP server " + sftpServerAddress);
72

  
73
		final SftpATTRS lstat = sftpChannel.lstat("H20_OpenAire_Project_633002.xml");
74
		int mtime = lstat.getMTime();
75
		String mtimeStr = lstat.getMtimeString();
76
		log.info("mtime int: " + mtime);
77
		log.info("mtime string: " + mtimeStr);
78

  
79
		sftpChannel.exit();
80
		sftpSession.disconnect();
81

  
82
		log.info("trying to get Date from mtimestring");
83
		DateTime dt = new DateTime(mtimeStr);
84
		log.info("Joda DateTime from mtimeString: " + dt.toString());
85
	}
86

  
87
	@Test
88
	public void timeTestParseString() {
89
		log.info("trying to get DateTime from mtimestring");
90
		//DateTimeFormatter formatter = DateTimeFormat.forPattern("EEE MMM dd HH:mm:ss 'CET' yyyy");
91
		DateTimeFormatter formatter = DateTimeFormat.forPattern("EEE MMM dd %");
92
		DateTime dt = DateTime.parse(mtimeStr, formatter);
93
		log.info("Joda DateTime from mtimeString: " + dt.toString());
94
	}
95

  
96
	@Test
97
	public void testTimeFromInt() {
98
		DateTime dt = new DateTime(mtime * 1000L);
99
		log.info("Joda DateTime from mtimeInt: " + dt.toString());
100
	}
101

  
102
	@Test
103
	public void timeTestAfter() {
104
		DateTime dt = new DateTime(mtime * 1000L);
105
		DateTime now = new DateTime();
106
		assertFalse(now.isBefore(dt));
107
		assertTrue(now.isAfter(dt));
108
	}
109

  
110
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/resources/eu/dnetlib/data/collector/plugins/inputTest.json
1
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f753" }, "id" : "doajarticles::c7b9020f39376b0fb2da4406b6e0798f", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::c7b9020f39376b0fb2da4406b6e0798f</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:006ba2d18b834e8f935f0d91386993bc</dri:recordIdentifier><dri:dateOfCollection>2014-11-07T09:25:14.96Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:006ba2d18b834e8f935f0d91386993bc</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-10-29T15:00:42Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOk1lZGljaW5l</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Hubungan Faktor Risiko, Status Instabilitas Mikrosatelit, dan Ekspresi P53 dengan Karsinogenesis Adenokarsinoma Kolorektal pada Orang Indonesia</dc:title><dc:identifier>10.15395/mkb.v44n4.216</dc:identifier><dc:identifier>0126-074X</dc:identifier><dc:identifier>2338-6223</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%22006ba2d18b834e8f935f0d91386993bc%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2012-12-01T00:00:00Z</dc:date><dc:relation>http://journal.fk.unpad.ac.id/index.php/mkb/article/view/216</dc:relation><dc:description>Different from developed countries, molecular characteristic of colorectal adenocarcinoma (CRC) among Indonesians in the age group of ≤40 years old is mostly similar compared to the CRC of the age group of &gt;40 years old, and both are sporadic cancers. To know the association of molecular characteristic with the risk factors of CRC, a cross sectional study was conducted to analyze the association of risk factors, microsatellite instability (MSI) and P53 expression (chromosomal Instability=CIN) status in 39 consecutive CRC patients who were eligible for this study at Dr Hasan Sadikin Hospital, from March 2009 until March 2010. They consisted of 21 male and 18 female patients. Of them, there were 17 and 22 patients with&gt;40 and≤40 years of age, respectively. The immuno-histochemistry examinations for the expression of mutated MLH1, MSH2 and p53 genes were conducted to determine the CIN and MSI status. The results showed that the CRC ≤40 years of age had 4 MSI high, 1 MSI low, and 17 MSI negative, associated with 10 P53 positives and 12 p53 negatives. By contrast, in the CRC &gt;40 years of age the MSI was low and negative in 4 and 13 cases, respectively. They were associated with 11 and 6 of p53 positive and negative status, respectively. Between the two groups, there were no significant differences with regards to the association pattern between the risk factors and their molecular characteristics (p&gt;0.05). Conclusions, majority of CRC patients among Indonesian show a molecular classification of high CIN and low MSI, and is associated with risk factors of high fat and protein, low fiber dietary intake, overweight, smoking, and low physical activitis. </dc:description><dc:creator>Kiki Lukman</dc:creator><dc:creator>Laely Yuniasari</dc:creator><dc:creator>Bethy S. Hernowo</dc:creator><dc:subject>Carcinogenesis of colorectal carcinoma</dc:subject><dc:subject>expression of P53</dc:subject><dc:subject>microstallite instability</dc:subject><dc:subject>risk factors</dc:subject><dc:type>article</dc:type><dc:subject>LCC:Medicine</dc:subject><dc:subject>LCC:R</dc:subject><dc:language>EN</dc:language><dc:language>ID</dc:language><dc:rights>CC BY-NC</dc:rights><dc:source>Majalah Kedokteran Bandung, Vol 44, Iss 4, Pp 245-252 (2012)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1415352398443 }
2
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f754" }, "id" : "doajarticles::7b9f8826a5c2d0d814f0a082cff25b38", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::7b9f8826a5c2d0d814f0a082cff25b38</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:0317d6befc194c50842c934a99659752</dri:recordIdentifier><dri:dateOfCollection>2014-11-16T09:49:58.615Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:0317d6befc194c50842c934a99659752</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-11-10T19:04:02Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkhpc3RvcnkgQW1lcmljYQ~~</setSpec><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Negócios em família: imprensa, linguagem e conceitos na província oriental (1814) = Family business:  press, language and concepts in oriental province (1814)</dc:title><dc:identifier>2178-3748</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%220317d6befc194c50842c934a99659752%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2013-01-01T00:00:00Z</dc:date><dc:relation>http://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/view/13028/10663</dc:relation><dc:description>\nO presente trabalho busca investigar os argumentos acerca do projeto de unificação e autonomia do Vice-Reinado do Rio da Prata, encontrados no periódico El sol de las Provincias Unidas. Com o foco principal na cidade de Montevidéu, considerada opositora a campanha comandada por políticos e líderes, principalmente de Buenos Aires. Buscaremos compreender como eram utilizados e discutidos conceitos muito presentes na imprensa periódica da época como pátria, pueblo, nação e soberania.\n</dc:description><dc:creator>Winter, Murillo Dias</dc:creator><dc:publisher>Pontifícia Universidade Católica do Rio Grande do Sul</dc:publisher><dc:subject>AMÉRICA DO SUL - HISTÓRIA</dc:subject><dc:subject>RIO DA PRATA - HISTÓRIA</dc:subject><dc:type>article</dc:type><dc:subject>LCC:History America</dc:subject><dc:subject>LCC:E-F</dc:subject><dc:subject>LCC:Latin America. Spanish America</dc:subject><dc:subject>LCC:F1201-3799</dc:subject><dc:source>Oficina do Historiador, Vol 6, Iss 2, Pp 78-90 (2013)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1416131476829 }
3
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f755" }, "id" : "doajarticles::d80e74eeb0464277194a937e4a9f8d08", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::d80e74eeb0464277194a937e4a9f8d08</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:035752633cbf4058b526b34d00c504e2</dri:recordIdentifier><dri:dateOfCollection>2014-11-16T09:49:57.894Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:035752633cbf4058b526b34d00c504e2</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-11-10T19:04:15Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkhpc3RvcnkgQW1lcmljYQ~~</setSpec><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Elites em perspectiva: uma discussão sobre hierarquias, composição da riqueza e consolidação dos grupos hegemônicos em São João del Rei = Elites in perspective:  a discussion about hierarchies, composition of wealth and consolidation of hegemonic groups in São João del Rei</dc:title><dc:identifier>2178-3748</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%22035752633cbf4058b526b34d00c504e2%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2014-01-01T00:00:00Z</dc:date><dc:relation>http://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/view/13282/11540</dc:relation><dc:description>\nO artigo analisa aspectos econômicos da elite colonial mineira a partir de meados do século XVIII, mediante a investigação empírica da sociedade de São João Del Rei. O comércio em São João assumiu um papel central na liquidez da economia regional, permitindo a formação de grupos hegemônicos no século XIX. Mas há ainda muitas dúvidas sobre quem era essa elite no século XVIII. Com base em pesquisa prosopográfica que reconstrói os caminhos dos homens arrolados por Domingos Nunes Vieira como os mais ricos da capitania de Minas Gerais no ano de 1756, percebemos que a elite mineira que se formou no século XVIII diferia dos padrões mais gerais para a caracterização de grupos hegemônicos em outras regiões do Brasil, no mesmo período.\n</dc:description><dc:creator>Melo, Keila Cecília de</dc:creator><dc:publisher>Pontifícia Universidade Católica do Rio Grande do Sul</dc:publisher><dc:subject>MINAS GERAIS - HISTÓRIA - PERÍODO COLONIAL, 1500-1815</dc:subject><dc:subject>COMÉRCIO - MINAS GERAIS - HISTÓRIA</dc:subject><dc:subject>ELITES - BRASIL</dc:subject><dc:type>article</dc:type><dc:subject>LCC:History America</dc:subject><dc:subject>LCC:E-F</dc:subject><dc:subject>LCC:Latin America. Spanish America</dc:subject><dc:subject>LCC:F1201-3799</dc:subject><dc:source>Oficina do Historiador, Vol 7, Iss 1, Pp 4-22 (2014)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1416131476788 }
4
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f756" }, "id" : "doajarticles::4a7e41a10b88b821ec52347d2661f62c", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::4a7e41a10b88b821ec52347d2661f62c</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:03d282ba6823426fa370fe388d17280d</dri:recordIdentifier><dri:dateOfCollection>2014-11-07T09:25:14.961Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:03d282ba6823426fa370fe388d17280d</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-10-29T15:17:30Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOk1lZGljaW5l</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Kadar Laktat Darah sebagai Prediktor Kontaminasi Bakteri pada Hernia Inguinalis Lateralis Strangulata</dc:title><dc:identifier>10.15395/mkb.v45n1.205</dc:identifier><dc:identifier>0126-074X</dc:identifier><dc:identifier>2338-6223</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%2203d282ba6823426fa370fe388d17280d%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2013-03-01T00:00:00Z</dc:date><dc:relation>http://journal.fk.unpad.ac.id/index.php/mkb/article/view/205</dc:relation><dc:description>Strangulated groin hernia is one of the acute abdomen and have to be treated immediately. Strangulated hernia will cause damage of cell integrity and barrier of intestinal mucous, which make bacterial contamination occur. Strangulated intestinal cells will have anaerobic metabolism which make the blood lactate level increased. Therefore study was conducted to know the correlation between blood lactate level and bacterial contamination in strangulated groin hernia. The study method was cross-sectional with prospective data, patients with strangulated groin hernia who came to Dr. Hasan Sadikin Hospital Bandung during May 2011–April 2012. Blood lactate level was measured when the patient came to hospital and the peritoneal fluid which came from the hernial sac was taken intraoperatively. The data were analyzed with regression logistic test. There were 30 subjects in this study, 28 males and 2 females. The average age was 58.5±12.86 years old. The average blood lactate level was 1.76±0.36 mmol/L. The most found bacterial culture was Escherichia coli. There was strong and very significance correlation between blood lactate level and bacterial contamination, r=0.817 and p=0.007 (p&lt;0.01). In conclusion, blood lactate level can be a predictor for bacterial contamination occurrence in patient with strangulated groin hernia. </dc:description><dc:creator>Anthony Pratama</dc:creator><dc:creator>Haryono Yarman</dc:creator><dc:creator>Bambang A. S. Sulthana</dc:creator><dc:subject>Bacterial contamination</dc:subject><dc:subject>blood lactate level</dc:subject><dc:subject>strangulated groin hernia</dc:subject><dc:type>article</dc:type><dc:subject>LCC:Medicine</dc:subject><dc:subject>LCC:R</dc:subject><dc:language>EN</dc:language><dc:language>ID</dc:language><dc:rights>CC BY-NC</dc:rights><dc:source>Majalah Kedokteran Bandung, Vol 45, Iss 1, Pp 44-49 (2013)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1415352398443 }
5
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f757" }, "id" : "doajarticles::fa2f0a8e42109575566a2d529ec6c590", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::fa2f0a8e42109575566a2d529ec6c590</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:070ea377bc8c44d28e04e06945a357d7</dri:recordIdentifier><dri:dateOfCollection>2014-11-07T09:25:14.588Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:070ea377bc8c44d28e04e06945a357d7</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-10-29T16:49:13Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkNvbXB1dGVyIGVuZ2luZWVyaW5nLiBDb21wdXRlciBoYXJkd2FyZQ~~</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>TDCCREC: AN EFFICIENT AND SCALABLE WEB-BASED RECOMMENDATION SYSTEM</dc:title><dc:identifier>0976-6561</dc:identifier><dc:identifier>2229-6956</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%22070ea377bc8c44d28e04e06945a357d7%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2010-10-01T00:00:00Z</dc:date><dc:relation>http://ictactjournals.in/paper/ijsc2_page_70_77.pdf</dc:relation><dc:description>Web browsers are provided with complex information space where the volume of information available to them is huge. There comes the Recommender system which effectively recommends web pages that are related to the current webpage, to provide the user with further customized reading material. To enhance the performance of the recommender systems, we include an elegant proposed web based recommendation system; Truth Discovery based Content and Collaborative RECommender (TDCCREC) which is capable of addressing scalability. Existing approaches such as Learning automata deals with usage and navigational patterns of users. On the other hand, Weighted Association Rule is applied for recommending web pages by assigning weights to each page in all the transactions. Both of them have their own disadvantages. The websites recommended by the search engines have no guarantee for information correctness and often delivers conflicting information. To solve them, content based filtering and collaborative filtering techniques are introduced for recommending web pages to the active user along with the trustworthiness of the website and confidence of facts which outperforms the existing methods. Our results show how the proposed recommender system performs better in predicting the next request of web users.</dc:description><dc:creator>K.Latha</dc:creator><dc:creator>P.Ramya</dc:creator><dc:creator>V.Sita</dc:creator><dc:creator>R.Rajaram</dc:creator><dc:subject>Recommendation</dc:subject><dc:subject>Content</dc:subject><dc:subject>Collaborative Filtering</dc:subject><dc:subject>Learning Automata</dc:subject><dc:subject>Navigation</dc:subject><dc:type>article</dc:type><dc:subject>LCC:Computer engineering. Computer hardware</dc:subject><dc:subject>LCC:TK7885-7895</dc:subject><dc:language>EN</dc:language><dc:rights>CC BY-NC-SA</dc:rights><dc:source>ICTACT Journal on Soft Computing, Vol 1, Iss 2, Pp 70-77 (2010)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1415352398423 }
6
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f758" }, "id" : "doajarticles::8a5eadce7528bb750ee6591b040b41af", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::8a5eadce7528bb750ee6591b040b41af</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:08ddf58df5464cf48970dfb2d6661b05</dri:recordIdentifier><dri:dateOfCollection>2014-11-16T09:50:01.554Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:08ddf58df5464cf48970dfb2d6661b05</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-11-10T19:03:28Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkhpc3RvcnkgQW1lcmljYQ~~</setSpec><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>História e literatura: as vozes de uma geração nos contos de Caio Fernando Abreu</dc:title><dc:identifier>2178-3748</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%2208ddf58df5464cf48970dfb2d6661b05%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2011-01-01T00:00:00Z</dc:date><dc:relation>http://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/viewFile/8926/6472</dc:relation><dc:description>\nO presente trabalho procura investigar um conjunto de contos do escritor Caio Fernando Abreu, publicados nos livros Ovo apunhalado e Pedras de Calcutá, como sensibilidades e percepções da geração de jovens, durante o final da década de 1960 e início dos anos de 1970. Para tanto, busca-se uma reflexão a respeito das diferenças e semelhanças entre o discurso da Literatura e da História, a fim de analisar aquela como uma porta de acesso às representações sociais da juventude brasileira que viveu o período mais repressivo da ditadura militar.\n</dc:description><dc:creator>Azevedo, Guilherme Zubaran de</dc:creator><dc:publisher>Pontifícia Universidade Católica do Rio Grande do Sul</dc:publisher><dc:subject>ABREU, CAIO FERNANDO - CRÍTICA E INTERPRETAÇÃO</dc:subject><dc:subject>LITERATURA RIO-GRANDENSE - HISTÓRIA E CRÍTICA</dc:subject><dc:subject>CONTOS RIO-GRANDENSES - HISTÓRIA E CRÍTICA</dc:subject><dc:subject>PEDRA DE CALCUTÁ - CRÍTICA E INTERPRETAÇÃO</dc:subject><dc:subject>&lt;&lt;O&gt;&gt; OVO APUNHALADO - CRÍTICA E INTERPRETAÇÃO</dc:subject><dc:subject>JUVENTUDE - ASPECTOS SOCIAIS</dc:subject><dc:type>article</dc:type><dc:subject>LCC:History America</dc:subject><dc:subject>LCC:E-F</dc:subject><dc:subject>LCC:Latin America. Spanish America</dc:subject><dc:subject>LCC:F1201-3799</dc:subject><dc:source>Oficina do Historiador, Vol 3, Iss 2, Pp 126-140 (2011)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1416131478990 }
7
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f759" }, "id" : "doajarticles::67e2d07b21b630f07b9b2cb24d801a7e", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::67e2d07b21b630f07b9b2cb24d801a7e</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:13e7e1e4b62c4d52b81ef586a996ca39</dri:recordIdentifier><dri:dateOfCollection>2014-11-07T09:25:14.962Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:13e7e1e4b62c4d52b81ef586a996ca39</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-10-29T15:20:50Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOk1lZGljaW5l</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Penurunan Tekanan Intraokular Pascabedah Katarak pada Kelompok Sudut Bilik Mata Depan Tertutup dan Terbuka</dc:title><dc:identifier>10.15395/mkb.v45n1.204</dc:identifier><dc:identifier>0126-074X</dc:identifier><dc:identifier>2338-6223</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%2213e7e1e4b62c4d52b81ef586a996ca39%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2013-03-01T00:00:00Z</dc:date><dc:relation>http://journal.fk.unpad.ac.id/index.php/mkb/article/view/204</dc:relation><dc:description>Increased crystalline lens thickness in senile cataract causing resistance to aqueous humor outflow. Increased anterior chamber depth had a positive correlation with the widening of the anterior chamber angle and decreased of intraocular pressure (IOP) after cataract extraction. The purpose of this study was to compare IOP reduction after cataract surgery between angle-closure and open-angle group. This pre-post test design study was to compare IOP after phacoemulsification cataract surgery in 26 eyes of 26 patients divided into angle-closure and open-angle groups consisting of 13 eyes each. The study was conducted in Cicendo Eye Hospital Bandung in period of March until June 2012. Patients who planned to have phacoemulsification cataract surgery were recruited consecutively. The anterior chamber angle was measured before surgery using Sussman 4-mirror goniolens. The intraocular pressure were measured before and three weeks after surgery using Goldmann aplanation tonometer. Statistical analysis was done using t test. The results indicated that IOP reduction was statistically significant greater in the angle-closure group (19.6%) compared with open-angle group (11.3%) with p=0.022. In conclusion, IOP reduction after phacoemulsification cataract surgery was greater in the angle-closure group compared with open-angle group.</dc:description><dc:creator>Rakhma Indria Hapsari</dc:creator><dc:creator>Andika Prahasta</dc:creator><dc:creator>Sutarya Enus</dc:creator><dc:subject>Anterior chamber angle</dc:subject><dc:subject>gonioscopy</dc:subject><dc:subject>intraocular pressure</dc:subject><dc:subject>phacoemulsification surgery</dc:subject><dc:subject>senile cataract</dc:subject><dc:type>article</dc:type><dc:subject>LCC:Medicine</dc:subject><dc:subject>LCC:R</dc:subject><dc:language>EN</dc:language><dc:language>ID</dc:language><dc:rights>CC BY-NC</dc:rights><dc:source>Majalah Kedokteran Bandung, Vol 45, Iss 1, Pp 56-61 (2013)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1415352398444 }
8
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f75a" }, "id" : "doajarticles::0f7b9241790570314139c3e2dc5b06ce", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::0f7b9241790570314139c3e2dc5b06ce</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:153cd7d31171413490f49500378cc50f</dri:recordIdentifier><dri:dateOfCollection>2014-11-07T09:25:14.962Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:153cd7d31171413490f49500378cc50f</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-10-29T15:14:43Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOk1lZGljaW5l</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Hubungan antara Gejala Gangguan Depresi dan Tension-Type Headache (TTH): Studi Eksploratif</dc:title><dc:identifier>10.15395/mkb.v45n1.92</dc:identifier><dc:identifier>0126-074X</dc:identifier><dc:identifier>2338-6223</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%22153cd7d31171413490f49500378cc50f%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2013-03-01T00:00:00Z</dc:date><dc:relation>http://journal.fk.unpad.ac.id/index.php/mkb/article/view/92</dc:relation><dc:description>The prevalence rate of depressive disorders is increasing, including those having comorbidity with physical illnesses. One of the medical conditions that has been related to depressive disorder is tension-type headache (TTH). This comorbidity is related to the chronic course of TTH. This research aims to know which kind of depressive symptoms are most frequently found in TTH patients and to analyze the correlation between those symptoms and the type of TTH. This was a cross sectional study on 32 TTH patients who visited the outpatient clinic of the Neurology Department of Dr. Hasan Sadikin Hospital Bandung during the period of November to December 2011 and who were diagnosed as having depressive disorder. They were examined using Hamilton Depression Rating Scale (HDRS). We correlated the scores of depressive disorder symptoms with the type of TTH, followed by mutivariable analysis to find the prevalence ratio of depressive disorder symptoms which correlated with the type of TTH. The results showed the prevalence rate of depressive disorder in TTH was 32/38 patients while the most frequent depressive disorder symptoms of the subjects were depressive mood, fatigue and psychological anxiety. Depressive mood and fatigue were positively correlated with the type of TTH (rs=0.411, p=0.019 and rs=0.379, p=0.032). Logistic regression analysis showed that only depressive mood increased the risk\nof chronic TTH with a prevalence ratio of 4.74 (IK 95% 1.24–18.02). In conclusions, depressive mood, which is the most frequent symptoms of depressive disorder, can be used in the early screening of depressive disorder in TTH patients and this symptom increased the risk of chronic TTH.</dc:description><dc:creator>Cecilia J. Setiawan</dc:creator><dc:creator> Henny Anggraini Sadeli</dc:creator><dc:creator>Tuti Wahmurti A. Sapiie</dc:creator><dc:subject>Depressive disorder</dc:subject><dc:subject>depressive disorder symptoms</dc:subject><dc:subject>tension-type headache</dc:subject><dc:type>article</dc:type><dc:subject>LCC:Medicine</dc:subject><dc:subject>LCC:R</dc:subject><dc:language>EN</dc:language><dc:language>ID</dc:language><dc:rights>CC BY-NC</dc:rights><dc:source>Majalah Kedokteran Bandung, Vol 45, Iss 1, Pp 28-34 (2013)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1415352398444 }
9
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f75b" }, "id" : "doajarticles::b480efd4102ac5d8f46e7ac11c1918f0", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::b480efd4102ac5d8f46e7ac11c1918f0</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:16d82eeb5cbd4dd5a405c44585355344</dri:recordIdentifier><dri:dateOfCollection>2014-11-07T09:25:14.962Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:16d82eeb5cbd4dd5a405c44585355344</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-10-29T14:52:58Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOk1lZGljaW5l</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Hubungan Kadar Seng Plasma dengan Derajat Penyakit Pneumonia</dc:title><dc:identifier>10.15395/mkb.v44n4.177</dc:identifier><dc:identifier>0126-074X</dc:identifier><dc:identifier>2338-6223</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%2216d82eeb5cbd4dd5a405c44585355344%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2012-12-01T00:00:00Z</dc:date><dc:relation>http://journal.fk.unpad.ac.id/index.php/mkb/article/view/177</dc:relation><dc:description>Pneumonia is a major health problem affecting children all over the world and remains a major cause of childhood morbidity and mortality in developing countries. Children with micronutrients deficiency including zinc, which might cause immune system disorder, have higher risk to have pneumonia. The aim of this study was to investigate the association between plasma zinc level and pneumonia, severe, and very severe pneumonia in children aged 2–59 months. This observational analytic with cross-sectional study was performed at the Pediatric Department of Dr. Hasan Sadikin General Hospital, Ujung Berung Hospital and Cibabat Hospital, in August to November 2009. Subjects of this study were 2–59-month-old children who meet the WHO Indonesian classification for pneumonia. Blood samples for plasma zinc examination were collected on admission. Data were analysed using exact Fisher\nand Mann-Whitney test for the association between plasma zinc level and severity of pneumonia. A total of 42 subjects were enrolled, 1 (2%) child were classified as having pneumonia, 32 (76%) children with severe, and 9 (22%) with very severe pneumonia. There were significant differences (p=0.032) in plasma zinc levels between severe and very severe pneumonia with a median of 96.685 μg/dL (57.32–195.66 μg/dL) for severe pneumonia and 80.240 μg/dL (63.0–111.84 μg/dL) for very severe pneumonia. This study shows an association between plasma zinc levels and severe and very severe pneumonia in children aged 2–59 months.</dc:description><dc:creator>Paramita Diah Winarni</dc:creator><dc:creator>Dedi Rachmadi</dc:creator><dc:creator>Nanan Sekarwana</dc:creator><dc:subject>Pneumonia</dc:subject><dc:subject>plasma zinc</dc:subject><dc:subject>immune system</dc:subject><dc:type>article</dc:type><dc:subject>LCC:Medicine</dc:subject><dc:subject>LCC:R</dc:subject><dc:language>EN</dc:language><dc:language>ID</dc:language><dc:rights>CC BY-NC</dc:rights><dc:source>Majalah Kedokteran Bandung, Vol 44, Iss 4, Pp 213-217 (2012)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1415352398444 }
10
{ "_id" : { "$oid" : "54511ba803aafdc58cf9f75c" }, "id" : "doajarticles::331cdcc71cf0d019f56aad2beb23de9b", "originalId" : null, "body" : "<?xml version=\"1.0\" encoding=\"UTF-8\"?><oai:record xmlns:dri=\"http://www.driver-repository.eu/namespace/dri\" xmlns=\"http://namespace.openaire.eu/\" xmlns:xsi=\"http://www.w3.org/2001/XMLSchema-instance\" xmlns:oai=\"http://www.openarchives.org/OAI/2.0/\" xmlns:dc=\"http://purl.org/dc/elements/1.1/\" xmlns:dr=\"http://www.driver-repository.eu/namespace/dr\" xmlns:oaf=\"http://namespace.openaire.eu/oaf\" xmlns:prov=\"http://www.openarchives.org/OAI/2.0/provenance\"><oai:header><dri:objIdentifier>doajarticles::331cdcc71cf0d019f56aad2beb23de9b</dri:objIdentifier><dri:recordIdentifier>oai:doaj.org/article:18f53ab64edb459dbbb48df1998fa11f</dri:recordIdentifier><dri:dateOfCollection>2014-11-16T09:50:01.932Z</dri:dateOfCollection><dri:repositoryId>fdf7cb44-c16f-4474-9d1c-00c5b1fc6f7d_UmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZXMvUmVwb3NpdG9yeVNlcnZpY2VSZXNvdXJjZVR5cGU=</dri:repositoryId><oaf:datasourceprefix>doajarticles</oaf:datasourceprefix><identifier xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">oai:doaj.org/article:18f53ab64edb459dbbb48df1998fa11f</identifier><datestamp xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">2014-11-10T19:03:24Z</datestamp><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkhpc3RvcnkgQW1lcmljYQ~~</setSpec><setSpec xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\">TENDOkxhdGluIEFtZXJpY2EuIFNwYW5pc2ggQW1lcmljYQ~~</setSpec></oai:header><metadata xmlns:oai_dc=\"http://www.openarchives.org/OAI/2.0/oai_dc/\" xmlns=\"http://www.openarchives.org/OAI/2.0/\"><oai_dc:dc xsi:schemaLocation=\"http://www.openarchives.org/OAI/2.0/ http://www.openarchives.org/OAI/2.0/OAI-PMH.xsd\"><dc:title>Memória e história oral entre os imigrantes alemães no Sul do Brasil: o caso da família Schmitt</dc:title><dc:identifier>2178-3748</dc:identifier><dc:identifier>http://doaj.org/search?source=%7B%22query%22%3A%7B%22bool%22%3A%7B%22must%22%3A%5B%7B%22term%22%3A%7B%22id%22%3A%2218f53ab64edb459dbbb48df1998fa11f%22%7D%7D%5D%7D%7D%7D</dc:identifier><dc:date>2010-01-01T00:00:00Z</dc:date><dc:relation>http://revistaseletronicas.pucrs.br/ojs/index.php/oficinadohistoriador/article/viewFile/7752/5771</dc:relation><dc:description>\nO presente artigo analisa a imigração alemã sob a ótica da história oral no caso específico da colônia de Três Forquilhas, localizada no sul do Brasil e fundada em 1826. Nosso objetivo é compreender como uma família de imigrantes alemães narrou suas histórias e como elas foram repassadas aos seus descendentes. Essa narrativa pode ser relativizada a partir do confronto das suas informações com outros documentos. Nesse trabalho utilizaremos um documento escrito produzido algumas gerações após os eventos históricos narrados.\n</dc:description><dc:creator>Trespach, Rodrigo</dc:creator><dc:publisher>Pontifícia Universidade Católica do Rio Grande do Sul</dc:publisher><dc:subject>IMIGRAÇÃO ALEMÃ - RIO GRANDE DO SUL</dc:subject><dc:subject>RIO GRANDE DO SUL - HISTÓRIA</dc:subject><dc:type>article</dc:type><dc:subject>LCC:History America</dc:subject><dc:subject>LCC:E-F</dc:subject><dc:subject>LCC:Latin America. Spanish America</dc:subject><dc:subject>LCC:F1201-3799</dc:subject><dc:source>Oficina do Historiador, Vol 2, Iss 1, Pp 66-77 (2010)</dc:source></oai_dc:dc></metadata><about><oaf:datainfo><oaf:inferred>false</oaf:inferred><oaf:deletedbyinference>false</oaf:deletedbyinference><oaf:trust>0.9</oaf:trust><oaf:inferenceprovenance/><oaf:provenanceaction schemename=\"dnet:provenanceActions\" schemeid=\"dnet:provenanceActions\" classname=\"sysimport:crosswalk:repository\" classid=\"sysimport:crosswalk:repository\"/></oaf:datainfo></about></oai:record>", "timestamp" : 1416131479012 }
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/resources/eu/dnetlib/data/collector/plugins/oaisets/applicationContext-OaiSetsCollectorPluginTest.xml
1
<beans xmlns="http://www.springframework.org/schema/beans"
2
	xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:jaxws="http://cxf.apache.org/jaxws"
3
	xmlns:sec="http://cxf.apache.org/configuration/security" xmlns:wsa="http://cxf.apache.org/ws/addressing"
4
	xmlns:p="http://www.springframework.org/schema/p" xmlns:http="http://cxf.apache.org/transports/http/configuration"
5
	xmlns:t="http://dnetlib.eu/springbeans/t" xmlns:template="http://dnetlib.eu/springbeans/template"
6
	xmlns:util="http://www.springframework.org/schema/util"
7
	xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd
8
                                    http://cxf.apache.org/ws/addressing http://cxf.apache.org/schemas/ws-addr-conf.xsd
9
                                    http://cxf.apache.org/configuration/security http://cxf.apache.org/schemas/configuration/security.xsd
10
                                    http://cxf.apache.org/transports/http/configuration http://cxf.apache.org/schemas/configuration/http-conf.xsd
11
                            http://cxf.apache.org/jaxws http://cxf.apache.org/schemas/jaxws.xsd
12
                            http://www.springframework.org/schema/util http://www.springframework.org/schema/util/spring-util-2.0.xsd
13
                            http://dnetlib.eu/springbeans/template http://dnetlib.eu/springbeans/template.xsd">
14

  
15
	<bean id="oaiHttpConnector"
16
		class="eu.dnetlib.data.collector.plugins.HttpConnector"
17
		init-method="initTrustManager" />
18

  
19
	<bean id="oaiSetsIteratorFactory"
20
		class="eu.dnetlib.data.collector.plugins.oaisets.OaiSetsIteratorFactory"
21
		p:httpConnector-ref="oaiHttpConnector" />
22

  
23
	<!-- Functions -->
24
	<bean id="listOaiSetsFunction" class="eu.dnetlib.data.collector.functions.ListOaiSetsFunction"
25
		p:oaiSetsIteratorFactory-ref="oaiSetsIteratorFactory" />
26

  
27
</beans>
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/resources/eu/dnetlib/data/collector/plugins/csv/testCSVwithBOM.csv
1
"ID","TITLE","ABSTRACT","YEAR"
2
1,"La divina commedia","AAAAAAAAAAAAAAAAAAAAAAA",2012
3
2,"I Promessi Sposi","BBBBBBBBBBBBBBBBBB",2010
4
3,"Il Piccolo Principe","CCCCCCCCCCCCCCCCCCCCCCCC",1990
5
4,"Harry Potter","DDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDD",2001
6
5,"Il Padrino","EEEEEEEEEEEEEEEEEE",1970
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input-quoted.tsv
1
"Publication ID SNSF";"Project Number";"Peer Review Status";"Type of Publication";"Title of Publication";"Authors";"Status";"Publication Year";"ISBN";"DOI";"Import Source";"Last Change of Outputdata";"Open Access Status";"Open Access Type";"Open Access URL";"Book Title";"Publisher";"Editors";"Journal Title";"Volume";"Issue / Number";"Page from";"Page to";"Proceeding Title";"Proceeding Place";"Abstract"
2
"{3F5669B1-C09F-4486-87FF-21A561C15B8A}";"20108";"Peer-reviewed";"Original article (peer-reviewed)";"MICROSTRUCTURE, LATTICE-PARAMETERS, AND SUPERCONDUCTIVITY OF {YBa$_2$(Cu$_{1-x}$Fe$_x$)$_3$O$_{7-\delta}$}}} FOR {0 $\leq$ x $\leq$ 0.33}";"Xu Y. W.,  Suenaga M.,  Tafto J.,  Sabatini R. L.,  Moodenbaugh A. R.,  Zolliker P.";"Published";"1989";"";"10.1103/PhysRevB.39.6667                                                                            ";"BibTex";"13.01.2014";"False";"";"";"";"";"";"Physical Review B";"39";"10";"6667";"6680";"";"";""
3
"{12293018-B2F8-4320-A5C8-24C21A2AB7D3}";"20108";"Peer-reviewed";"Original article (peer-reviewed)";"NEUTRON-POWDER-DIFFRACTION STUDY OF NUCLEAR AND MAGNETIC-STRUCTURE IN {YBa$_2$Cu$_{3-x}$Co$_x$O$_{7+y}$}}} WITH X=0.84 AND Y=0.32";"Zolliker P.,  Cox D. E.,  Tranquada J. M.,  Shirane G.";"Published";"1988";"";"10.1103/PhysRevB.38.6575                                                                            ";"BibTex";"13.01.2014";"False";"";"";"";"";"";"Physical Review B";"38";"10";"6575";"6582";"";"";""
4
"{C4B57BD5-668D-47A6-92DA-8CE1962D87DE}";"25095";"Peer-reviewed";"Original article (peer-reviewed)";"HEXAMAGNESIUM DICOBALT UNDECADEUTERIDE {Mg$_6$Co$_2$D$_{11}$}} - CONTAINING {CoD$_4^{5-}$}} AND {CoD$_5^{4-}$}} COMPLEX ANIONS CONFORMING TO THE 18-ELECTRON RULE";"Cerny R.,  Bonhomme F.,  Yvon K.,  Fischer P.,  Zolliker P.,  Cox D. E.,  Hewat A.";"Published";"1992";"";"10.1016/0925-8388(92)90537-j                                                                        ";"BibTex";"13.01.2014";"False";"";"";"";"";"";"Journal of Alloys and Compounds";"187";"1";"233";"241";"";"";""
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/resources/eu/dnetlib/data/collector/filesystem/csv/input.tsv
1
OA	PT	AU	BA	BE	GP	AF	BF	CA	TI	SO	SE	LA	DT	CT	CY	CL	SP	HO	DE	ID	AB	C1	RP	EM	RI	FU	FX	CR	NR	TC	Z9	PU	PI	PA	SN	BN	J9	JI	PD	PY	VL	IS	PN	SU	SI	MA	BP	EP	AR	DI	D2	PG	WC	SC	GA	UT
2
true	J	Punta, M; Coggill, PC; Eberhardt, RY; Mistry, J; Tate, J; Boursnell, C; Pang, N; Forslund, K; Ceric, G; Clements, J; Heger, A; Holm, L; Sonnhammer, ELL; Eddy, SR; Bateman, A; Finn, RD				Punta, Marco; Coggill, Penny C.; Eberhardt, Ruth Y.; Mistry, Jaina; Tate, John; Boursnell, Chris; Pang, Ningze; Forslund, Kristoffer; Ceric, Goran; Clements, Jody; Heger, Andreas; Holm, Liisa; Sonnhammer, Erik L. L.; Eddy, Sean R.; Bateman, Alex; Finn, Robert D.			The Pfam protein families database	NUCLEIC ACIDS RESEARCH		English	Article							CRYSTAL-STRUCTURE; DOMAIN; IDENTIFICATION; ANNOTATION; HOMOLOGY; CAPSULE; REVEALS; SEARCH	Pfam is a widely used database of protein families, currently containing more than 13 000 manually curated protein families as of release 26.0. Pfam is available via servers in the UK (http://pfam.sanger.ac.uk/), the USA (http://pfam.janelia.org/) and Sweden (http://pfam.sbc.su.se/). Here, we report on changes that have occurred since our 2010 NAR paper (release 24.0). Over the last 2 years, we have generated 1840 new families and increased coverage of the UniProt Knowledgebase (UniProtKB) to nearly 80%. Notably, we have taken the step of opening up the annotation of our families to the Wikipedia community, by linking Pfam families to relevant Wikipedia pages and encouraging the Pfam and Wikipedia communities to improve and expand those pages. We continue to improve the Pfam website and add new visualizations, such as the 'sunburst' representation of taxonomic distribution of families. In this work we additionally address two topics that will be of particular interest to the Pfam community. First, we explain the definition and use of family-specific, manually curated gathering thresholds. Second, we discuss some of the features of domains of unknown function (also known as DUFs), which constitute a rapidly growing class of families within Pfam.	[Punta, Marco; Coggill, Penny C.; Eberhardt, Ruth Y.; Mistry, Jaina; Tate, John; Boursnell, Chris; Pang, Ningze; Bateman, Alex] Wellcome Trust Sanger Inst, Hinxton CB10 1SA, England; [Forslund, Kristoffer; Sonnhammer, Erik L. L.] Stockholm Univ, Dept Biochem & Biophys, Sci Life Lab, Swedish eSci Res Ctr,Stockholm Bioinformat Ctr, SE-17121 Solna, Sweden; [Ceric, Goran; Clements, Jody; Eddy, Sean R.; Finn, Robert D.] HHMI Janelia Farm Res Campus, Ashburn, VA 20147 USA; [Heger, Andreas] Univ Oxford, MRC Funct Genom Unit, Dept Physiol Anat & Genet, Oxford OX1 3QX, England; [Holm, Liisa] Univ Helsinki, Inst Biotechnol, Helsinki 00014, Finland; [Holm, Liisa] Univ Helsinki, Dept Biol & Environm Sci, FIN-00014 Helsinki, Finland	Punta, M (reprint author), Wellcome Trust Sanger Inst, Wellcome Trust Genome Campus, Hinxton CB10 1SA, England.	mp13@sanger.ac.uk		Wellcome Trust [WT077044/Z/05/Z]; BBSRC [BB/F010435/1]; Howard Hughes Medical Institute; Stockholm University; Royal Institute of Technology; Swedish Natural Sciences Research Council	Wellcome Trust (grant numbers WT077044/Z/05/Z); BBSRC Bioinformatics and Biological Resources Fund (grant numbers BB/F010435/1); Howard Hughes Medical Institute (to G. C., J.C., S. R. E and R. D. F.); Stockholm University, Royal Institute of Technology and the Swedish Natural Sciences Research Council (to K. F. and E. L. L. S.) and Systems, Web and Database administration teams at Wellcome Trust Sanger Institute (WTSI) (infrastructure support). Funding for open access charge: Wellcome Trust (grant numbers WT077044/Z/05/Z); BBSRC Bioinformatics and Biological Resources Fund (grant numbers BB/F010435/1).		29	92	94	OXFORD UNIV PRESS	OXFORD	GREAT CLARENDON ST, OXFORD OX2 6DP, ENGLAND	0305-1048		NUCLEIC ACIDS RES	Nucleic Acids Res.	JAN	2012	40	D1					D290	D301		10.1093/nar/gkr1065		12	Biochemistry & Molecular Biology	Biochemistry & Molecular Biology	869MD	WOS:000298601300043
3
false	J	Wong, E; Vaaje-Kolstad, G; Ghosh, A; Hurtado-Guerrero, R; Konarev, PV; Ibrahim, AFM; Svergun, DI; Eijsink, VGH; Chatterjee, NS; van Aalten, DMF				Wong, Edmond; Vaaje-Kolstad, Gustav; Ghosh, Avishek; Hurtado-Guerrero, Ramon; Konarev, Peter V.; Ibrahim, Adel F. M.; Svergun, Dmitri I.; Eijsink, Vincent G. H.; Chatterjee, Nabendu S.; van Aalten, Daan M. F.			The Vibrio cholerae Colonization Factor GbpA Possesses a Modular Structure that Governs Binding to Different Host Surfaces	PLOS PATHOGENS		English	Article							SMALL-ANGLE SCATTERING; SERRATIA-MARCESCENS; ESCHERICHIA-COLI; CRYSTAL-STRUCTURE; EPITHELIAL-CELLS; PROTEIN CBP21; ADHESIN FIMH; CHITIN; POLYSACCHARIDE; TOXIN	Vibrio cholerae is a bacterial pathogen that colonizes the chitinous exoskeleton of zooplankton as well as the human gastrointestinal tract. Colonization of these different niches involves an N-acetylglucosamine binding protein (GbpA) that has been reported to mediate bacterial attachment to both marine chitin and mammalian intestinal mucin through an unknown molecular mechanism. We report structural studies that reveal that GbpA possesses an unusual, elongated, four-domain structure, with domains 1 and 4 showing structural homology to chitin binding domains. A glycan screen revealed that GbpA binds to GlcNAc oligosaccharides. Structure-guided GbpA truncation mutants show that domains 1 and 4 of GbpA interact with chitin in vitro, whereas in vivo complementation studies reveal that domain 1 is also crucial for mucin binding and intestinal colonization. Bacterial binding studies show that domains 2 and 3 bind to the V. cholerae surface. Finally, mouse virulence assays show that only the first three domains of GbpA are required for colonization. These results explain how GbpA provides structural/functional modular interactions between V. cholerae, intestinal epithelium and chitinous exoskeletons.	[Wong, Edmond; Hurtado-Guerrero, Ramon; Ibrahim, Adel F. M.; van Aalten, Daan M. F.] Univ Dundee, Coll Life Sci, Div Mol Microbiol, Dundee, Scotland; [Vaaje-Kolstad, Gustav; Eijsink, Vincent G. H.] Norwegian Univ Life Sci, Dept Chem Biotechnol & Food Sci, As, Norway; [Ghosh, Avishek; Chatterjee, Nabendu S.] Scheme XM, Natl Inst Cholera & Enter Dis, Div Biochem, Calcutta, India; [Konarev, Peter V.; Svergun, Dmitri I.] DESY, European Mol Biol Lab, Outstn Hamburg, D-2000 Hamburg, Germany	Wong, E (reprint author), Natl Inst Med Res, Div Mol Struct, Mill Hill, London NW7 1AA, England.	dmfvanaalten@dundee.ac.uk	Ibrahim, Adel/E-5273-2012	Wellcome Trust [WT087590MA]; MRC [G0900138]	This work was funded by a Wellcome Trust Senior Research Fellowship to DvA (WT087590MA) and an MRC Programme Grant (G0900138) to DvA. The funders had no role in study design, data collection and analysis, decision to publish, or preparation of the manuscript.		52	4	4	PUBLIC LIBRARY SCIENCE	SAN FRANCISCO	1160 BATTERY STREET, STE 100, SAN FRANCISCO, CA 94111 USA	1553-7374		PLOS PATHOG	PLoS Pathog.	JAN	2012	8	1							e1002373	10.1371/journal.ppat.1002373		12	Microbiology; Parasitology; Virology	Microbiology; Parasitology; Virology	898UI	WOS:000300767100003
4
true	J	Curjuric, I; Imboden, M; Nadif, R; Kumar, A; Schindler, C; Haun, M; Kronenberg, F; Kunzli, N; Phuleria, H; Postma, DS; Russi, EW; Rochat, T; Demenais, F; Probst-Hensch, NM				Curjuric, Ivan; Imboden, Medea; Nadif, Rachel; Kumar, Ashish; Schindler, Christian; Haun, Margot; Kronenberg, Florian; Kuenzli, Nino; Phuleria, Harish; Postma, Dirkje S.; Russi, Erich W.; Rochat, Thierry; Demenais, Florence; Probst-Hensch, Nicole M.			Different Genes Interact with Particulate Matter and Tobacco Smoke Exposure in Affecting Lung Function Decline in the General Population	PLOS ONE		English	Article							GENOME-WIDE ASSOCIATION; OBSTRUCTIVE PULMONARY-DISEASE; OXIDATIVE STRESS; CIGARETTE-SMOKE; AIR-POLLUTION; FOLLOW-UP; MITOCHONDRIAL LOCALIZATION; ENVIRONMENT INTERACTIONS; DUST EXPOSURE; SWISS COHORT	Background: Oxidative stress related genes modify the effects of ambient air pollution or tobacco smoking on lung function decline. The impact of interactions might be substantial, but previous studies mostly focused on main effects of single genes. Objectives: We studied the interaction of both exposures with a broad set of oxidative-stress related candidate genes and pathways on lung function decline and contrasted interactions between exposures. Methods: For 12679 single nucleotide polymorphisms (SNP5), change in forced expiratory volume in one second (FEV1), FEV1 over forced vital capacity (FEV1/FVC), and mean forced expiratory flow between 25 and 75% of the FVC (FEF25-75) was regressed on interval exposure to particulate matter < 10 mu m in diameter (PM10) or packyears smoked (a), additive SNP effects (b), and interaction terms between (a) and (b) in 669 adults with GWAS data. Interaction p-values for 152 genes and 14 pathways were calculated by the adaptive rank truncation product (ARTP) method, and compared between exposures. Interaction effect sizes were contrasted for the strongest SNPs of nominally significant genes (p(interaction) < 0.05). Replication was attempted for SNPs with MAF > 10% in 3320 SAPALDIA participants without GWAS. Results: On the SNP-level, rs2035268 in gene SNCA accelerated FEV1/FVC decline by 3.8% (p(interaction) = 2.5 x 10(-6)), and rs12190800 in PARK2 attenuated FEV1 decline by 95.1 ml p(interaction) = 9.7 x 10(-8)) over 11 years, while interacting with PM10. Genes and pathways nominally interacting with PM10 and packyears exposure differed substantially. Gene CRISP2 presented a significant interaction with PM10 (p(interaction) = 3.0 x 10(-4)) on FEV1/FVC decline. Pathway interactions were weak. Replications for the strongest SNPs in PARK2 and CRISP2 were not successful. Conclusions: Consistent with a stratified response to increasing oxidative stress, different genes and pathways potentially mediate PM10 and tobacco smoke effects on lung function decline. Ignoring environmental exposures would miss these patterns, but achieving sufficient sample size and comparability across study samples is challenging.	[Curjuric, Ivan; Imboden, Medea; Kumar, Ashish; Schindler, Christian; Kuenzli, Nino; Phuleria, Harish; Probst-Hensch, Nicole M.] Swiss Trop & Publ Hlth Inst SwissTPH, Dept Epidemiol & Publ Hlth, Basel, Switzerland; [Curjuric, Ivan; Imboden, Medea; Kumar, Ashish; Schindler, Christian; Kuenzli, Nino; Phuleria, Harish; Probst-Hensch, Nicole M.] Univ Basel, Basel, Switzerland; [Nadif, Rachel] CESP Ctr Res Epidemiol & Populat Hlth, INSERM, U1018, Resp & Environm Epidemiol Team, Villejuif, France; [Nadif, Rachel] Univ Paris 11, UMRS 1018, Villejuif, France; [Kumar, Ashish] Univ Oxford, Wellcome Trust Ctr Human Genet, Oxford, England; [Haun, Margot; Kronenberg, Florian] Innsbruck Med Univ, Dept Med Genet Mol & Clin Pharmacol, Div Genet Epidemiol, Innsbruck, Austria; [Postma, Dirkje S.] Univ Groningen, Univ Med Ctr Groningen, Dept Pulm Med & TB, Groningen, Netherlands; [Russi, Erich W.] Univ Zurich Hosp, Div Pulm Med, CH-8091 Zurich, Switzerland; [Rochat, Thierry] Univ Hosp Geneva, Div Pulm Med, Geneva, Switzerland; [Demenais, Florence] INSERM, U946, Genet Variat & Human Dis Unit, Paris, France; [Demenais, Florence] Fdn Jean Dausset, CEPH, Paris, France; [Demenais, Florence] Univ Paris Diderot, Inst Univ Hematol, Paris, France	Curjuric, I (reprint author), Swiss Trop & Publ Hlth Inst SwissTPH, Dept Epidemiol & Publ Hlth, Basel, Switzerland.	Nicole.Probst@unibas.ch	Kronenberg, Florian/B-1736-2008	Swiss National Science Foundation [33CS30_134276/1, 33CSCO-108796, 3247BO-104283, 3247BO-104288, 3247BO-104284, 3247-065896, 3100-059302, 3200-052720, 3200-042532, 4026-028099, 3233-054996, PDFMP3-123171]; Federal Office for Forest, Environment and Landscape; Federal Office of Public Health; Federal Office of Roads and Transport; canton government of Aargau; canton government of Basel-Stadt; canton government of Basel-Land; canton government of Geneva; canton government of Luzern; canton government of Ticino; canton government of Valais; canton government of Zurich; Swiss Lung League; canton Lung League of Basel Stadt; canton Lung League of Basel Landschaft; canton Lung League of Geneva; canton Lung League of Ticino; canton Lung League of Valais; canton Lung League of Zurich; Schweizerische Unfallversicherungsanstalt (SUVA); Freiwillige Akademische Gesellschaft; UBS Wealth Foundation; Talecris Biotherapeutics GmbH; Abbott Diagnostics; European Commission [018996]; Wellcome Trust [WT 084703MA]; French National Research Agency (Bio2nea project) [ANR-CES 2009]	The Swiss Study on Air Pollution and Lung and Heart Diseases in Adults (SAPALDIA) was supported by the Swiss National Science Foundation (grants no 33CS30_134276/1, 33CSCO-108796, 3247BO-104283, 3247BO-104288, 3247BO-104284, 3247-065896, 3100-059302, 3200-052720, 3200-042532, 4026-028099, 3233-054996, PDFMP3-123171), the Federal Office for Forest, Environment and Landscape, the Federal Office of Public Health, the Federal Office of Roads and Transport, the canton's government of Aargau, Basel-Stadt, Basel-Land, Geneva, Luzern, Ticino, Valais, Zurich, the Swiss Lung League, the canton's Lung League of Basel Stadt/Basel Landschaft, Geneva, Ticino, Valais and Zurich, Schweizerische Unfallversicherungsanstalt (SUVA), Freiwillige Akademische Gesellschaft, UBS Wealth Foundation, Talecris Biotherapeutics GmbH, and Abbott Diagnostics. Genotyping in the GABRIEL framework was supported by grants European Commission 018996 and Wellcome Trust WT 084703MA. Identification of pathways was supported by the French National Research Agency (Bio2nea project ANR-CES 2009). The funders had no role in study design, data collection and analysis, decision to publish, or preparation of the manuscript.I have read the journal's policy and have the following conflicts: The SAPALDIA study was supported by the UBS Wealth Foundation, Talecris Biotherapeutics GmbH, and Abbott Diagnostics in terms of unrestricted grants for personnel and genotyping. The support of these institutions did not influence the scientific work regarding study design, data collection, data analysis, interpretation of results, decision to publish, or preparation of the manuscript in any way. Also, this does not alter our adherence to all the PLoS ONE policies on sharing data and materials.		64	0	0	PUBLIC LIBRARY SCIENCE	SAN FRANCISCO	1160 BATTERY STREET, STE 100, SAN FRANCISCO, CA 94111 USA	1932-6203		PLOS ONE	PLoS One	JUL 6	2012	7	7							e40175	10.1371/journal.pone.0040175		11	Multidisciplinary Sciences	Science & Technology - Other Topics	974UB	WOS:000306461800046
5
false	J	Knight, JC				Knight, Julian C.			Genomic modulators of the immune response	TRENDS IN GENETICS		English	Review						immunity; major histocompatibility complex; gene regulation; autoimmunity; immunodeficiency; leukocyte	GLOBAL GENE-EXPRESSION; WIDE ASSOCIATION; DISEASE SUSCEPTIBILITY; HLA-C; EPIGENETIC REGULATION; RHEUMATOID-ARTHRITIS; AUTOIMMUNE-DISEASES; DNA METHYLATION; COMPLEX DISEASE; INBORN-ERRORS	Our understanding of immunity has historically been informed by studying heritable mutations in both the adaptive and innate immune responses, including primary immunodeficiency and autoimmune diseases. Recent advances achieved through the application of genomic and epigenomic approaches are reshaping the study of immune dysfunction and opening up new avenues for therapeutic interventions. Moreover, applying genomic techniques to resolve functionally important genetic variation between individuals is providing new insights into immune function in health. This review describes progress in the study of rare variants and primary immunodeficiency diseases arising from whole-exome sequencing (WES), and discusses the application, success, and challenges of applying genome-wide association studies (GWAS) to disorders of immune function and how they may inform more rational use of therapeutics. In addition, the application of expression quantitative-trait mapping to immune phenotypes, progress in understanding MHC disease associations, and insights into epigenetic mechanisms at the interface of immunity and the environment are reviewed.	Univ Oxford, Wellcome Trust Ctr Human Genet, Oxford OX3 7BN, England	Knight, JC (reprint author), Univ Oxford, Wellcome Trust Ctr Human Genet, Roosevelt Dr, Oxford OX3 7BN, England.	julian@well.ox.ac.uk		Wellcome Trust [074318, 075491/Z/04]; European Research Council (ERC) under European Commission [281824]; Medical Research Council [98082]; National Institute for Health Research (NIHR) Oxford Biomedical Research Centre	Work in the laboratory of J.K. has been supported by the Wellcome Trust (074318 and 075491/Z/04 to core facilities Wellcome Trust Centre for Human Genetics), the European Research Council (ERC) under European Commission 7th Framework Programme (FP7/2007-2013)/ERC grant agreement No. 281824, the Medical Research Council (98082), and the National Institute for Health Research (NIHR) Oxford Biomedical Research Centre.		85	0	0	ELSEVIER SCIENCE LONDON	LONDON	84 THEOBALDS RD, LONDON WC1X 8RR, ENGLAND	0168-9525		TRENDS GENET	Trends Genet.	FEB	2013	29	2					74	83		10.1016/j.tig.2012.10.006		10	Genetics & Heredity	Genetics & Heredity	087EP	WOS:000314744400005
6
false	J	Seden, K; Khoo, S; Back, D; Prevatt, N; Lamorde, M; Byakika-Kibwika, P; Mayito, J; Ryan, M; Merry, C				Seden, Kay; Khoo, Saye; Back, David; Prevatt, Natalie; Lamorde, Mohammed; Byakika-Kibwika, Pauline; Mayito, Jonathan; Ryan, Mairin; Merry, Concepta			Drug-drug interactions between antiretrovirals and drugs used in the management of neglected tropical diseases: important considerations in the WHO 2020 Roadmap and London Declaration on Neglected Tropical Diseases	AIDS		English	Review						drug interactions; HIV/AIDS; neglected tropical diseases; pharmacokinetics	INTRAVENOUS-SODIUM STIBOGLUCONATE; MEGLUMINE ANTIMONIATE; DENGUE VIRUS; PHARMACOKINETIC INTERACTION; CLINICAL PHARMACOKINETICS; VISCERAL LEISHMANIASIS; HEALTHY-VOLUNTEERS; IN-VITRO; LIVER; BENZNIDAZOLE	The group of infections known as the neglected tropical diseases (NTDs) collectively affect one billion people worldwide, equivalent to one-sixth of the world's population. The NTDs cause severe physical and emotional morbidity, and have a profound effect on cycles of poverty; it is estimated that NTDs account for 534 000 deaths per year. NTDs such as soil-transmitted helminth infections and the vector-borne protozoal infections leishmaniasis and trypanosomiasis occur predominantly in the most economically disadvantaged and marginalized communities. It is estimated that all low-income countries harbour at least five of the NTDs simultaneously. NTDs are neglected because they do not individually rank highly in terms of mortality data, and because they affect populations with little political voice. There is considerable geographic overlap between areas with high prevalence of NTDs and HIV, raising the possibility of complex polypharmacy and drug-drug interactions. Antiretrovirals pose a particularly high risk for potential drug-drug interactions, which may be pharmacokinetic or pharmacodynamic in nature and can result in raising or lowering plasma or tissue concentrations of co-prescribed drugs. Elevated drug concentrations may be associated with drug toxicity and lower drug concentrations may be associated with therapeutic failure. The aim of this paper is to review the currently available data on interactions between antiretrovirals and drugs used in the management of NTDs. It is intended to serve as a resource for policy makers and clinicians caring for these patients, and to support the recent WHO 2020 Roadmap and the 2012 London Declaration on NTDs. (C) 2013 Wolters Kluwer Health vertical bar Lippincott Williams & Wilkins AIDS 2013, 27:675-686	[Seden, Kay; Khoo, Saye; Back, David] Univ Liverpool, Inst Translat Med, Dept Mol & Clin Pharmacol, Liverpool L69 3GF, Merseyside, England; [Prevatt, Natalie] London Deanery, London, England; [Lamorde, Mohammed; Byakika-Kibwika, Pauline; Mayito, Jonathan; Merry, Concepta] Makerere Univ, Coll Hlth Sci, Infect Dis Inst, Kampala, Uganda; [Lamorde, Mohammed; Byakika-Kibwika, Pauline; Ryan, Mairin; Merry, Concepta] Trinity Coll Dublin, Dept Pharmacol & Therapeut, Dublin, Ireland; [Merry, Concepta] Northwestern Univ, Feinberg Sch Med, Ctr Global Hlth, Chicago, IL 60611 USA	Seden, K (reprint author), Univ Liverpool, Dept Pharmacol, Block H,1st Floor,70 Pembroke Pl, Liverpool L69 3GF, Merseyside, England.	k.seden@liv.ac.uk		Wellcome Trust [083851/Z/07/Z]; European and Developing Countries Clinical Trials Partnership grants [TA.09.40200.020, TA.11.40200.047]; Viiv; BMS; Gilead; Janssen; Merck; Boehringer-Ingelheim; Sewankambo scholarship at IDI; Gilead Foundation	We acknowledge support from a Wellcome Trust Programme Grant award: PK-PD modelling to optimize treatment for HIV, TB and malaria. (ref 083851/Z/07/Z).M.L. and P.B. are supported by European and Developing Countries Clinical Trials Partnership grants (TA.09.40200.020 and TA.11.40200.047).Transparency Declaration: D.J.B. and S.H.K. have received research funding for development of the web site www.hiv-druginteractions.org from Viiv, BMS, Gilead, Janssen, Merck, Boehringer-Ingelheim. DJB has received honoria for lectures or Advisory Boards from Viiv, BMS, Gilead, Janssen, Merck.M.L. has received grants from Janssen and is supported by the Sewankambo scholarship at IDI which is funded by Gilead Foundation.		56	0	0	LIPPINCOTT WILLIAMS & WILKINS	PHILADELPHIA	530 WALNUT ST, PHILADELPHIA, PA 19106-3621 USA	0269-9370		AIDS	Aids	MAR 13	2013	27	5					675	686		10.1097/QAD.0b013e32835ca9b4		12	Immunology; Infectious Diseases; Virology	Immunology; Infectious Diseases; Virology	098CY	WOS:000315524700001
7
true	J	Mero, IL; Gustavsen, MW; Saether, HS; Flam, ST; Berg-Hansen, P; Sondergaard, HB; Jensen, PEH; Berge, T; Bjolgerud, A; Muggerud, A; Aarseth, JH; Myhr, KM; Celius, EG; Sellebjerg, F; Hillert, J; Alfredsson, L; Olsson, T; Oturai, AB; Kockum, I; Lie, BA; Andreassen, BK; Harbo, HF				Mero, Inger-Lise; Gustavsen, Marte W.; Saether, Hanne S.; Flam, Siri T.; Berg-Hansen, Pal; Sondergaard, Helle B.; Jensen, Poul Erik H.; Berge, Tone; Bjolgerud, Anja; Muggerud, Aslaug; Aarseth, Jan H.; Myhr, Kjell-Morten; Celius, Elisabeth G.; Sellebjerg, Finn; Hillert, Jan; Alfredsson, Lars; Olsson, Tomas; Oturai, Annette Bang; Kockum, Ingrid; Lie, Benedicte A.; Andreassen, Bettina Kulle; Harbo, Hanne F.		Int Multiple Sclerosis Genetics	Oligoclonal Band Status in Scandinavian Multiple Sclerosis Patients Is Associated with Specific Genetic Risk Alleles	PLOS ONE		English	Article							CEREBROSPINAL-FLUID; DIAGNOSTIC-CRITERIA; CLINICAL-FEATURES; INTERFERON-BETA; SUSCEPTIBILITY; POPULATION; HLA-DRB1; GENOMEWIDE; DISABILITY; GUIDELINES	The presence of oligoclonal bands (OCB) in cerebrospinal fluid (CSF) is a typical finding in multiple sclerosis (MS). We applied data from Norwegian, Swedish and Danish (i.e. Scandinavian) MS patients from a genome-wide association study (GWAS) to search for genetic differences in MS relating to OCB status. GWAS data was compared in 1367 OCB positive and 161 OCB negative Scandinavian MS patients, and nine of the most associated SNPs were genotyped for replication in 3403 Scandinavian MS patients. HLA-DRB1 genotypes were analyzed in a subset of the OCB positive (n = 2781) and OCB negative (n = 292) MS patients and compared to 890 healthy controls. Results from the genome-wide analyses showed that single nucleotide polymorphisms (SNPs) from the HLA complex and six other loci were associated to OCB status. In SNPs selected for replication, combined analyses showed genome-wide significant association for two SNPs in the HLA complex; rs3129871 (p = 5.7x10(-15)) and rs3817963 (p = 5.7x10(-10)) correlating with the HLA-DRB1*15 and the HLA-DRB1*04 alleles, respectively. We also found suggestive association to one SNP in the Calsyntenin-2 gene (p = 8.83x10(-7)). In HLA-DRB1 analyses HLA-DRB1*15:01 was a stronger risk factor for OCB positive than OCB negative MS, whereas HLA-DRB1*04:04 was associated with increased risk of OCB negative MS and reduced risk of OCB positive MS. Protective effects of HLA-DRB1*01:01 and HLA-DRB1*07:01 were detected in both groups. The groups were different with regard to age at onset (AAO), MS outcome measures and gender. This study confirms both shared and distinct genetic risk for MS subtypes in the Scandinavian population defined by OCB status and indicates different clinical characteristics between the groups. This suggests differences in disease mechanisms between OCB negative and OCB positive MS with implications for patient management, which need to be further studied.	[Mero, Inger-Lise; Gustavsen, Marte W.; Saether, Hanne S.; Berg-Hansen, Pal; Berge, Tone; Bjolgerud, Anja; Muggerud, Aslaug; Celius, Elisabeth G.; Harbo, Hanne F.] Oslo Univ Hosp, Dept Neurol, Oslo, Norway; [Mero, Inger-Lise; Saether, Hanne S.; Flam, Siri T.; Lie, Benedicte A.] Univ Oslo, Dept Med Genet, Oslo, Norway; [Mero, Inger-Lise; Saether, Hanne S.; Flam, Siri T.; Lie, Benedicte A.] Oslo Univ Hosp, Oslo, Norway; [Sondergaard, Helle B.; Jensen, Poul Erik H.; Sellebjerg, Finn; Oturai, Annette Bang] Rigshosp, Dept Neurol, Danish Multiple Sclerosis Ctr, DK-2100 Copenhagen, Denmark; [Berge, Tone] Univ Oslo, Inst Basic Med Sci, Oslo, Norway; [Aarseth, Jan H.; Myhr, Kjell-Morten] Norwegian Multiple Sclerosis Registry, Bergen, Norway; [Aarseth, Jan H.; Myhr, Kjell-Morten] Haukeland Hosp, Dept Neurol, Biobank, N-5021 Bergen, Norway; [Myhr, Kjell-Morten] Univ Bergen, Dept Clin Med, KG Jebsen Ctr MS Res, Bergen, Norway; [Hillert, Jan] Karolinska Inst, Dept Clin Neurosci, Multiple Sclerosis Res Grp, Ctr Mol Med, Stockholm, Sweden; [Alfredsson, Lars] Karolinska Inst, Inst Environm Med, S-10401 Stockholm, Sweden; [Olsson, Tomas; Kockum, Ingrid] Karolinska Inst, Dept Clin Neurosci, Neuroimmunol Res Grp, Stockholm, Sweden; [Andreassen, Bettina Kulle] Univ Oslo, Inst Clin Med, Dept Clin Mol Biol & Lab Sci EpiGen, Oslo, Norway; [Andreassen, Bettina Kulle] Univ Oslo, Inst Basic Med Sci, Dept Biostat, Oslo, Norway; [Gustavsen, Marte W.; Berg-Hansen, Pal; Bjolgerud, Anja; Muggerud, Aslaug; Harbo, Hanne F.] Univ Oslo, Inst Clin Med, Oslo, Norway	Harbo, HF (reprint author), Oslo Univ Hosp, Dept Neurol, Oslo, Norway.	h.f.harbo@medisin.uio.no		South-Eastern Norway Regional Health Authority; Research Council of Norway; Odd Fellow MS society; Danish Multiple Sclerosis Society; Swedish Medical Research Council; AFA foundation; Knut and Alice and Wallenbergs foundations; Council for Working Life and Social Research; Wellcome Trust, as part of the Wellcome Trust Case Control Consortium2 project [085475/B/08/Z, 085475/Z/08/Z]	The current study is funded by grants from the South-Eastern Norway Regional Health Authority, the Research Council of Norway, the Odd Fellow MS society, the Danish Multiple Sclerosis Society, the Swedish Medical Research Council, the AFA foundation, Knut and Alice and Wallenbergs foundations and Council for Working Life and Social Research. The funders had no role in study design, data collection and analysis, decision to publish, or preparation of the manuscript.We thank all patients and healthy controls for their participation. The International Multiple Sclerosis Genetics Consortium and the Wellcome Trust Case Control Consortium2 provided the genotypes used in the screening phase of this study. We acknowledge the collaboration and principal funding for the genome-wide study provided by the Wellcome Trust, as part of the Wellcome Trust Case Control Consortium2 project (085475/B/08/Z and 085475/Z/08/Z). We thank all contributors to the collection of samples and clinical data in the Norwegian MS Registry and Biobank. The Norwegian Bone Marrow Donor Registry, Rikshospitalet, Oslo University Hospital are acknowledged for providing Norwegian controls. The Centre for Integrative Genetics; CIGENE, Norwegian University of Life Sciences (UMB) Aas is thanked for performing Sequenom analyses.		42	0	0	PUBLIC LIBRARY SCIENCE	SAN FRANCISCO	1160 BATTERY STREET, STE 100, SAN FRANCISCO, CA 94111 USA	1932-6203		PLOS ONE	PLoS One	MAR 5	2013	8	3							e58352	10.1371/journal.pone.0058352		9	Multidisciplinary Sciences	Science & Technology - Other Topics	099RC	WOS:000315637900131
8
false	J	Perugorria, MJ; Murphy, LB; Fullard, N; Chakraborty, JB; Vyrla, D; Wilson, CL; Oakley, F; Mann, J; Mann, DA				Perugorria, Maria J.; Murphy, Lindsay B.; Fullard, Nicola; Chakraborty, Jayashree B.; Vyrla, Dimitra; Wilson, Caroline L.; Oakley, Fiona; Mann, Jelena; Mann, Derek A.			Tumor progression locus 2/Cot is required for activation of extracellular regulated kinase in liver injury and toll-like receptorinduced TIMP-1 gene transcription in hepatic stellate cells in mice	HEPATOLOGY		English	Article							LPS-STIMULATED MACROPHAGES; FACTOR-KAPPA-B; TISSUE INHIBITOR; SIGNAL-TRANSDUCTION; MAP KINASE; TNF-ALPHA; FIBROSIS; EXPRESSION; RESPONSES; CIRRHOSIS	Toll-like receptors (TLRs) function as key regulators of liver fibrosis and are able to modulate the fibrogenic actions of nonparenchymal liver cells. The fibrogenic signaling events downstream of TLRs on Kupffer cells (KCs) and hepatic stellate cells (HSCs) are poorly defined. Here, we describe the MAP3K tumor progression locus 2 (Tpl2) as being important for the activation of extracellular regulated kinase (ERK) signaling in KCs and HSCs responding to stimulation of TLR4 and TLR9. KCs lacking Tpl2 display defects with TLR induction of cytokines interleukin (IL)-1, IL-10, and IL-23. tpl2/ HSCs were unable to increase expression of fibrogenic genes IL-1 and tissue inhibitor of metalloproteinase 1 (TIMP-1), with the latter being the result of defective stimulation of TIMP-1 promoter activity by TLRs. To determine the in vivo relevance of Tpl2 signaling in liver fibrosis, we compared the fibrogenic responses of wild-type (WT) and tpl2/ mice in three distinct models of chronic liver injury. In the carbon tetrachloride and methionine-cholinedeficient diet models, we observed a significant reduction in fibrosis in mice lacking Tpl2, compared to WT controls. However, in the bile duct ligation model, there was no effect of tpl2 deletion, which may reflect a lesser role for HSCs in wounding response to biliary injury. Conclusion: We conclude that Tpl2 is an important signal transducer for TLR activation of gene expression in KCs and HSCs by the ERK pathway and that suppression of its catalytic activity may be a route toward suppressing fibrosis caused by hepatocellular injuries. (HEPATOLOGY 2013)	[Perugorria, Maria J.; Murphy, Lindsay B.; Fullard, Nicola; Chakraborty, Jayashree B.; Wilson, Caroline L.; Oakley, Fiona; Mann, Jelena; Mann, Derek A.] Newcastle Univ, Inst Cellular Med, Fac Med Sci, Newcastle Upon Tyne NE2 4HH, Tyne & Wear, England; [Vyrla, Dimitra] Univ Crete, Sch Med, Iraklion, Crete, Greece	Mann, DA (reprint author), Newcastle Univ, Inst Cellular Med, Fac Med Sci, 4th Floor,William Leech Bldg,Framlington Pl, Newcastle Upon Tyne NE2 4HH, Tyne & Wear, England.	derek.mann@ncl.ac.uk		Wellcome Trust [WT086755MA]; European Commission [223151]	"The present study was supported by the Wellcome Trust (grant no.: WT086755MA) and a European Commission FP7 program grant ""INFLA-CARE"" (EC contract no.: 223151; http://inflacare.imbb.forth.gr/) (both to D.A.M.). The authors thank Dr. Steven C Ley (MRC National Institute for Medical Research, London, UK) for the generous gift of Tpl2<SUP>-/-</SUP> mice."		40	0	0	WILEY-BLACKWELL	HOBOKEN	111 RIVER ST, HOBOKEN 07030-5774, NJ USA	0270-9139		HEPATOLOGY	Hepatology	MAR	2013	57	3					1238	1249		10.1002/hep.26108		12	Gastroenterology & Hepatology	Gastroenterology & Hepatology	099TG	WOS:000315644200043
9
false	J	Lopes, MC; Hysi, PG; Verhoeven, VJM; Macgregor, S; Hewitt, AW; Montgomery, GW; Cumberland, P; Vingerling, JR; Young, TL; van Duijn, CM; Oostra, B; Uitterlinden, AG; Rahi, JS; Mackey, DA; Klaver, CCW; Andrew, T; Hammond, CJ				Lopes, Margarida C.; Hysi, Pirro G.; Verhoeven, Virginie J. M.; Macgregor, Stuart; Hewitt, Alex W.; Montgomery, Grant W.; Cumberland, Phillippa; Vingerling, Johannes R.; Young, Terri L.; van Duijn, Cornelia M.; Oostra, Ben; Uitterlinden, Andre G.; Rahi, Jugnoo S.; Mackey, David A.; Klaver, Caroline C. W.; Andrew, Toby; Hammond, Christopher J.			Identification of a Candidate Gene for Astigmatism	INVESTIGATIVE OPHTHALMOLOGY & VISUAL SCIENCE		English	Article							GENOME-WIDE ASSOCIATION; REFRACTIVE ERROR; EYE DEVELOPMENT; SUSCEPTIBILITY LOCUS; CORNEAL ASTIGMATISM; SCHOOL-CHILDREN; SONIC HEDGEHOG; HUMAN-DISEASES; IMPUTED DATA; MYOPIA	PURPOSE. Astigmatism is a common refractive error that reduces vision, where the curvature and refractive power of the cornea in one meridian are less than those of the perpendicular axis. It is a complex trait likely to be influenced by both genetic and environmental factors. Twin studies of astigmatism have found approximately 60% of phenotypic variance is explained by genetic factors. This study aimed to identify susceptibility loci for astigmatism. METHODS. We performed a meta-analysis of seven genome-wide association studies that included 22,100 individuals of European descent, where astigmatism was defined as the number of diopters of cylinder prescription, using fixed effect inverse variance-weighted methods. RESULTS. A susceptibility locus was identified with lead single nucleotide polymorphism rs3771395 on chromosome 2p13.3 (meta-analysis, P = 1.97 x 10(-7)) in the VAX2 gene. VAX2 plays an important role in the development of the dorsoventral axis of the eye. Animal studies have shown a gradient in astigmatism along the vertical plane, with corresponding changes in refraction, particularly in the ventral field. CONCLUSIONS. This finding advances the understanding of refractive error, and provides new potential pathways to be evaluated with regard to the development of astigmatism. (Invest Ophthalmol Vis Sci. 2013;54:1260-1267) DOI:10.1167/iovs.12-10463	[Lopes, Margarida C.; Hysi, Pirro G.; Andrew, Toby; Hammond, Christopher J.] Kings Coll London, Dept Twin Res & Genet Epidemiol, St Thomas Hosp, London WC2R 2LS, England; [Verhoeven, Virginie J. M.; Vingerling, Johannes R.; Klaver, Caroline C. W.] Erasmus MC, Dept Ophthalmol, Rotterdam, Netherlands; [Verhoeven, Virginie J. M.; Vingerling, Johannes R.; van Duijn, Cornelia M.; Oostra, Ben; Uitterlinden, Andre G.; Klaver, Caroline C. W.] Erasmus MC, Dept Epidemiol, Rotterdam, Netherlands; [Macgregor, Stuart; Montgomery, Grant W.] Queensland Inst Med Res, Brisbane, Qld 4006, Australia; [Hewitt, Alex W.] Univ Melbourne, Ctr Eye Res Australia, Royal Victorian Eye & Ear Hosp, Melbourne, Vic, Australia; [Cumberland, Phillippa] UCL, Ulverscroft Vis Res Grp, London, England; [Cumberland, Phillippa; Rahi, Jugnoo S.] UCL, MRC, Ctr Epidemiol Child Hlth, Inst Child Hlth, London, England; [Rahi, Jugnoo S.] UCL, Inst Ophthalmol, London, England; [Young, Terri L.] Duke Univ, Ctr Human Genet, Durham, NC USA; [Mackey, David A.] Univ Western Australia, Lions Eye Inst, Ctr Ophthalmol & Visual Sci, Perth, WA 6009, Australia	Hammond, CJ (reprint author), Kings Coll London, St Thomas Hosp Campus,3rd Floor South Wing Block, London SE1 7EH, England.	chris.hammond@kcl.ac.uk		European Union MyEuropia Marie Curie Research Training Network [MRTN-CT-2006-034021]; Guide Dogs for the Blind Association; EU FP7 [HEALTH-F2-2008-201865-GEFOS]; European Network of Genetic and Genomic Epidemiology [HEALTH-F4-2007-201413]; FP-5 GenomEUtwin Project [QLG2-CT-2002-01254]; US National Institutes of Health/National Eye Institute Grant [1RO1EY018246]; NIH Center for Inherited Disease Research; National Institute for Health Research comprehensive Biomedical Research Centre; St. Thomas' National Health Service Foundation Trust; King's College London; Netherlands Organisation of Scientific Research; Erasmus Medical Center; Netherlands Organization for Health Research and Development; UitZicht; Research Institute for Diseases in the Elderly; European Commission Directorate General XII; Municipality of Rotterdam; Netherlands Genomics Initiative; Lijf en Leven; MD Fonds; Henkes; Oogfonds; Stichting Wetenschappelijk Onderzoek Het Oogziekenhuis; Swart van Essen; Blindenhulp; Landelijke Stichting voor Blinden en Slechtzienden; Rotterdamse Vereniging voor Blindenbelangen; OOG Foundation; Algemene Nederlandse Vereniging ter Voorkoming van Blindheid; Rotterdam Eye Institute; Australian National Health and Medical Research Council; Clifford Craig Medical Research Trust; Ophthalmic Research Institute of Australia; American Health Assistance Foundation; Peggy and Leslie Cranbourne Foundation; Foundation for Children; NHMRC project Grant [350415]; Jack Brockhoff Foundation; NEI project Grant [RO1 EY 018246-01]; NHMRC Medical Genomics grant; NEI/NIH project grant; Netherlands Scientific Organization [NWO 480-05-003]; Medical Research Council's Health of the Public grant; Wellcome Trust [083478]; Institute of Child Health, University College London from the National Institute for Health Research as Specialist Biomedical Research Centres; Institute of Ophthalmology from the National Institute for Health Research as Specialist Biomedical Research Centres; Great Ormond Street hospital; Moorfields hospital; Ulverscroft Vision Research Group; Bevordering van Volkskracht	The TwinsUK study is supported by European Union MyEuropia Marie Curie Research Training Network (MRTN-CT-2006-034021), Wellcome Trust, Guide Dogs for the Blind Association, EU FP7 (HEALTH-F2-2008-201865-GEFOS), European Network of Genetic and Genomic Epidemiology (HEALTH-F4-2007-201413), FP-5 GenomEUtwin Project (QLG2-CT-2002-01254), and US National Institutes of Health/National Eye Institute Grant 1RO1EY018246; genotyping was supported by NIH Center for Inherited Disease Research. Also supported by a National Institute for Health Research comprehensive Biomedical Research Centre award to Guy's and St. Thomas' National Health Service Foundation Trust in partnership with King's College London. Rotterdam and ERF studies are supported by Netherlands Organisation of Scientific Research, Erasmus Medical Center, Netherlands Organization for Health Research and Development, UitZicht, Research Institute for Diseases in the Elderly, European Commission Directorate General XII, Municipality of Rotterdam, Netherlands Genomics Initiative, Lijf en Leven, MD Fonds, Henkes, Oogfonds, Stichting Wetenschappelijk Onderzoek Het Oogziekenhuis, Swart van Essen, Bevordering van Volkskracht, Blindenhulp, Landelijke Stichting voor Blinden en Slechtzienden, Rotterdamse Vereniging voor Blindenbelangen, OOG Foundation, Algemene Nederlandse Vereniging ter Voorkoming van Blindheid, and Rotterdam Eye Institute. Australian Twin Registry is supported by an Australian National Health and Medical Research Council enabling grant (2004-2009), Clifford Craig Medical Research Trust, Ophthalmic Research Institute of Australia, American Health Assistance Foundation, Peggy and Leslie Cranbourne Foundation, Foundation for Children, NHMRC project Grant 350415 (2005-2007), Jack Brockhoff Foundation, and NEI project Grant RO1 EY 018246-01 (2007-2010). Genotyping for the Australian sample was funded in part by an NHMRC Medical Genomics grant and in part by an NEI/NIH project grant, performed by CIDR. Australian sample imputation analyses were carried out with the Genetic Cluster computer and were supported by the Netherlands Scientific Organization (NWO 480-05-003). The 1958 British cohort study is supported by Medical Research Council's Health of the Public grant, and genome-wide association studies were funded by project Grant 083478 from Wellcome Trust (JSR); analyses were carried out at the Institute of Child Health, University College London, and Institute of Ophthalmology, both of which receive support from the National Institute for Health Research as Specialist Biomedical Research Centres in partnership respectively with Great Ormond Street and Moorfields hospitals. Supported also by Ulverscroft Vision Research Group (PC). Sponsors and funding organizations had no role in the design or conduct of this research.		48	0	0	ASSOC RESEARCH VISION OPHTHALMOLOGY INC	ROCKVILLE	12300 TWINBROOK PARKWAY, ROCKVILLE, MD 20852-1606 USA	0146-0404		INVEST OPHTH VIS SCI	Invest. Ophthalmol. Vis. Sci.	FEB	2013	54	2					1260	1267		10.1167/iovs.12-10463		8	Ophthalmology	Ophthalmology	100BS	WOS:000315670300044
10
false	J	Malone, IB; Cash, D; Ridgway, GR; MacManus, DG; Ourselin, S; Fox, NC; Schott, JM				Malone, Ian B.; Cash, David; Ridgway, Gerard R.; MacManus, David G.; Ourselin, Sebastien; Fox, Nick C.; Schott, Jonathan M.			MIRIAD-Public release of a multiple time point Alzheimer's MR imaging dataset	NEUROIMAGE		English	Article						Alzheimer's; MRI; Longitudinal; Imaging; Database	ATROPHY MEASUREMENT TECHNIQUES; SERIAL MRI; ACCURACY ASSESSMENT; CORTICAL THICKNESS; CEREBRAL ATROPHY; BRAIN ATROPHY; DISEASE; DIAGNOSIS; VOXEL; RATES	The Minimal Interval Resonance Imaging in Alzheimer's Disease (MIRIAD) dataset is a series of longitudinal volumetric T1 MRI scans of 46 mild-moderate Alzheimer's subjects and 23 controls. It consists of 708 scans conducted by the same radiographer with the same scanner and sequences at intervals of 2, 6, 14, 26, 38 and 52 weeks, 18 and 24 months from baseline, with accompanying information on gender, age and Mini Mental State Examination (MMSE) scores. Details of the cohort and imaging results have been described in peer-reviewed publications, and the data are here made publicly available as a common resource for researchers to develop, validate and compare techniques, particularly for measurement of longitudinal volume change in serially acquired MR. (c) 2013 Elsevier Inc. All rights reserved.	[Malone, Ian B.; Cash, David; Ourselin, Sebastien; Fox, Nick C.; Schott, Jonathan M.] UCL Inst Neurol, Dementia Res Ctr, London WC1N 3BG, England; [Cash, David; Ourselin, Sebastien] UCL, Ctr Med Image Comp, London WC1E 6BT, England; [MacManus, David G.] UCL Inst Neurol, NMR Res Unit, London WC1N 3BG, England; [Ridgway, Gerard R.] UCL Inst Neurol, Wellcome Trust Ctr Neuroimaging, London WC1N 3BG, England	Schott, JM (reprint author), UCL Inst Neurol, Dementia Res Ctr, Queen Sq, London WC1N 3BG, England.	j.schott@ucl.ac.uk	Schott, Jonathan/A-9065-2011; Ridgway, Gerard/F-5145-2010	UK Alzheimer's Society; GlaxoSmithKline; Medical Research Council; EPSRC [EP/H046410/1]; Comprehensive Biomedical Research Centre (CBRC) Strategic Investment Award [168]; Medical Research Council [MR/J014257/1]; National Institute for Health Research (NIHR) Biomedical Research Unit in Dementia based at University College London Hospitals (UCLH), University College London (UCL); Wellcome Trust [091593/Z/10/Z]	This dataset is made available through the support of the UK Alzheimer's Society. The original data collection was funded through an unrestricted educational grant from GlaxoSmithKline and funding from the UK Alzheimer's Society (to Dr Schott) and the Medical Research Council (to Professor Fox). Professor Ourselin receives funding from the EPSRC (EP/H046410/1) and the Comprehensive Biomedical Research Centre (CBRC) Strategic Investment Award (Ref. 168). Dr Ridgway is supported by the Medical Research Council [grant number MR/J014257/1]. This work was supported by the National Institute for Health Research (NIHR) Biomedical Research Unit in Dementia based at University College London Hospitals (UCLH), University College London (UCL). The views expressed are those of the authors and not necessarily those of the NHS, the NIHR or the Department of Health. The Dementia Research Centre is an Alzheimer's Research UK (ARUK) Coordinating Centre. The Wellcome Trust Centre for Neuroimaging is supported by core funding from the Wellcome Trust [grant number 091593/Z/10/Z].		37	0	0	ACADEMIC PRESS INC ELSEVIER SCIENCE	SAN DIEGO	525 B ST, STE 1900, SAN DIEGO, CA 92101-4495 USA	1053-8119		NEUROIMAGE	Neuroimage	APR 15	2013	70						33	36		10.1016/j.neuroimage.2012.12.044		4	Neurosciences; Neuroimaging; Radiology, Nuclear Medicine & Medical Imaging	Neurosciences & Neurology; Radiology, Nuclear Medicine & Medical Imaging	100LX	WOS:000315703800004
11
false	J	de Haas, B; Schwarzkopf, DS; Urner, M; Rees, G				de Haas, Benjamin; Schwarzkopf, D. Samuel; Urner, Maren; Rees, Geraint			Auditory modulation of visual stimulus encoding in human retinotopic cortex	NEUROIMAGE		English	Article						Multisensory; Audio-visual; V2; Decoding; MVPA; fMRI	MULTISENSORY INTERACTIONS; AUDIOVISUAL INTEGRATION; NEURONAL OSCILLATIONS; UNIMODAL NEURONS; INFORMATION; AREAS; PERCEPTION; ATTENTION; RESPONSES; CORTICES	Sounds can modulate visual perception as well as neural activity in retinotopic cortex. Most studies in this context investigated how sounds change neural amplitude and oscillatory phase reset in visual cortex. However, recent studies in macaque monkeys show that congruence of audio-visual stimuli also modulates the amount of stimulus information carried by spiking activity of primary auditory and visual neurons. Here, we used naturalistic video stimuli and recorded the spatial patterns of functional MRI signals in human retinotopic cortex to test whether the discriminability of such patterns varied with the presence and congruence of co-occurring sounds. We found that incongruent sounds significantly impaired stimulus decoding from area V2 and there was a similar trend for V3. This effect was associated with reduced inter-trial reliability of patterns (i.e. higher levels of noise), but was not accompanied by any detectable modulation of overall signal amplitude. We conclude that sounds modulate naturalistic stimulus encoding in early human retinotopic cortex without affecting overall signal amplitude. Subthreshold modulation, oscillatory phase reset and dynamic attentional modulation are candidate neural and cognitive mechanisms mediating these effects. (C) 2013 Elsevier Inc. All rights reserved.	UCL Inst Cognit Neurosci, London WC1N 3BG, England; UCL, Wellcome Trust Ctr Neuroimaging, London WC1N 3AR, England	de Haas, B (reprint author), UCL, Inst Cognit Neurosci, Alexandra House,17 Queen Sq, London WC1N 3AR, England.	benjamin.haas.09@ucl.ac.uk		Wellcome Trust [091593/Z/10/Z]	This work was funded by the Wellcome Trust. The Wellcome Trust Centre for Neuroimaging is supported by core funding from the Wellcome Trust 091593/Z/10/Z. We thank Martin Hebart for helpful comments and support staff for help with scanning. Jon Driver provided valuable input to the design of this study.		55	0	0	ACADEMIC PRESS INC ELSEVIER SCIENCE	SAN DIEGO	525 B ST, STE 1900, SAN DIEGO, CA 92101-4495 USA	1053-8119		NEUROIMAGE	Neuroimage	APR 15	2013	70						258	267		10.1016/j.neuroimage.2012.12.061		10	Neurosciences; Neuroimaging; Radiology, Nuclear Medicine & Medical Imaging	Neurosciences & Neurology; Radiology, Nuclear Medicine & Medical Imaging	100LX	WOS:000315703800026
12
false	J	Mohammadi, S; Freund, P; Feiweier, T; Curt, A; Weiskopf, N				Mohammadi, Siawoosh; Freund, Patrick; Feiweier, Thorsten; Curt, Armin; Weiskopf, Nikolaus			The impact of post-processing on spinal cord diffusion tensor imaging	NEUROIMAGE		English	Article						DTI; Fractional anisotropy; Spinal cord; Eddy current and motion correction; Robust fitting	WHITE-MATTER; EDDY-CURRENT; IN-VIVO; WALLERIAN DEGENERATION; WEIGHTED MRI; 3 T; ECHO; INJURY; FIELD; REORGANIZATION	Diffusion tensor imaging (DTI) provides information about the microstructure in the brain and spinal cord. While new neuroimaging techniques have significantly advanced the accuracy and sensitivity of DTI of the brain, the quality of spinal cord DTI data has improved less. This is in part due to the small size of the spinal cord (ca. 1 cm diameter) and more severe instrumental (e.g. eddy current) and physiological (e.g. cardiac pulsation) artefacts present in spinal cord DTI. So far, the improvements in image quality and resolution have resulted from cardiac gating and new acquisition approaches (e.g. reduced field-of-view techniques). The use of retrospective correction methods is not well established for spinal cord DTI. The aim of this paper is to develop an improved post-processing pipeline tailored for DTI data of the spinal cord with increased quality. For this purpose, we compared two eddy current and motion correction approaches using three-dimensional affine (3D-affine) and slice-wise registrations. We also introduced a new robust-tensor-fitting method that controls for whole-volume outliers. Although in general 3D-affine registration improves data quality, occasionally it can lead to misregistrations and biassed tensor estimates. The proposed robust tensor fitting reduced misregistiation-related bias and yielded more reliable tensor estimates. Overall, the combination of slice-wise motion correction, eddy current correction, and robust tensor fitting yielded the best results. It increased the contrast-to-noise ratio (CNR) in FA maps by about 30% and reduced intra-subject variation in fractional anisotropy (FA) maps by 18%. The higher quality of FA maps allows for a better distinction between grey and white matter without increasing scan time and is compatible with any multi-directional DTI acquisition scheme. (c) 2013 Elsevier Inc. All rights reserved.	[Mohammadi, Siawoosh; Freund, Patrick; Weiskopf, Nikolaus] UCL, Wellcome Trust Ctr Neuroimaging, UCL Inst Neurol, London WC1N 3BG, England; [Freund, Patrick] UCL, Dept Brain Repair & Rehabil, UCL Inst Neurol, London, England; [Freund, Patrick; Curt, Armin] Univ Zurich, Univ Zurich Hosp, Spinal Cord Injury Ctr Balgrist, Zurich, Switzerland; [Feiweier, Thorsten] Siemens AG, Healthcare Sect, D-91052 Erlangen, Germany	Mohammadi, S (reprint author), UCL, Wellcome Trust Ctr Neuroimaging, UCL Inst Neurol, London WC1N 3BG, England.	siawoosh.mohammadi@ucl.ac.uk	Weiskopf, Nikolaus/B-9357-2008	Wellcome Trust [091593/Z/10/Z]; Swiss Paraplegic Research, Nottwil, Switzerland; Deutsche Forschungsgemeinschaft (DFG) [MO 2397/1-1]	The Wellcome Trust Centre for Neuroimaging is supported by core funding from the Wellcome Trust 091593/Z/10/Z. This work was supported by the Wellcome Trust and Swiss Paraplegic Research, Nottwil, Switzerland. SM was supported by the Deutsche Forschungsgemeinschaft (DFG, MO 2397/1-1). Open access to the publication was supported by the Wellcome Trust.		74	0	0	ACADEMIC PRESS INC ELSEVIER SCIENCE	SAN DIEGO	525 B ST, STE 1900, SAN DIEGO, CA 92101-4495 USA	1053-8119		NEUROIMAGE	Neuroimage	APR 15	2013	70						377	385		10.1016/j.neuroimage.2012.12.058		9	Neurosciences; Neuroimaging; Radiology, Nuclear Medicine & Medical Imaging	Neurosciences & Neurology; Radiology, Nuclear Medicine & Medical Imaging	100LX	WOS:000315703800037
13
true	J	Walker, RW; Jusabani, A; Aris, E; Gray, WK; Mugusi, F; Swai, M; Alberti, KG; Unwin, N				Walker, R. W.; Jusabani, A.; Aris, E.; Gray, W. K.; Mugusi, F.; Swai, M.; Alberti, K. G.; Unwin, N.			Correlates of short- and long-term case fatality within an incident stroke population in Tanzania	SAMJ SOUTH AFRICAN MEDICAL JOURNAL		English	Article							ACUTE ISCHEMIC-STROKE; RISK-FACTORS; MORTALITY; PREDICTORS; SURVIVAL; RECURRENCE; SEVERITY; BURDEN; RATES; DEATH	Background. This study aimed to identify correlates of case fatality within an incident stroke population in rural Tanzania. Methods. Stroke patients, identified by the Tanzanian Stroke Incidence Project, underwent a full examination and assessment around the time of incident stroke. Records were made of demographic data, blood pressure, pulse rate and rhythm, physical function (Barthel index), neurological status (communication, swallowing, vision, muscle activity, sensation), echocardiogram, chest X-ray and computed tomography (CT) head scan. Cases were followed up over the next 3 - 6 years. Results. In 130 incident cases included in this study, speech, language and swallowing problems, reduced muscle power, and reduced physical function were all significantly correlated with case fatality at 28 days and 3 years. Age was significantly correlated with case fatality at 3 years, but not at 28 days post-stroke. Smoking history was the only significant correlate of case fatality at 28 days that pre-dated the incident stroke. All other significant correlates were measures of neurological recovery from stroke. Conclusions. This is the first published study of the correlates of post-stroke case fatality in sub-Saharan Africa (SSA) from an incident stroke population. Case fatality was correlated with the various motor impairments resulting from the incident stroke. Improving post-stroke care may help to reduce stroke case fatality in SSA. S Afr Med J 2013;103(2):107-112. DOI:10.7196/SAMJ.5793	[Walker, R. W.; Gray, W. K.] N Tyneside Gen Hosp, Newcastle Upon Tyne, Tyne & Wear, England; [Walker, R. W.; Unwin, N.] Newcastle Univ, Inst Hlth & Soc, Newcastle Upon Tyne NE1 7RU, Tyne & Wear, England; [Jusabani, A.; Swai, M.] Kilimanjaro Christian Med Ctr, Moshi, Tanzania; [Aris, E.; Mugusi, F.] Muhimbili Univ Hosp, Dept Neurol, Dar Es Salaam, Tanzania; [Alberti, K. G.] Univ London Imperial Coll Sci Technol & Med, Dept Endocrinol & Metab, London, England; [Unwin, N.] Univ W Indies, Fac Med Sci, Bridgetown, Barbados	Walker, RW (reprint author), N Tyneside Gen Hosp, Newcastle Upon Tyne, Tyne & Wear, England.	richard.walker@nhct.nhs.uk		Wellcome Trust [066939]	This work was funded by a grant from the Wellcome Trust (grant number 066939).		28	0	0	SA MEDICAL ASSOC	PRETORIA	BLOCK F CASTLE WALK CORPORATE PARK, NOSSOB STREET, ERASMUSKLOOF EXT3, PRETORIA, 0002, SOUTH AFRICA	0256-9574		SAMJ S AFR MED J	SAMJ S. Afr. Med. J.	FEB	2013	103	2					107	112		10.7196/SAMJ.5793		6	Medicine, General & Internal	General & Internal Medicine	101GV	WOS:000315764100018
14
false	J	Loebbermann, J; Durant, L; Thornton, H; Johansson, C; Openshaw, PJ				Loebbermann, Jens; Durant, Lydia; Thornton, Hannah; Johansson, Cecilia; Openshaw, Peter J.			Defective immunoregulation in RSV vaccine-augmented viral lung disease restored by selective chemoattraction of regulatory T cells	PROCEEDINGS OF THE NATIONAL ACADEMY OF SCIENCES OF THE UNITED STATES OF AMERICA		English	Article						chemokines; lung infection; bronchiolitis	SYNCYTIAL VIRUS-INFECTION; CHEMOKINE RECEPTORS; MICE; INFLAMMATION; RECRUITMENT; EXPRESSION; RESPONSES; CHILDREN; IMMUNITY; PROFILE	Human trials of formaldehyde-inactivated respiratory syncytial virus (FI-RSV) vaccine in 1966-1967 caused disastrous worsening of disease and death in infants during subsequent natural respiratory syncytial virus (RSV) infection. The reasons behind vaccine-induced augmentation are only partially understood, and fear of augmentation continues to hold back vaccine development. We now show that mice vaccinated with FI-RSV show enhanced local recruitment of conventional CD4(+) T cells accompanied by a profound loss of regulatory T cells (Tregs) in the airways. This loss of Tregs was so complete that additional depletion of Tregs (in transgenic depletion of regulatory T-cell mice) produced no additional disease enhancement. Transfer of conventional CD4(+) T cells from FI-RSV-vaccinated mice into naive RSV-infected recipients also caused a reduction in airway Treg responses; boosting Tregs with IL-2 immune complexes failed to restore normal levels of Tregs or to ameliorate disease. However, delivery of chemokine ligands (CCL) 17/22 via the airway selectively recruited airway Tregs and attenuated vaccine-augmented disease, reducing weight loss and inhibiting local recruitment of pathogenic CD4(+) T cells. These findings reveal an unexpected mechanism of vaccine-induced disease augmentation and indicate that selective chemoattraction of Tregs into diseased sites may offer a novel approach to the modulation of tissue-specific inflammation.	[Loebbermann, Jens; Durant, Lydia; Thornton, Hannah; Johansson, Cecilia; Openshaw, Peter J.] Univ London Imperial Coll Sci Technol & Med, Fac Med, Natl Heart & Lung Inst, Ctr Resp Infect,Dept Resp Med, London W2 1PG, England	Openshaw, PJ (reprint author), Univ London Imperial Coll Sci Technol & Med, Fac Med, Natl Heart & Lung Inst, Ctr Resp Infect,Dept Resp Med, London W2 1PG, England.	p.openshaw@imperial.ac.uk		Centre of Respiratory Infections; Medical Research Council (MRC); Asthma UK Centre in Allergic Mechanisms of Asthma, Wellcome Trust Programme [087805/Z/08/Z]; MRC [G0800311]	We thank T. Sparwasser for providing DEREG mice and K. Webster and J. Sprent for providing protocols and advice on the preparation and administration of the IL-2 complexes. We also thank S. Makris for help with experiments. This work was supported by the Centre of Respiratory Infections, the Medical Research Council (MRC) and Asthma UK Centre in Allergic Mechanisms of Asthma, Wellcome Trust Programme 087805/Z/08/Z (P.J.O.), and MRC career development award, Grant G0800311 (to C.J.).		31	0	0	NATL ACAD SCIENCES	WASHINGTON	2101 CONSTITUTION AVE NW, WASHINGTON, DC 20418 USA	0027-8424		P NATL ACAD SCI USA	Proc. Natl. Acad. Sci. U. S. A.	FEB 19	2013	110	8					2987	2992		10.1073/pnas.1217580110		6	Multidisciplinary Sciences	Science & Technology - Other Topics	103YC	WOS:000315954400078
15
false	J	Hambleton, S; Goodbourn, S; Young, DF; Dickinson, P; Mohamad, SMB; Valappil, M; McGovern, N; Cant, AJ; Hackett, SJ; Ghazal, P; Morgan, NV; Randall, RE				Hambleton, Sophie; Goodbourn, Stephen; Young, Dan F.; Dickinson, Paul; Mohamad, Siti M. B.; Valappil, Manoj; McGovern, Naomi; Cant, Andrew J.; Hackett, Scott J.; Ghazal, Peter; Morgan, Neil V.; Randall, Richard E.			STAT2 deficiency and susceptibility to viral illness in humans	PROCEEDINGS OF THE NATIONAL ACADEMY OF SCIENCES OF THE UNITED STATES OF AMERICA		English	Article						measles vaccine; viruses; rare diseases	HERPES-SIMPLEX ENCEPHALITIS; ALPHA/BETA-INTERFERON; TARGETED DISRUPTION; VIRUS ENCEPHALITIS; SIGNALING PATHWAY; TLR3 DEFICIENCY; INBORN-ERRORS; HOST-DEFENSE; V-PROTEIN; IFN-BETA	Severe infectious disease in children may be a manifestation of primary immunodeficiency. These genetic disorders represent important experiments of nature with the capacity to elucidate nonredundant mechanisms of human immunity. We hypothesized that a primary defect of innate antiviral immunity was responsible for unusually severe viral illness in two siblings; the proband developed disseminated vaccine strain measles following routine immunization, whereas an infant brother died after a 2-d febrile illness from an unknown viral infection. Patient fibroblasts were indeed abnormally permissive for viral replication in vitro, associated with profound failure of type I IFN signaling and absence of STAT2 protein. Sequencing of genomic DNA and RNA revealed a homozygous mutation in intron 4 of STAT2 that prevented correct splicing in patient cells. Subsequently, other family members were identified with the same genetic lesion. Despite documented infection by known viral pathogens, some of which have been more severe than normal, surviving STAT2-deficient individuals have remained generally healthy, with no obvious defects in their adaptive immunity or developmental abnormalities. These findings imply that type I IFN signaling [through interferon-stimulated gene factor 3 (ISGF3)] is surprisingly not essential for host defense against the majority of common childhood viral infections.	[Hambleton, Sophie; Mohamad, Siti M. B.; McGovern, Naomi; Cant, Andrew J.] Newcastle Univ, Inst Cellular Med, Primary Immunodeficiency Grp, Newcastle Upon Tyne NE2 4HH, Tyne & Wear, England; [Hambleton, Sophie; Cant, Andrew J.] Great North Childrens Hosp, Pediat Immunol Serv, Newcastle Upon Tyne NE1 4LP, Tyne & Wear, England; [Goodbourn, Stephen] Univ London, Div Biomed Sci, London SW17 0RE, England; [Young, Dan F.; Randall, Richard E.] Univ St Andrews, Sch Biol, St Andrews KY16 9TS, Fife, Scotland; [Dickinson, Paul; Ghazal, Peter] Univ Edinburgh, Div Pathway Med, Edinburgh EH16 4SB, Midlothian, Scotland; [Mohamad, Siti M. B.] Univ Sains Malaysia, Adv Med & Dent Inst, Usm Penang 11800, Malaysia; [Valappil, Manoj] Royal Victoria Infirm, Hlth Protect Agcy, Newcastle Upon Tyne NE1 4LP, Tyne & Wear, England; [Hackett, Scott J.] Heartlands Hosp, Pediat Immunol Dept, Birmingham B9 5SS, W Midlands, England; [Morgan, Neil V.] Univ Birmingham, Inst Biomed Res, Ctr Cardiovasc Sci, Birmingham B15 2TT, W Midlands, England	Hambleton, S (reprint author), Newcastle Univ, Inst Cellular Med, Primary Immunodeficiency Grp, Newcastle Upon Tyne NE2 4HH, Tyne & Wear, England.	sophie.hambleton@ncl.ac.uk; rer@st-andrews.ac.uk		Medical Research Council [G0701897]; Bubble Foundation; Wellcome Trust [AL087751/B, 087751/A/08/Z]	We thank the subjects' families for their trust, our many colleagues in National Health Service hospitals and laboratories who contributed to patient care, and Catherine Thompson and colleagues at the Respiratory Virus Unit, Health Protection Agency (London, United Kingdom), where influenza serology was assessed. This work was supported by Medical Research Council Fellowship G0701897 (to S. H.), the Bubble Foundation (S. H.), and Wellcome Trust Grants AL087751/B (to S. G.) and 087751/A/08/Z (to R.E.R.).		46	0	0	NATL ACAD SCIENCES	WASHINGTON	2101 CONSTITUTION AVE NW, WASHINGTON, DC 20418 USA	0027-8424		P NATL ACAD SCI USA	Proc. Natl. Acad. Sci. U. S. A.	FEB 19	2013	110	8					3053	3058		10.1073/pnas.1220098110		6	Multidisciplinary Sciences	Science & Technology - Other Topics	103YC	WOS:000315954400089
16
true	J	Gupta, A; Wood, R; Kaplan, R; Bekker, LG; Lawn, SD				Gupta, Ankur; Wood, Robin; Kaplan, Richard; Bekker, Linda-Gail; Lawn, Stephen D.			Prevalent and Incident Tuberculosis Are Independent Risk Factors for Mortality among Patients Accessing Antiretroviral Therapy in South Africa	PLOS ONE		English	Article							HIV-ASSOCIATED TUBERCULOSIS; IMMUNE RECONSTITUTION DISEASE; SUB-SAHARAN AFRICA; PULMONARY TUBERCULOSIS; TREATMENT PROGRAM; INFECTED PATIENTS; EARLY OUTCOMES; RURAL UGANDA; ADULTS; DETERMINANTS	Background: Patients with prevalent or incident tuberculosis (TB) in antiretroviral treatment (ART) programmes in sub-Saharan Africa have high mortality risk. However, published data are contradictory as to whether TB is a risk factor for mortality that is independent of CD4 cell counts and other patient characteristics. Methods/Findings: This observational ART cohort study was based in Cape Town, South Africa. Deaths from all causes were ascertained among patients receiving ART for up to 8 years. TB diagnoses and 4-monthly CD4 cell counts were recorded. Mortality rates were calculated and Poisson regression models were used to calculate incidence rate ratios (IRR) and identify risk factors for mortality. Of 1544 patients starting ART, 464 patients had prevalent TB at baseline and 424 developed incident TB during a median of 5.0 years follow-up. Most TB diagnoses (73.6%) were culture-confirmed. A total of 208 (13.5%) patients died during ART and mortality rates were 8.84 deaths/100 person-years during the first year of ART and decreased to 1.14 deaths/100 person-years after 5 years. In multivariate analyses adjusted for baseline and time-updated risk factors, both prevalent and incident TB were independent risk factors for mortality (IRR 1.7 [95% CI, 1.2-2.3] and 2.7 [95% CI, 1.9-3.8], respectively). Adjusted mortality risks were higher in the first 6 months of ART for those with prevalent TB at baseline (IRR 2.33; 95% CI, 1.5-3.5) and within the 6 months following diagnoses of incident TB (IRR 3.8; 95% CI, 2.6-5.7). Conclusions: Prevalent TB at baseline and incident TB during ART were strongly associated with increased mortality risk. This effect was time-dependent, suggesting that TB and mortality are likely to be causally related and that TB is not simply an epiphenomenon among highly immunocompromised patients. Strategies to rapidly diagnose, treat and prevent TB prior to and during ART urgently need to be implemented.	[Gupta, Ankur; Lawn, Stephen D.] London Sch Hyg & Trop Med, Dept Clin Res, Fac Infect & Trop Dis, London WC1, England; [Wood, Robin; Kaplan, Richard; Bekker, Linda-Gail; Lawn, Stephen D.] Univ Cape Town, Desmond Tutu HIV Ctr, Inst Infect Dis & Mol Med, Fac Hlth Sci, ZA-7925 Cape Town, South Africa	Lawn, SD (reprint author), London Sch Hyg & Trop Med, Dept Clin Res, Fac Infect & Trop Dis, London WC1, England.	stephen.lawn@lshtm.ac.uk		Wellcome Trust, London, UK [074641]; International Epidemiologic Database to Evaluate Aids; National Institute of Allergy and Infectious Diseases (NIAID) [5U01AI069924-02]; National Institutes of Health (NIH) [5R01AI058736-02]; USAID Right to Care [CA 674 A 00 08 0000 700]; South African Centre for Epidemiological Modelling and Analysis (SACEMA); Cost-Effectiveness of Preventing AIDS Complications (CEPAC)	SDL is funded by the Wellcome Trust, London, UK with grant number 074641. RW was funded in part by the International Epidemiologic Database to Evaluate Aids with a grant from the National Institute of Allergy and Infectious Diseases (NIAID: 5U01AI069924-02); Cost-Effectiveness of Preventing AIDS Complications (CEPAC) funded by the National Institutes of Health (NIH, 5R01AI058736-02); USAID Right to Care (CA 674 A 00 08 0000 700) and the South African Centre for Epidemiological Modelling and Analysis (SACEMA). The funders had no role in study design, data collection and analysis, decision to publish, or preparation of the manuscript.		47	0	0	PUBLIC LIBRARY SCIENCE	SAN FRANCISCO	1160 BATTERY STREET, STE 100, SAN FRANCISCO, CA 94111 USA	1932-6203		PLOS ONE	PLoS One	FEB 13	2013	8	2							e55824	10.1371/journal.pone.0055824		8	Multidisciplinary Sciences	Science & Technology - Other Topics	104DM	WOS:000315970300054
17
true	J	Munro, PRT; Rigon, L; Ignatyev, K; Lopez, FCM; Dreossi, D; Speller, RD; Olivo, A				Munro, Peter R. T.; Rigon, Luigi; Ignatyev, Konstantin; Lopez, Frances C. M.; Dreossi, Diego; Speller, Robert D.; Olivo, Alessandro			A quantitative, non-interferometric X-ray phase contrast imaging technique	OPTICS EXPRESS		English	Article							SYNCHROTRON-RADIATION; RETRIEVAL; ABSORPTION; SYSTEMS; MAMMOGRAPHY; TOMOGRAPHY; ALGORITHMS; SCATTERING; OBJECTS	We present a quantitative, non-interferometric, X-ray differential phase contrast imaging technique based on the edge illumination principle. We derive a novel phase retrieval algorithm which requires only two images to be acquired and verify the technique experimentally using synchrotron radiation. The technique is useful for planar imaging but is expected to be important for quantitative phase tomography also. The properties and limitations of the technique are studied in detail. (C) 2013 Optical Society of America	[Munro, Peter R. T.] Univ Western Australia, Sch Elect Elect & Comp Engn, Opt Biomed Engn Lab, Crawley, WA 6009, Australia; [Munro, Peter R. T.] Univ Western Australia, Ctr Microscopy Characterisat & Anal, Crawley, WA 6009, Australia; [Rigon, Luigi; Lopez, Frances C. M.] Ist Nazl Fis Nucl, Sez Trieste, I-34127 Trieste, Italy; [Ignatyev, Konstantin; Speller, Robert D.; Olivo, Alessandro] UCL, Dept Med Phys & Bioengn, London WC1E 6BT, England; [Lopez, Frances C. M.] Univ Trieste, Dept Phys, I-34127 Trieste, Italy; [Dreossi, Diego] Sincrotrone Trieste SCpA, I-34012 Trieste, TS, Italy	Munro, PRT (reprint author), Univ Western Australia, Sch Elect Elect & Comp Engn, Opt Biomed Engn Lab, 35 Stirling Highway, Crawley, WA 6009, Australia.	peter.munro@uwa.edu.au		UK Engineering and Physical Sciences Research Council [EP/G004250/1, EP/I021884/1]; Wellcome Trust [085856/Z/08/Z]; Australian Research Council [DE120101331]; Prof. Giulio Brautti PhD Memorial Fellowship	This work was funded by the UK Engineering and Physical Sciences Research Council (EP/G004250/1 and EP/I021884/1). K. I. was supported by the Wellcome Trust (085856/Z/08/Z) and P. M. is supported by a Discovery Early Career Research Award from the Australian Research Council (DE120101331). F. L. is supported by the Prof. Giulio Brautti PhD Memorial Fellowship. We would like to thank the personnel from the Elettra synchrotron and the University of Trieste working on the SYRMEP beamline for assistance with obtaining the experimental results.		44	1	1	OPTICAL SOC AMER	WASHINGTON	2010 MASSACHUSETTS AVE NW, WASHINGTON, DC 20036 USA	1094-4087		OPT EXPRESS	Opt. Express	JAN 14	2013	21	1					647	661				15	Optics	Optics	104JF	WOS:000315988100089
18
false	J	Longstaff, C; Varju, I; Sotonyi, P; Szabo, L; Krumrey, M; Hoell, A; Bota, A; Varga, Z; Komorowicz, E; Kolev, K				Longstaff, Colin; Varju, Imre; Sotonyi, Peter; Szabo, Laszlo; Krumrey, Michael; Hoell, Armin; Bota, Attila; Varga, Zoltan; Komorowicz, Erzsebet; Kolev, Krasimir			Mechanical Stability and Fibrinolytic Resistance of Clots Containing Fibrin, DNA, and Histones	JOURNAL OF BIOLOGICAL CHEMISTRY		English	Article							NEUTROPHIL EXTRACELLULAR TRAPS; DEEP-VEIN THROMBOSIS; TISSUE-PLASMINOGEN ACTIVATOR; STREPTOCOCCUS-PYOGENES; INNATE IMMUNITY; PLATELET; COAGULATION; GENERATION; RELEASE; BLOOD	Neutrophil extracellular traps are networks of DNA and associated proteins produced by nucleosome release from activated neutrophils in response to infection stimuli and have recently been identified as key mediators between innate immunity, inflammation, and hemostasis. The interaction of DNA and histones with a number of hemostatic factors has been shown to promote clotting and is associated with increased thrombosis, but little is known about the effects of DNA and histones on the regulation of fibrin stability and fibrinolysis. Here we demonstrate that the addition of histone-DNA complexes to fibrin results in thicker fibers (increase in median diameter from 84 to 123 nm according to scanning electron microscopy data) accompanied by improved stability and rigidity (the critical shear stress causing loss of fibrin viscosity increases from 150 to 376 Pa whereas the storage modulus of the gel increases from 62 to 82 pascals according to oscillation rheometric data). The effects of DNA and histones alone are subtle and suggest that histones affect clot structure whereas DNA changes the way clots are lysed. The combination of histones + DNA significantly prolongs clot lysis. Isothermal titration and confocal microscopy studies suggest that histones and DNA bind large fibrin degradation products with 191 and 136 nM dissociation constants, respectively, interactions that inhibit clot lysis. Heparin, which is known to interfere with the formation of neutrophil extracellular traps, appears to prolong lysis time at a concentration favoring ternary histone-DNA-heparin complex formation, and DNase effectively promotes clot lysis in combination with tissue plasminogen activator.	[Longstaff, Colin] Natl Inst Biol Stand & Controls, Haemostasis Sect, Potters Bar EN6 3QG, Herts, England; [Varju, Imre; Komorowicz, Erzsebet; Kolev, Krasimir] Semmelweis Univ Med, Dept Med Biochem, H-1094 Budapest, Hungary; [Sotonyi, Peter] Semmelweis Univ Med, Dept Vasc Surg, H-1122 Budapest, Hungary; [Szabo, Laszlo] Hungarian Acad Sci, Res Ctr Nat Sci, Inst Mat & Environm Chem, H-1025 Budapest, Hungary; [Bota, Attila; Varga, Zoltan] Hungarian Acad Sci, Res Ctr Nat Sci, Inst Mol Pharmacol, Dept Biol Nanochem, H-1025 Budapest, Hungary; [Krumrey, Michael] PTB, D-10587 Berlin, Germany; [Hoell, Armin] HZB, D-14109 Berlin, Germany	Longstaff, C (reprint author), Natl Inst Biol Stand & Controls, Biotherapeut Grp, S Mimms EN6 3QG, Herts, England.	colin.longstaff@nibsc.hpa.org.uk		Wellcome Trust [083174]; Hungarian Scientific Research Fund [OTKA 75430, 83023]; German Academic Exchange Service [DAAD A/12/01760]	This work was supported by Wellcome Trust Grant 083174, Hungarian Scientific Research Fund Grants OTKA 75430 and 83023, and German Academic Exchange Service Grant DAAD A/12/01760.		37	0	0	AMER SOC BIOCHEMISTRY MOLECULAR BIOLOGY INC	BETHESDA	9650 ROCKVILLE PIKE, BETHESDA, MD 20814-3996 USA	0021-9258		J BIOL CHEM	J. Biol. Chem.	MAR 8	2013	288	10					6946	6956		10.1074/jbc.M112.404301		11	Biochemistry & Molecular Biology	Biochemistry & Molecular Biology	104NY	WOS:000316002400017
19
false	J	Whiteman, P; de Madrid, BH; Taylor, P; Li, DM; Heslop, R; Viticheep, N; Tan, JZ; Shimizu, H; Callaghan, J; Masiero, M; Li, JL; Banham, AH; Harris, AL; Lea, SM; Redfield, C; Baron, M; Handford, PA				Whiteman, Pat; de Madrid, Beatriz Hernandez; Taylor, Paul; Li, Demin; Heslop, Rebecca; Viticheep, Nattnee; Tan, Joyce Zi; Shimizu, Hideyuki; Callaghan, Juliana; Masiero, Massimo; Li, Ji Liang; Banham, Alison H.; Harris, Adrian L.; Lea, Susan M.; Redfield, Christina; Baron, Martin; Handford, Penny A.			Molecular Basis for Jagged-1/Serrate Ligand Recognition by the Notch Receptor	JOURNAL OF BIOLOGICAL CHEMISTRY		English	Article							HUMAN FACTOR-IX; DROSOPHILA-MELANOGASTER; PROTEOLYTIC ACTIVATION; FRINGE; DOMAIN; BINDING; MODULATION; ANTIBODIES; CLEAVAGE; JAGGED1	We have mapped a Jagged/Serrate-binding site to specific residues within the 12th EGF domain of human and Drosophila Notch. Two critical residues, involved in a hydrophobic interaction, provide a ligand-binding platform and are adjacent to a Fringe-sensitive residue that modulates Notch activity. Our data suggest that small variations within the binding site fine-tune ligand specificity, which may explain the observed sequence heterogeneity in mammalian Notch paralogues, and should allow the development of paralogue-specific ligand-blocking antibodies. As a proof of principle, we have generated a Notch-1-specific monoclonal antibody that blocks binding, thus paving the way for antibody tools for research and therapeutic applications.	[Whiteman, Pat; Taylor, Paul; Heslop, Rebecca; Viticheep, Nattnee; Callaghan, Juliana; Redfield, Christina; Handford, Penny A.] Univ Oxford, Dept Biochem, Oxford OX1 3QU, England; [de Madrid, Beatriz Hernandez; Shimizu, Hideyuki; Baron, Martin] Univ Manchester, Fac Life Sci, Manchester M13 9PT, Lancs, England; [Tan, Joyce Zi; Lea, Susan M.] Univ Oxford, Sir William Dunn Sch Pathol, Oxford OX1 3RE, England; [Li, Demin; Masiero, Massimo; Banham, Alison H.] Univ Oxford, Nuffield Dept Clin Lab Sci, Oxford Natl Inst Hlth Res NIHR, Biomed Res Ctr,John Radcliffe Hosp, Oxford OX3 9DU, England; [Masiero, Massimo; Li, Ji Liang; Harris, Adrian L.] Univ Oxford, Weatherall Inst Mol Med, Mol Oncol Labs, Dept Oncol,John Radcliffe Hosp, Oxford OX3 9DU, England	Handford, PA (reprint author), Univ Oxford, Dept Biochem, S Parks Rd, Oxford OX1 3QU, England.	penny.handford@bioch.ox.ac.uk	Lea, Susan/B-7678-2009	Wellcome Trust [087928, 079440]; Cancer Research UK [A10702]; Biotechnology and Biological Sciences Research Council	This work was supported by The Wellcome Trust Grants 087928 (to P. A. H., S. M. L., and M. B.) and 079440 (to C. R.), Cancer Research UK Programme Grant A10702 (to A. H. B., A. L. H., P. H., and S. M. L.), and Biotechnology and Biological Sciences Research Council studentship (to P. T.).		35	0	0	AMER SOC BIOCHEMISTRY MOLECULAR BIOLOGY INC	BETHESDA	9650 ROCKVILLE PIKE, BETHESDA, MD 20814-3996 USA	0021-9258		J BIOL CHEM	J. Biol. Chem.	MAR 8	2013	288	10					7305	7312		10.1074/jbc.M112.428854		8	Biochemistry & Molecular Biology	Biochemistry & Molecular Biology	104NY	WOS:000316002400050
20
false	J	Sarell, CJ; Woods, LA; Su, YC; Debelouchina, GT; Ashcroft, AE; Griffin, RG; Stockley, PG; Radford, SE				Sarell, Claire J.; Woods, Lucy A.; Su, Yongchao; Debelouchina, Galia T.; Ashcroft, Alison E.; Griffin, Robert G.; Stockley, Peter G.; Radford, Sheena E.			Expanding the Repertoire of Amyloid Polymorphs by Co-polymerization of Related Protein Precursors	JOURNAL OF BIOLOGICAL CHEMISTRY		English	Article							FIBRIL FORMATION; ROTATING SOLIDS; NEUTRAL PH; ALZHEIMERS-DISEASE; MASS-SPECTROMETRY; ALPHA-SYNUCLEIN; H/D-EXCHANGE; IN-VITRO; A-BETA; BETA(2)-MICROGLOBULIN	Amyloid fibrils can be generated from proteins with diverse sequences and folds. Although amyloid fibrils assembled in vitro commonly involve a single protein precursor, fibrils formed in vivo can contain more than one protein sequence. How fibril structure and stability differ in fibrils composed of single proteins (homopolymeric fibrils) from those generated by co-polymerization of more than one protein sequence (heteropolymeric fibrils) is poorly understood. Here we compare the structure and stability of homo and heteropolymeric fibrils formed from human beta(2)-microglobulin and its truncated variant Delta N6. We use an array of approaches (limited proteolysis, magic angle spinning NMR, Fourier transform infrared spectroscopy, and fluorescence) combined with measurements of thermodynamic stability to characterize the different fibril types. The results reveal fibrils with different structural properties, different side-chain packing, and strikingly different stabilities. These findings demonstrate how co-polymerization of related precursor sequences can expand the repertoire of structural and thermodynamic polymorphism in amyloid fibrils to an extent that is greater than that obtained by polymerization of a single precursor alone.	[Sarell, Claire J.; Woods, Lucy A.; Ashcroft, Alison E.; Stockley, Peter G.; Radford, Sheena E.] Univ Leeds, Astbury Ctr Struct Mol Biol, Leeds LS2 9JT, W Yorkshire, England; [Sarell, Claire J.; Woods, Lucy A.; Ashcroft, Alison E.; Stockley, Peter G.; Radford, Sheena E.] Univ Leeds, Sch Mol & Cellular Biol, Leeds LS2 9JT, W Yorkshire, England; [Su, Yongchao; Griffin, Robert G.] MIT, Dept Chem, Cambridge, MA 02139 USA; [Su, Yongchao; Griffin, Robert G.] MIT, Francis Bitter Magnet Lab, Cambridge, MA 02139 USA; [Debelouchina, Galia T.] Princeton Univ, Dept Chem, Princeton, NJ 08544 USA	Radford, SE (reprint author), Univ Leeds, Astbury Ctr Struct Mol Biol, Leeds LS2 9JT, W Yorkshire, England.	s.e.radford@leeds.ac.uk		National Institutes of Health [EB003151, EB002026]; Medical Research Council [G0900958]; Wellcome Trust [075099/Z/04/Z]; NMR [094232]; Biotechnology and Biological Sciences Research Council, Swindon, United Kingdom [BB/526502/1, BB/E012558/I]	This work was supported, in whole or in part, by National Institutes of Health Grants EB003151 and EB002026. This work was also supported by Medical Research Council Grant G0900958, the Wellcome Trust (grant code 075099/Z/04/Z (LCT Premier, mass spectrometry facility) and NMR (094232)), and the Biotechnology and Biological Sciences Research Council, Swindon, United Kingdom (BB/526502/1) (BB/E012558/I, for the Synapt HDMS).		61	0	0	AMER SOC BIOCHEMISTRY MOLECULAR BIOLOGY INC	BETHESDA	9650 ROCKVILLE PIKE, BETHESDA, MD 20814-3996 USA	0021-9258		J BIOL CHEM	J. Biol. Chem.	MAR 8	2013	288	10					7327	7337		10.1074/jbc.M112.447524		11	Biochemistry & Molecular Biology	Biochemistry & Molecular Biology	104NY	WOS:000316002400052
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/test/resources/log4j.properties
1
### Root Level ###
2
log4j.rootLogger=DEBUG, CONSOLE
3

  
4
### Configuration for the CONSOLE appender ###
5
log4j.appender.CONSOLE=org.apache.log4j.ConsoleAppender
6
log4j.appender.CONSOLE.layout=org.apache.log4j.PatternLayout
7
log4j.appender.CONSOLE.layout.ConversionPattern=[%-5p] %d %c - %m%n
8
org.apache.cxf.Logger=org.apache.cxf.common.logging.Log4jLogger
9
log4j.logger.eu.dnetlib.data.collector.plugins.sftp=DEBUG
10

  
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterator.java
1
package eu.dnetlib.data.collector.plugins.mongo;
2

  
3
import java.io.BufferedReader;
4
import java.io.FileReader;
5
import java.io.IOException;
6
import java.util.Iterator;
7

  
8
import com.google.gson.JsonElement;
9
import com.google.gson.JsonObject;
10
import com.google.gson.JsonParser;
11

  
12
public class MongoDumpIterator implements Iterator<String> {
13

  
14
	private final BufferedReader inputStream;
15
	private String currentLine = null;
16

  
17
	public MongoDumpIterator(final FileReader inputStream) {
18
		this.inputStream = new BufferedReader(inputStream);
19
		this.currentLine = getNextLine();
20
	}
21

  
22
	@Override
23
	public boolean hasNext() {
24
		return currentLine != null;
25

  
26
	}
27

  
28
	@Override
29
	public String next() {
30
		final String returnedString = this.currentLine;
31
		this.currentLine = getNextLine();
32
		return returnedString;
33
	}
34

  
35
	@Override
36
	public void remove() {
37
		// TODO Auto-generated method stub
38

  
39
	}
40

  
41
	private String getNextLine() {
42
		try {
43
			String input = inputStream.readLine();
44
			while (input != null) {
45
				JsonElement jElement = new JsonParser().parse(input);
46
				JsonObject jobject = jElement.getAsJsonObject();
47
				if (jobject.has("body")) { return jobject.get("body").getAsString(); }
48
				input = inputStream.readLine();
49
			}
50
			return null;
51

  
52
		} catch (IOException e) {
53
			return null;
54
		}
55
	}
56
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpPlugin.java
1
package eu.dnetlib.data.collector.plugins.mongo;
2

  
3
import java.io.File;
4

  
5
import eu.dnetlib.data.collector.plugin.AbstractCollectorPlugin;
6
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
7
import eu.dnetlib.data.collector.rmi.InterfaceDescriptor;
8

  
9
public class MongoDumpPlugin extends AbstractCollectorPlugin {
10

  
11
	@Override
12
	public Iterable<String> collect(final InterfaceDescriptor interfaceDescriptor, final String fromDate, final String untilDate)
13
			throws CollectorServiceException {
14
		final String baseUrl = interfaceDescriptor.getBaseUrl();
15
		if (baseUrl == null || baseUrl.isEmpty()) { throw new CollectorServiceException("Param 'baseurl' is null or empty"); }
16
		final File f = new File(baseUrl);
17
		if (f.exists() == false) { throw new CollectorServiceException("the file at url " + baseUrl + " does not exists"); }
18

  
19
		return new MongoDumpIterable(f);
20

  
21
	}
22

  
23
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/main/java/eu/dnetlib/data/collector/plugins/mongo/MongoDumpIterable.java
1
package eu.dnetlib.data.collector.plugins.mongo;
2

  
3
import java.io.File;
4
import java.io.FileNotFoundException;
5
import java.io.FileReader;
6
import java.util.Iterator;
7

  
8
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
9
import eu.dnetlib.data.information.collectionservice.rmi.CollectionServiceException;
10

  
11
/**
12
 * The Class MongoDumpIterable.
13
 */
14
public class MongoDumpIterable implements Iterable<String> {
15

  
16
	/** The input stream. */
17
	private final FileReader inputStream;
18

  
19
	/**
20
	 * Instantiates a new mongo dump iterable.
21
	 *
22
	 * @param inputFile the input file
23
	 * @throws CollectionServiceException the collection service exception
24
	 */
25
	public MongoDumpIterable(final File inputFile) throws CollectorServiceException {
26
		try {
27
			this.inputStream = new FileReader(inputFile);
28
		} catch (FileNotFoundException e) {
29
			throw new CollectorServiceException("Error unable to open inputStream", e);
30
		}
31
	}
32

  
33
	/*
34
	 * (non-Javadoc)
35
	 * 
36
	 * @see java.lang.Iterable#iterator()
37
	 */
38
	@Override
39
	public Iterator<String> iterator() {
40
		return new MongoDumpIterator(inputStream);
41
	}
42

  
43
}
modules/dnet-modular-collector-service/tags/dnet-modular-collector-service-3.3.26/src/main/java/eu/dnetlib/data/collector/plugins/FileGZipCollectorPlugin.java
1
package eu.dnetlib.data.collector.plugins;
2

  
3
import java.io.BufferedInputStream;
4
import java.io.FileInputStream;
5
import java.net.URL;
6
import java.util.zip.GZIPInputStream;
7

  
8
import eu.dnetlib.data.collector.rmi.CollectorServiceException;
9

  
10
public class FileGZipCollectorPlugin extends AbstractSplittedRecordPlugin {
11

  
12
	@Override
13
	protected BufferedInputStream getBufferedInputStream(final String baseUrl) throws CollectorServiceException {
14

  
15
		try {
16
			GZIPInputStream stream = new GZIPInputStream(new FileInputStream(new URL(baseUrl).getPath()));
17
			return new BufferedInputStream(stream);
18
		} catch (Exception e) {
19
			throw new CollectorServiceException(e);
20
		}
... This diff was truncated because it exceeds the maximum size that can be displayed.

Also available in: Unified diff